From 39d27bb868ba5e0d544a0fa17afb19abf650c7bf Mon Sep 17 00:00:00 2001 From: Thomas Watson Date: Thu, 8 Dec 2022 18:28:33 +0100 Subject: [PATCH 01/20] Add custom Buildkite pipeline for @kbn/handlebars (#146964) Closes #146963 --- .../pipelines/pull_request/kbn_handlebars.yml | 11 ++ .../pipelines/pull_request/pipeline.ts | 4 + .../scripts/steps/test/kbn_handlebars.sh | 8 ++ packages/kbn-handlebars/.patches/basic.patch | 70 +++++----- packages/kbn-handlebars/.patches/blocks.patch | 22 +-- .../kbn-handlebars/.patches/builtins.patch | 26 ++-- .../kbn-handlebars/.patches/compiler.patch | 126 +++++++++--------- .../kbn-handlebars/.patches/helpers.patch | 27 ++-- .../kbn-handlebars/.patches/security.patch | 30 ++--- packages/kbn-handlebars/.patches/strict.patch | 12 +- .../.patches/subexpressions.patch | 10 +- packages/kbn-handlebars/.patches/utils.patch | 45 +++---- .../.patches/whitespace-control.patch | 59 ++++---- .../scripts/check_for_test_changes.sh | 71 ++++++++-- .../scripts/update_test_patches.sh | 29 +++- 15 files changed, 319 insertions(+), 231 deletions(-) create mode 100644 .buildkite/pipelines/pull_request/kbn_handlebars.yml create mode 100755 .buildkite/scripts/steps/test/kbn_handlebars.sh diff --git a/.buildkite/pipelines/pull_request/kbn_handlebars.yml b/.buildkite/pipelines/pull_request/kbn_handlebars.yml new file mode 100644 index 0000000000000..ecc5103619216 --- /dev/null +++ b/.buildkite/pipelines/pull_request/kbn_handlebars.yml @@ -0,0 +1,11 @@ +steps: + - command: .buildkite/scripts/steps/test/kbn_handlebars.sh + label: 'Check @kbn/handlebars for upstream differences' + agents: + queue: n2-2-spot + depends_on: build + timeout_in_minutes: 5 + retry: + automatic: + - exit_status: '*' + limit: 1 diff --git a/.buildkite/scripts/pipelines/pull_request/pipeline.ts b/.buildkite/scripts/pipelines/pull_request/pipeline.ts index dc33d470b8b50..10c643b151b3f 100644 --- a/.buildkite/scripts/pipelines/pull_request/pipeline.ts +++ b/.buildkite/scripts/pipelines/pull_request/pipeline.ts @@ -54,6 +54,10 @@ const uploadPipeline = (pipelineContent: string | object) => { pipeline.push(getPipeline('.buildkite/pipelines/pull_request/base.yml', false)); + if (await doAnyChangesMatch([/^packages\/kbn-handlebars/])) { + pipeline.push(getPipeline('.buildkite/pipelines/pull_request/kbn_handlebars.yml')); + } + if ( (await doAnyChangesMatch([ /^packages\/kbn-securitysolution-.*/, diff --git a/.buildkite/scripts/steps/test/kbn_handlebars.sh b/.buildkite/scripts/steps/test/kbn_handlebars.sh new file mode 100755 index 0000000000000..0e7fc6ebb0648 --- /dev/null +++ b/.buildkite/scripts/steps/test/kbn_handlebars.sh @@ -0,0 +1,8 @@ +#!/usr/bin/env bash + +set -euo pipefail + +source .buildkite/scripts/common/util.sh + +echo '--- Checking for @kbn/handlebars test changes' +packages/kbn-handlebars/scripts/check_for_test_changes.sh diff --git a/packages/kbn-handlebars/.patches/basic.patch b/packages/kbn-handlebars/.patches/basic.patch index c632dd7ae746e..e41c3b1cc9a85 100644 --- a/packages/kbn-handlebars/.patches/basic.patch +++ b/packages/kbn-handlebars/.patches/basic.patch @@ -1,15 +1,5 @@ -1,11c1,21 +1c1,6 < global.handlebarsEnv = null; -< -< beforeEach(function() { -< global.handlebarsEnv = Handlebars.create(); -< }); -< -< describe('basic context', function() { -< it('most basic', function() { -< expectTemplate('{{foo}}') -< .withInput({ foo: 'foo' }) -< .toCompileTo('foo'); --- > /* > * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), @@ -17,22 +7,24 @@ > * Elasticsearch B.V. licenses this file to you under the MIT License. > * See `packages/kbn-handlebars/LICENSE` for more information. > */ -> +3,5c8,9 +< beforeEach(function() { +< global.handlebarsEnv = Handlebars.create(); +< }); +--- > import Handlebars from '../..'; > import { expectTemplate } from '../__jest__/test_bench'; -> +7,11c11,13 +< describe('basic context', function() { +< it('most basic', function() { +< expectTemplate('{{foo}}') +< .withInput({ foo: 'foo' }) +< .toCompileTo('foo'); +--- > describe('basic context', () => { > it('most basic', () => { > expectTemplate('{{foo}}').withInput({ foo: 'foo' }).toCompileTo('foo'); -> }); -> -> it('escaping', () => { -> expectTemplate('\\{{foo}}').withInput({ foo: 'food' }).toCompileTo('{{foo}}'); -> expectTemplate('content \\{{foo}}').withInput({ foo: 'food' }).toCompileTo('content {{foo}}'); -> expectTemplate('\\\\{{foo}}').withInput({ foo: 'food' }).toCompileTo('\\food'); -> expectTemplate('content \\\\{{foo}}').withInput({ foo: 'food' }).toCompileTo('content \\food'); -> expectTemplate('\\\\ {{foo}}').withInput({ foo: 'food' }).toCompileTo('\\\\ food'); -14,36c24 +14,33c16,21 < it('escaping', function() { < expectTemplate('\\{{foo}}') < .withInput({ foo: 'food' }) @@ -53,8 +45,14 @@ < expectTemplate('\\\\ {{foo}}') < .withInput({ foo: 'food' }) < .toCompileTo('\\\\ food'); -< }); -< +--- +> it('escaping', () => { +> expectTemplate('\\{{foo}}').withInput({ foo: 'food' }).toCompileTo('{{foo}}'); +> expectTemplate('content \\{{foo}}').withInput({ foo: 'food' }).toCompileTo('content {{foo}}'); +> expectTemplate('\\\\{{foo}}').withInput({ foo: 'food' }).toCompileTo('\\food'); +> expectTemplate('content \\\\{{foo}}').withInput({ foo: 'food' }).toCompileTo('content \\food'); +> expectTemplate('\\\\ {{foo}}').withInput({ foo: 'food' }).toCompileTo('\\\\ food'); +36c24 < it('compiling with a basic context', function() { --- > it('compiling with a basic context', () => { @@ -199,7 +197,7 @@ > it('newlines', () => { 190d150 < -194,223c154,160 +194,216c154,159 < it('escaping text', function() { < expectTemplate("Awesome's") < .withMessage( @@ -223,13 +221,6 @@ < expectTemplate(" ' ' ") < .withMessage('double quotes never produce invalid javascript') < .toCompileTo(" ' ' "); -< }); -< -< it('escaping expressions', function() { -< expectTemplate('{{{awesome}}}') -< .withInput({ awesome: "&'\\<>" }) -< .withMessage("expressions with 3 handlebars aren't escaped") -< .toCompileTo("&'\\<>"); --- > it('escaping text', () => { > expectTemplate("Awesome's").toCompileTo("Awesome's"); @@ -237,16 +228,21 @@ > expectTemplate('Awesome\\\\ foo').toCompileTo('Awesome\\\\ foo'); > expectTemplate('Awesome {{foo}}').withInput({ foo: '\\' }).toCompileTo('Awesome \\'); > expectTemplate(" ' ' ").toCompileTo(" ' ' "); -> }); -225,228c162,165 -< expectTemplate('{{&awesome}}') +219,223c162,163 +< it('escaping expressions', function() { +< expectTemplate('{{{awesome}}}') < .withInput({ awesome: "&'\\<>" }) -< .withMessage("expressions with {{& handlebars aren't escaped") +< .withMessage("expressions with 3 handlebars aren't escaped") < .toCompileTo("&'\\<>"); --- > it('escaping expressions', () => { > expectTemplate('{{{awesome}}}').withInput({ awesome: "&'\\<>" }).toCompileTo("&'\\<>"); -> +225,228c165 +< expectTemplate('{{&awesome}}') +< .withInput({ awesome: "&'\\<>" }) +< .withMessage("expressions with {{& handlebars aren't escaped") +< .toCompileTo("&'\\<>"); +--- > expectTemplate('{{&awesome}}').withInput({ awesome: "&'\\<>" }).toCompileTo("&'\\<>"); 232d168 < .withMessage('by default expressions should be escaped') diff --git a/packages/kbn-handlebars/.patches/blocks.patch b/packages/kbn-handlebars/.patches/blocks.patch index 55a1d7d2d391a..f5c68780a3654 100644 --- a/packages/kbn-handlebars/.patches/blocks.patch +++ b/packages/kbn-handlebars/.patches/blocks.patch @@ -420,7 +420,7 @@ < equals(run, true); --- > expect(run).toEqual(true); -406,408c314,321 +406,408c314,317 < describe('registration', function() { < it('unregisters', function() { < handlebarsEnv.decorators = {}; @@ -429,13 +429,13 @@ > beforeEach(() => { > global.kbnHandlebarsEnv = Handlebars.create(); > }); -> +410c319,323 +< handlebarsEnv.registerDecorator('foo', function() { +--- > it('unregisters', () => { > // @ts-expect-error: Cannot assign to 'decorators' because it is a read-only property. > kbnHandlebarsEnv!.decorators = {}; -410c323 -< handlebarsEnv.registerDecorator('foo', function() { ---- +> > kbnHandlebarsEnv!.registerDecorator('foo', function () { 414,416c327,329 < equals(!!handlebarsEnv.decorators.foo, true); @@ -445,18 +445,18 @@ > expect(!!kbnHandlebarsEnv!.decorators.foo).toEqual(true); > kbnHandlebarsEnv!.unregisterDecorator('foo'); > expect(kbnHandlebarsEnv!.decorators.foo).toBeUndefined(); -419,424c332,339 +419,420c332,334 < it('allows multiple globals', function() { < handlebarsEnv.decorators = {}; -< -< handlebarsEnv.registerDecorator({ -< foo: function() {}, -< bar: function() {} --- > it('allows multiple globals', () => { > // @ts-expect-error: Cannot assign to 'decorators' because it is a read-only property. > kbnHandlebarsEnv!.decorators = {}; -> +422,424c336,339 +< handlebarsEnv.registerDecorator({ +< foo: function() {}, +< bar: function() {} +--- > // @ts-expect-error: Expected 2 arguments, but got 1. > kbnHandlebarsEnv!.registerDecorator({ > foo() {}, diff --git a/packages/kbn-handlebars/.patches/builtins.patch b/packages/kbn-handlebars/.patches/builtins.patch index 721af39d87169..536c1ee8d7da3 100644 --- a/packages/kbn-handlebars/.patches/builtins.patch +++ b/packages/kbn-handlebars/.patches/builtins.patch @@ -341,7 +341,7 @@ > // TODO: This test has been added to the `4.x` branch of the handlebars.js repo along with a code-fix, > // but a new version of the handlebars package containing this fix has not yet been published to npm. > // -> // Before enabling this code, a new version of handlebars needs to be released and the corrosponding +> // Before enabling this code, a new version of handlebars needs to be released and the corresponding > // updates needs to be applied to this implementation. > // > // See: https://github.com/handlebars-lang/handlebars.js/commit/30dbf0478109ded8f12bb29832135d480c17e367 @@ -703,20 +703,20 @@ --- > expect('03').toEqual(levelArg); > expect('whee').toEqual(logArg); -609,616c511,521 +609,610c511,513 < it('should output to info', function() { < var called; -< +--- +> it('should output to info', function () { +> let calls = 0; +> const callsExpected = process.env.AST || process.env.EVAL ? 1 : 2; +612,616c515,521 < console.info = function(info) { < equals('whee', info); < called = true; < console.info = $info; < console.log = $log; --- -> it('should output to info', function () { -> let calls = 0; -> const callsExpected = process.env.AST || process.env.EVAL ? 1 : 2; -> > console.info = function (info) { > expect('whee').toEqual(info); > calls++; @@ -746,19 +746,19 @@ --- > expectTemplate('{{log blah}}').withInput({ blah: 'whee' }).toCompileTo(''); > expect(calls).toEqual(callsExpected); -631,637c536,543 +631,632c536,538 < it('should log at data level', function() { < var called; -< +--- +> it('should log at data level', function () { +> let calls = 0; +> const callsExpected = process.env.AST || process.env.EVAL ? 1 : 2; +634,637c540,543 < console.error = function(log) { < equals('whee', log); < called = true; < console.error = $error; --- -> it('should log at data level', function () { -> let calls = 0; -> const callsExpected = process.env.AST || process.env.EVAL ? 1 : 2; -> > console.error = function (log) { > expect('whee').toEqual(log); > calls++; diff --git a/packages/kbn-handlebars/.patches/compiler.patch b/packages/kbn-handlebars/.patches/compiler.patch index f15e5df7cd85d..f1ba8aaa2b8b6 100644 --- a/packages/kbn-handlebars/.patches/compiler.patch +++ b/packages/kbn-handlebars/.patches/compiler.patch @@ -1,15 +1,24 @@ -1,92c1,24 +1,4c1,6 < describe('compiler', function() { < if (!Handlebars.compile) { < return; < } -< +--- +> /* +> * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), +> * and may include modifications made by Elasticsearch B.V. +> * Elasticsearch B.V. licenses this file to you under the MIT License. +> * See `packages/kbn-handlebars/LICENSE` for more information. +> */ +6,10c8 < describe('#equals', function() { < function compile(string) { < var ast = Handlebars.parse(string); < return new Handlebars.Compiler().compile(ast, {}); < } -< +--- +> import Handlebars from '../..'; +12,60c10,13 < it('should treat as equal', function() { < equal(compile('foo').equals(compile('foo')), true); < equal(compile('{{foo}}').equals(compile('{{foo}}')), true); @@ -59,7 +68,12 @@ < ); < }); < }); -< +--- +> describe('compiler', () => { +> const compileFns = ['compile', 'compileAST']; +> if (process.env.AST) compileFns.splice(0, 1); +> else if (process.env.EVAL) compileFns.splice(1, 1); +62,78c15,17 < describe('#compile', function() { < it('should fail with invalid input', function() { < shouldThrow( @@ -77,7 +91,11 @@ < 'You must pass a string or Handlebars AST to Handlebars.compile. You passed [object Object]' < ); < }); -< +--- +> compileFns.forEach((compileName) => { +> // @ts-expect-error +> const compile = Handlebars[compileName]; +80,92c19,24 < it('should include the location in the error (row and column)', function() { < try { < Handlebars.compile(' \n {{#if}}\n{{/def}}')(); @@ -92,24 +110,6 @@ < "if doesn't match def - 2:5", < 'Checking error message' --- -> /* -> * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), -> * and may include modifications made by Elasticsearch B.V. -> * Elasticsearch B.V. licenses this file to you under the MIT License. -> * See `packages/kbn-handlebars/LICENSE` for more information. -> */ -> -> import Handlebars from '../..'; -> -> describe('compiler', () => { -> const compileFns = ['compile', 'compileAST']; -> if (process.env.AST) compileFns.splice(0, 1); -> else if (process.env.EVAL) compileFns.splice(1, 1); -> -> compileFns.forEach((compileName) => { -> // @ts-expect-error -> const compile = Handlebars[compileName]; -> > describe(`#${compileName}`, () => { > it('should fail with invalid input', () => { > expect(function () { @@ -160,11 +160,27 @@ < }); --- > }); -131,152c34,48 +131,133c34,48 < it('can pass through an empty string', function() { < equal(Handlebars.compile('')(), ''); < }); -< +--- +> it('should include the location in the error (row and column)', () => { +> try { +> compile(' \n {{#if}}\n{{/def}}')({}); +> expect(true).toEqual(false); +> } catch (err) { +> expect(err.message).toEqual("if doesn't match def - 2:5"); +> if (Object.getOwnPropertyDescriptor(err, 'column')!.writable) { +> // In Safari 8, the column-property is read-only. This means that even if it is set with defineProperty, +> // its value won't change (https://github.com/jquery/esprima/issues/1290#issuecomment-132455482) +> // Since this was neither working in Handlebars 3 nor in 4.0.5, we only check the column for other browsers. +> expect(err.column).toEqual(5); +> } +> expect(err.lineNumber).toEqual(2); +> } +> }); +135,142c50,57 < it('should not modify the options.data property(GH-1327)', function() { < var options = { data: [{ a: 'foo' }, { a: 'bar' }] }; < Handlebars.compile('{{#each data}}{{@index}}:{{a}} {{/each}}', options)(); @@ -173,7 +189,16 @@ < JSON.stringify({ data: [{ a: 'foo' }, { a: 'bar' }] }, 0, 2) < ); < }); -< +--- +> it('should include the location as enumerable property', () => { +> try { +> compile(' \n {{#if}}\n{{/def}}')({}); +> expect(true).toEqual(false); +> } catch (err) { +> expect(Object.prototype.propertyIsEnumerable.call(err, 'column')).toEqual(true); +> } +> }); +144,152c59,66 < it('should not modify the options.knownHelpers property(GH-1327)', function() { < var options = { knownHelpers: {} }; < Handlebars.compile('{{#each data}}{{@index}}:{{a}} {{/each}}', options)(); @@ -184,22 +209,15 @@ < }); < }); --- -> it('should include the location in the error (row and column)', () => { -> try { -> compile(' \n {{#if}}\n{{/def}}')({}); -> expect(true).toEqual(false); -> } catch (err) { -> expect(err.message).toEqual("if doesn't match def - 2:5"); -> if (Object.getOwnPropertyDescriptor(err, 'column')!.writable) { -> // In Safari 8, the column-property is read-only. This means that even if it is set with defineProperty, -> // its value won't change (https://github.com/jquery/esprima/issues/1290#issuecomment-132455482) -> // Since this was neither working in Handlebars 3 nor in 4.0.5, we only check the column for other browsers. -> expect(err.column).toEqual(5); -> } -> expect(err.lineNumber).toEqual(2); -> } +> it('can utilize AST instance', () => { +> expect( +> compile({ +> type: 'Program', +> body: [{ type: 'ContentStatement', value: 'Hello' }], +> })({}) +> ).toEqual('Hello'); > }); -154,170c50,57 +154,170c68,70 < describe('#precompile', function() { < it('should fail with invalid input', function() { < shouldThrow( @@ -218,24 +236,15 @@ < ); < }); --- -> it('should include the location as enumerable property', () => { -> try { -> compile(' \n {{#if}}\n{{/def}}')({}); -> expect(true).toEqual(false); -> } catch (err) { -> expect(Object.prototype.propertyIsEnumerable.call(err, 'column')).toEqual(true); -> } +> it('can pass through an empty string', () => { +> expect(compile('')({})).toEqual(''); > }); -172,175c59,61 +172,182c72,78 < it('can utilize AST instance', function() { < equal( < /return "Hello"/.test( < Handlebars.precompile({ ---- -> it('can utilize AST instance', () => { -> expect( -> compile({ -177,182c63,78 +< type: 'Program', < body: [{ type: 'ContentStatement', value: 'Hello' }] < }) < ), @@ -243,15 +252,6 @@ < ); < }); --- -> body: [{ type: 'ContentStatement', value: 'Hello' }], -> })({}) -> ).toEqual('Hello'); -> }); -> -> it('can pass through an empty string', () => { -> expect(compile('')({})).toEqual(''); -> }); -> > it('should not modify the options.data property(GH-1327)', () => { > const options = { data: [{ a: 'foo' }, { a: 'bar' }] }; > compile('{{#each data}}{{@index}}:{{a}} {{/each}}', options)({}); diff --git a/packages/kbn-handlebars/.patches/helpers.patch b/packages/kbn-handlebars/.patches/helpers.patch index 4d25d19937468..c274bb4a69271 100644 --- a/packages/kbn-handlebars/.patches/helpers.patch +++ b/packages/kbn-handlebars/.patches/helpers.patch @@ -306,21 +306,22 @@ > helper: () => 'winning', 293a271 > // @ts-expect-error -295,298c273,275 +295,299d272 < var helpers = { < './helper': function() { < return 'fail'; < } ---- -> -> const helpers = { -> './helper': () => 'fail', -301,309c278,279 +< }; +301,304c274,276 < expectTemplate('{{./helper 1}}') < .withInput(hash) < .withHelpers(helpers) < .toCompileTo('winning'); -< +--- +> const helpers = { +> './helper': () => 'fail', +> }; +306,309c278,279 < expectTemplate('{{hash/helper 1}}') < .withInput(hash) < .withHelpers(helpers) @@ -431,19 +432,19 @@ > expect(kbnHandlebarsEnv!.helpers.foo).toBeDefined(); > kbnHandlebarsEnv!.unregisterHelper('foo'); > expect(kbnHandlebarsEnv!.helpers.foo).toBeUndefined(); -398,404c362,368 +398,400c362,364 < it('allows multiple globals', function() { < var helpers = handlebarsEnv.helpers; < handlebarsEnv.helpers = {}; -< -< handlebarsEnv.registerHelper({ -< if: helpers['if'], -< world: function() { --- > it('allows multiple globals', () => { > const ifHelper = kbnHandlebarsEnv!.helpers.if; > deleteAllKeys(kbnHandlebarsEnv!.helpers); -> +402,404c366,368 +< handlebarsEnv.registerHelper({ +< if: helpers['if'], +< world: function() { +--- > kbnHandlebarsEnv!.registerHelper({ > if: ifHelper, > world() { diff --git a/packages/kbn-handlebars/.patches/security.patch b/packages/kbn-handlebars/.patches/security.patch index 9a49b6f12a043..3eb55711c3f9c 100644 --- a/packages/kbn-handlebars/.patches/security.patch +++ b/packages/kbn-handlebars/.patches/security.patch @@ -1,14 +1,10 @@ -1,10c1,15 +1,6c1,6 < describe('security issues', function() { < describe('GH-1495: Prevent Remote Code Execution via constructor', function() { < it('should not allow constructors to be accessed', function() { < expectTemplate('{{lookup (lookup this "constructor") "name"}}') < .withInput({}) < .toCompileTo(''); -< -< expectTemplate('{{constructor.name}}') -< .withInput({}) -< .toCompileTo(''); --- > /* > * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), @@ -16,7 +12,11 @@ > * Elasticsearch B.V. licenses this file to you under the MIT License. > * See `packages/kbn-handlebars/LICENSE` for more information. > */ -> +8,10c8,15 +< expectTemplate('{{constructor.name}}') +< .withInput({}) +< .toCompileTo(''); +--- > import Handlebars from '../..'; > import { expectTemplate } from '../__jest__/test_bench'; > @@ -150,7 +150,7 @@ < '{{lookup this "__proto__"}}' --- > '{{lookup this "__proto__"}}', -144,257c111,114 +144,382c111,114 < templates.forEach(function(template) { < describe('access should be denied to ' + template, function() { < it('by default', function() { @@ -265,12 +265,7 @@ < .toCompileTo(''); < < expect(spy.callCount).to.equal(0); ---- -> templates.forEach((template) => { -> describe('access should be denied to ' + template, () => { -> it('by default', () => { -> expectTemplate(template).withInput({}).toCompileTo(''); -259,399d115 +< }); < < it('can be turned off, if turned on by default', function() { < expectTemplate('{{aMethod}}') @@ -395,8 +390,12 @@ < sinon.replace(handlebarsEnv, 'template', function(templateSpec) { < templateSpec.main = wrapToAdjustContainer(templateSpec.main); < return oldTemplateMethod.call(this, templateSpec); -< }); -< }); +--- +> templates.forEach((template) => { +> describe('access should be denied to ' + template, () => { +> it('by default', () => { +> expectTemplate(template).withInput({}).toCompileTo(''); +385,400d116 < < afterEach(function() { < sinon.restore(); @@ -412,6 +411,7 @@ < expectTemplate('{{anArray.length}}') < .withInput({ anArray: ['a', 'b', 'c'] }) < .toCompileTo('3'); +< }); 404,409c120,122 < describe('escapes template variables', function() { < it('in compat mode', function() { diff --git a/packages/kbn-handlebars/.patches/strict.patch b/packages/kbn-handlebars/.patches/strict.patch index be50113e1416d..30613348b9852 100644 --- a/packages/kbn-handlebars/.patches/strict.patch +++ b/packages/kbn-handlebars/.patches/strict.patch @@ -1,9 +1,5 @@ -1,5c1,12 +1c1,6 < var Exception = Handlebars.Exception; -< -< describe('strict', function() { -< describe('strict mode', function() { -< it('should error on missing property lookup', function() { --- > /* > * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), @@ -11,7 +7,11 @@ > * Elasticsearch B.V. licenses this file to you under the MIT License. > * See `packages/kbn-handlebars/LICENSE` for more information. > */ -> +3,5c8,12 +< describe('strict', function() { +< describe('strict mode', function() { +< it('should error on missing property lookup', function() { +--- > import { expectTemplate } from '../__jest__/test_bench'; > > describe('strict', () => { diff --git a/packages/kbn-handlebars/.patches/subexpressions.patch b/packages/kbn-handlebars/.patches/subexpressions.patch index 197f03e75b958..c775ac2035aff 100644 --- a/packages/kbn-handlebars/.patches/subexpressions.patch +++ b/packages/kbn-handlebars/.patches/subexpressions.patch @@ -214,7 +214,7 @@ < t: function(defaultString) { --- > t(defaultString) { -186,212d181 +186,242d181 < } < }) < .toCompileTo(''); @@ -242,7 +242,7 @@ < 'string params for outer helper processed correctly' < ); < return a + b; -214,231d182 +< }, < < blorg: function(a, options) { < equals( @@ -261,7 +261,7 @@ < .withInput({ < foo: {}, < yeah: {} -233,248c184 +< }) < .toCompileTo('fooyeah'); < }); < @@ -272,11 +272,11 @@ < blog: function(options) { < equals(options.hashTypes.fun, 'SubExpression'); < return 'val is ' + options.hash.fun; -< }, +244,246d182 < bork: function() { < return 'BORK'; < } -< }) +248c184 < .toCompileTo('val is BORK'); --- > .toCompileTo(''); diff --git a/packages/kbn-handlebars/.patches/utils.patch b/packages/kbn-handlebars/.patches/utils.patch index c3547b5b9d6c2..8bd09ad0c9927 100644 --- a/packages/kbn-handlebars/.patches/utils.patch +++ b/packages/kbn-handlebars/.patches/utils.patch @@ -1,4 +1,4 @@ -1,86c1,21 +1,55c1,6 < describe('utils', function() { < describe('#SafeString', function() { < it('constructing a safestring from a string and checking its type', function() { @@ -54,7 +54,14 @@ < equals(Handlebars.Utils.escapeExpression([]), [].toString()); < }); < }); -< +--- +> /* +> * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), +> * and may include modifications made by Elasticsearch B.V. +> * Elasticsearch B.V. licenses this file to you under the MIT License. +> * See `packages/kbn-handlebars/LICENSE` for more information. +> */ +57,64c8,9 < describe('#isEmpty', function() { < it('should not be empty', function() { < equals(Handlebars.Utils.isEmpty(undefined), true); @@ -63,13 +70,23 @@ < equals(Handlebars.Utils.isEmpty(''), true); < equals(Handlebars.Utils.isEmpty([]), true); < }); -< +--- +> import Handlebars from '../..'; +> import { expectTemplate } from '../__jest__/test_bench'; +66,70c11,16 < it('should be empty', function() { < equals(Handlebars.Utils.isEmpty(0), false); < equals(Handlebars.Utils.isEmpty([1]), false); < equals(Handlebars.Utils.isEmpty('foo'), false); < equals(Handlebars.Utils.isEmpty({ bar: 1 }), false); -< }); +--- +> describe('utils', function () { +> describe('#SafeString', function () { +> it('constructing a safestring from a string and checking its type', function () { +> const safe = new Handlebars.SafeString('testing 1, 2, 3'); +> expect(safe).toBeInstanceOf(Handlebars.SafeString); +> expect(safe.toString()).toEqual('testing 1, 2, 3'); +72,83d17 < }); < < describe('#extend', function() { @@ -82,28 +99,10 @@ < var b = { b: 2 }; < < Handlebars.Utils.extend(b, new A()); -< +85,86c19,21 < equals(b.a, 1); < equals(b.b, 2); --- -> /* -> * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), -> * and may include modifications made by Elasticsearch B.V. -> * Elasticsearch B.V. licenses this file to you under the MIT License. -> * See `packages/kbn-handlebars/LICENSE` for more information. -> */ -> -> import Handlebars from '../..'; -> import { expectTemplate } from '../__jest__/test_bench'; -> -> describe('utils', function () { -> describe('#SafeString', function () { -> it('constructing a safestring from a string and checking its type', function () { -> const safe = new Handlebars.SafeString('testing 1, 2, 3'); -> expect(safe).toBeInstanceOf(Handlebars.SafeString); -> expect(safe.toString()).toEqual('testing 1, 2, 3'); -> }); -> > it('it should not escape SafeString properties', function () { > const name = new Handlebars.SafeString('Sean O'Malley'); > expectTemplate('{{name}}').withInput({ name }).toCompileTo('Sean O'Malley'); diff --git a/packages/kbn-handlebars/.patches/whitespace-control.patch b/packages/kbn-handlebars/.patches/whitespace-control.patch index f9e32bc2260ca..f973b0b5ad8d8 100644 --- a/packages/kbn-handlebars/.patches/whitespace-control.patch +++ b/packages/kbn-handlebars/.patches/whitespace-control.patch @@ -1,4 +1,4 @@ -1,24c1,17 +1,19c1,6 < describe('whitespace control', function() { < it('should strip whitespace around mustache calls', function() { < var hash = { foo: 'bar<' }; @@ -18,11 +18,6 @@ < expectTemplate(' {{~&foo~}} ') < .withInput(hash) < .toCompileTo('bar<'); -< -< expectTemplate(' {{~{foo}~}} ') -< .withInput(hash) -< .toCompileTo('bar<'); -< --- > /* > * This file is forked from the handlebars project (https://github.com/handlebars-lang/handlebars.js), @@ -30,9 +25,13 @@ > * Elasticsearch B.V. licenses this file to you under the MIT License. > * See `packages/kbn-handlebars/LICENSE` for more information. > */ -> +21,23c8 +< expectTemplate(' {{~{foo}~}} ') +< .withInput(hash) +< .toCompileTo('bar<'); +--- > import { expectTemplate } from '../__jest__/test_bench'; -> +24a10,17 > describe('whitespace control', () => { > it('should strip whitespace around mustache calls', () => { > const hash = { foo: 'bar<' }; @@ -41,7 +40,7 @@ > expectTemplate(' {{foo~}} ').withInput(hash).toCompileTo(' bar<'); > expectTemplate(' {{~&foo~}} ').withInput(hash).toCompileTo('bar<'); > expectTemplate(' {{~{foo}~}} ').withInput(hash).toCompileTo('bar<'); -28,46c21,28 +28,42c21,23 < describe('blocks', function() { < it('should strip whitespace around simple block calls', function() { < var hash = { foo: 'bar<' }; @@ -57,15 +56,15 @@ < expectTemplate(' {{~#if foo}} bar {{~/if}} ') < .withInput(hash) < .toCompileTo(' bar '); -< -< expectTemplate(' {{#if foo}} bar {{/if}} ') -< .withInput(hash) -< .toCompileTo(' bar '); --- > describe('blocks', () => { > it('should strip whitespace around simple block calls', () => { > const hash = { foo: 'bar<' }; -> +44,46c25,28 +< expectTemplate(' {{#if foo}} bar {{/if}} ') +< .withInput(hash) +< .toCompileTo(' bar '); +--- > expectTemplate(' {{~#if foo~}} bar {{~/if~}} ').withInput(hash).toCompileTo('bar'); > expectTemplate(' {{#if foo~}} bar {{/if~}} ').withInput(hash).toCompileTo(' bar '); > expectTemplate(' {{~#if foo}} bar {{~/if}} ').withInput(hash).toCompileTo(' bar '); @@ -87,7 +86,7 @@ < ).toCompileTo('bar'); --- > expectTemplate(' \n\n{{~^if foo~}} \n\nbar \n\n{{~/if~}}\n\n ').toCompileTo('bar'); -71,80c47,48 +71,88c47,48 < it('should strip whitespace around complex block calls', function() { < var hash = { foo: 'bar<' }; < @@ -98,34 +97,34 @@ < expectTemplate('{{#if foo~}} bar {{^~}} baz {{/if}}') < .withInput(hash) < .toCompileTo('bar '); +< +< expectTemplate('{{#if foo}} bar {{~^~}} baz {{~/if}}') +< .withInput(hash) +< .toCompileTo(' bar'); +< +< expectTemplate('{{#if foo}} bar {{^~}} baz {{/if}}') +< .withInput(hash) +< .toCompileTo(' bar '); --- > it('should strip whitespace around complex block calls', () => { > const hash = { foo: 'bar<' }; -82,84c50,54 -< expectTemplate('{{#if foo}} bar {{~^~}} baz {{~/if}}') +90,92c50,54 +< expectTemplate('{{#if foo~}} bar {{~else~}} baz {{~/if}}') < .withInput(hash) -< .toCompileTo(' bar'); +< .toCompileTo('bar'); --- > expectTemplate('{{#if foo~}} bar {{~^~}} baz {{~/if}}').withInput(hash).toCompileTo('bar'); > expectTemplate('{{#if foo~}} bar {{^~}} baz {{/if}}').withInput(hash).toCompileTo('bar '); > expectTemplate('{{#if foo}} bar {{~^~}} baz {{~/if}}').withInput(hash).toCompileTo(' bar'); > expectTemplate('{{#if foo}} bar {{^~}} baz {{/if}}').withInput(hash).toCompileTo(' bar '); > expectTemplate('{{#if foo~}} bar {{~else~}} baz {{~/if}}').withInput(hash).toCompileTo('bar'); -86,90c56 -< expectTemplate('{{#if foo}} bar {{^~}} baz {{/if}}') -< .withInput(hash) -< .toCompileTo(' bar '); -< -< expectTemplate('{{#if foo~}} bar {{~else~}} baz {{~/if}}') ---- -> expectTemplate('\n\n{{~#if foo~}} \n\nbar \n\n{{~^~}} \n\nbaz \n\n{{~/if~}}\n\n') -94,102c60 +94,96c56 < expectTemplate( < '\n\n{{~#if foo~}} \n\nbar \n\n{{~^~}} \n\nbaz \n\n{{~/if~}}\n\n' < ) -< .withInput(hash) -< .toCompileTo('bar'); -< +--- +> expectTemplate('\n\n{{~#if foo~}} \n\nbar \n\n{{~^~}} \n\nbaz \n\n{{~/if~}}\n\n') +100,102c60 < expectTemplate( < '\n\n{{~#if foo~}} \n\n{{{foo}}} \n\n{{~^~}} \n\nbaz \n\n{{~/if~}}\n\n' < ) diff --git a/packages/kbn-handlebars/scripts/check_for_test_changes.sh b/packages/kbn-handlebars/scripts/check_for_test_changes.sh index 79ad59de3f9ed..a9818505b707f 100755 --- a/packages/kbn-handlebars/scripts/check_for_test_changes.sh +++ b/packages/kbn-handlebars/scripts/check_for_test_changes.sh @@ -1,10 +1,29 @@ +#!/usr/bin/env bash + set -e -rm -fr .tmp -mkdir .tmp +TMP=.tmp-handlebars + +# Try to detect Windows environment (I've not tested this!) +if [[ "$OSTYPE" == "msys" ]]; then + # Windows environment + DEVNULL=NUL +else + # Everything else (including Cygwin on Windows) + DEVNULL=/dev/null +fi + +function cleanup { + rm -fr $TMP +} + +trap cleanup EXIT + +rm -fr $TMP +mkdir $TMP echo "Cloning handlebars repo..." -git clone -q --depth 1 https://github.com/handlebars-lang/handlebars.js.git -b 4.x .tmp/handlebars +git clone -q --depth 1 https://github.com/handlebars-lang/handlebars.js.git -b 4.x $TMP/handlebars files=(packages/kbn-handlebars/src/upstream/index.*.test.ts) @@ -16,18 +35,54 @@ do echo "Checking for changes to spec/$file.js..." set +e - diff .tmp/handlebars/spec/$file.js packages/kbn-handlebars/src/upstream/index.$file.test.ts > .tmp/$file.patch + diff -d --strip-trailing-cr $TMP/handlebars/spec/$file.js packages/kbn-handlebars/src/upstream/index.$file.test.ts > $TMP/$file.patch error=$? set -e if [ $error -gt 1 ] then - echo "Error executing diff!" + echo "The diff command encountered an unexpected error!" exit $error fi - diff -u .tmp/$file.patch packages/kbn-handlebars/.patches/$file.patch + set +e + diff -d --strip-trailing-cr $TMP/$file.patch packages/kbn-handlebars/.patches/$file.patch > $DEVNULL + error=$? + set -e + if [ $error -gt 1 ] + then + echo "The diff command encountered an unexpected error!" + exit $error + elif [ $error -gt 0 ] + then + echo + echo "The following files contain unexpected differences:" + echo + echo " Upstream: spec/$file.js" + echo " Downstream: packages/kbn-handlebars/src/upstream/index.$file.test.ts" + echo + echo "This can happen if either the upstream or the downstream version has been" + echo "updated without our patch files being kept up to date." + echo + echo "To resolve this issue, do the following:" + echo + echo " 1. Check the '4.x' branch of the upstream git repository to see if the file" + echo " has been updated. If so, please ensure that our copy of the file is kept in" + echo " sync. You can view the recent upstream commits to this file here:" + echo + echo " https://github.com/handlebars-lang/handlebars.js/commits/4.x/spec/$file.js" + echo + echo " 2. Update our patch files by running the following script. This is also" + echo " necessary even if it's only the downstream file that has been updated:" + echo + echo " ./packages/kbn-handlebars/scripts/update_test_patches.sh $file" + echo + echo " 3. Commit the changes to the updated patch file and execute this script again" + echo " until everything passes:" + echo + echo " ./packages/kbn-handlebars/scripts/check_for_test_changes.sh" + echo + exit $error + fi done echo "No changes found :)" - -rm -fr .tmp \ No newline at end of file diff --git a/packages/kbn-handlebars/scripts/update_test_patches.sh b/packages/kbn-handlebars/scripts/update_test_patches.sh index 45d87f934be81..233ca9e0f25ba 100755 --- a/packages/kbn-handlebars/scripts/update_test_patches.sh +++ b/packages/kbn-handlebars/scripts/update_test_patches.sh @@ -1,12 +1,29 @@ +#!/usr/bin/env bash + set -e -rm -fr .tmp -mkdir .tmp +TMP=.tmp-handlebars + +function cleanup { + rm -fr $TMP +} + +trap cleanup EXIT + +rm -fr $TMP +mkdir $TMP echo "Cloning handlebars repo..." -git clone -q --depth 1 https://github.com/handlebars-lang/handlebars.js.git -b 4.x .tmp/handlebars +git clone -q --depth 1 https://github.com/handlebars-lang/handlebars.js.git -b 4.x $TMP/handlebars -files=(packages/kbn-handlebars/src/upstream/index.*.test.ts) +if [ -z "$1" ] +then + # No argument given: Update all patch files + files=(packages/kbn-handlebars/src/upstream/index.*.test.ts) +else + # Argument detected: Update only the requested patch file + files=(packages/kbn-handlebars/src/upstream/index.$1.test.ts) +fi for file in "${files[@]}" do @@ -15,10 +32,8 @@ do echo "Overwriting stored patch file for spec/$file.js..." set +e - diff .tmp/handlebars/spec/$file.js packages/kbn-handlebars/src/upstream/index.$file.test.ts > packages/kbn-handlebars/.patches/$file.patch + diff -d --strip-trailing-cr $TMP/handlebars/spec/$file.js packages/kbn-handlebars/src/upstream/index.$file.test.ts > packages/kbn-handlebars/.patches/$file.patch set -e done echo "All patches updated :)" - -rm -fr .tmp \ No newline at end of file From 7434d25fc118e9202080f2d74292771ed41cc874 Mon Sep 17 00:00:00 2001 From: Shahzad Date: Thu, 8 Dec 2022 20:26:48 +0100 Subject: [PATCH 02/20] [Synthetics] Add project api keys settings tab (#147106) ## Summary Fixes https://github.com/elastic/kibana/issues/146039 Add API keys settings tab in synthetics settings page ### Initial State image ### Final state This API keys is from test env, so it's safe to display here image --- .../e2e/journeys/synthetics/index.ts | 1 + .../synthetics/private_locations.journey.ts | 2 +- .../synthetics/project_api_keys.journey.ts | 69 ++++++++++ .../e2e/page_objects/synthetics_app.tsx | 2 +- .../components/settings/page_header.tsx | 14 +- .../project_api_keys/api_key_btn.test.tsx | 37 ++++++ .../settings/project_api_keys/api_key_btn.tsx | 59 +++++++++ .../project_api_keys/help_commands.tsx | 66 ++++++++++ .../project_api_keys.test.tsx | 71 ++++++++++ .../project_api_keys/project_api_keys.tsx | 124 ++++++++++++++++++ .../components/settings/settings_page.tsx | 3 + .../apps/synthetics/hooks/use_enablement.ts | 1 + .../state/monitor_management/api.ts | 6 + .../synthetics/utils/testing/rtl_helpers.tsx | 23 ++++ 14 files changed, 475 insertions(+), 3 deletions(-) create mode 100644 x-pack/plugins/synthetics/e2e/journeys/synthetics/project_api_keys.journey.ts create mode 100644 x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.test.tsx create mode 100644 x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.tsx create mode 100644 x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/help_commands.tsx create mode 100644 x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.test.tsx create mode 100644 x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.tsx diff --git a/x-pack/plugins/synthetics/e2e/journeys/synthetics/index.ts b/x-pack/plugins/synthetics/e2e/journeys/synthetics/index.ts index 4bc328327e818..cc42f71f69759 100644 --- a/x-pack/plugins/synthetics/e2e/journeys/synthetics/index.ts +++ b/x-pack/plugins/synthetics/e2e/journeys/synthetics/index.ts @@ -5,6 +5,7 @@ * 2.0. */ +export * from './project_api_keys.journey'; export * from './getting_started.journey'; export * from './add_monitor.journey'; export * from './monitor_selector.journey'; diff --git a/x-pack/plugins/synthetics/e2e/journeys/synthetics/private_locations.journey.ts b/x-pack/plugins/synthetics/e2e/journeys/synthetics/private_locations.journey.ts index dccc927f62fda..b4480b30b4d78 100644 --- a/x-pack/plugins/synthetics/e2e/journeys/synthetics/private_locations.journey.ts +++ b/x-pack/plugins/synthetics/e2e/journeys/synthetics/private_locations.journey.ts @@ -72,7 +72,7 @@ journey(`PrivateLocationsSettings`, async ({ page, params }) => { }); let locationId: string; step('Click text=AlertingPrivate LocationsData Retention', async () => { - await page.click('text=AlertingPrivate LocationsData Retention'); + await page.click('text=Private Locations'); await page.click('h1:has-text("Settings")'); const privateLocations = await getPrivateLocations(params); diff --git a/x-pack/plugins/synthetics/e2e/journeys/synthetics/project_api_keys.journey.ts b/x-pack/plugins/synthetics/e2e/journeys/synthetics/project_api_keys.journey.ts new file mode 100644 index 0000000000000..1a1dd5d0f3982 --- /dev/null +++ b/x-pack/plugins/synthetics/e2e/journeys/synthetics/project_api_keys.journey.ts @@ -0,0 +1,69 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import { journey, step, expect, before } from '@elastic/synthetics'; + +journey('ProjectAPIKeys', async ({ page }) => { + let apiKey = ''; + + page.setDefaultTimeout(3 * 30000); + + before(async () => { + page.on('request', (evt) => { + if (evt.resourceType() === 'fetch' && evt.url().includes('uptime/service/api_key')) { + evt + .response() + ?.then((res) => res?.json()) + .then((res) => { + apiKey = res.apiKey.encoded; + }); + } + }); + }); + + step('Go to http://localhost:5620/login?next=%2Fapp%2Fsynthetics%2Fsettings', async () => { + await page.goto('http://localhost:5620/login?next=%2Fapp%2Fsynthetics%2Fsettings'); + await page.click('input[name="username"]'); + await page.fill('input[name="username"]', 'elastic'); + await page.press('input[name="username"]', 'Tab'); + await page.fill('input[name="password"]', 'changeme'); + await Promise.all([ + page.waitForNavigation({ url: 'http://localhost:5620/app/synthetics/settings/alerting' }), + page.click('button:has-text("Log in")'), + ]); + }); + step('Click text=Project API Keys', async () => { + await page.click('text=Project API Keys'); + expect(page.url()).toBe('http://localhost:5620/app/synthetics/settings/api-keys'); + await page.click('button:has-text("Generate Project API key")'); + await page.click( + 'text=This API key will only be shown once. Please keep a copy for your own records.' + ); + await page.click('strong:has-text("API key")'); + await page.click('text=Use as environment variable'); + await page.click(`text=${apiKey}`); + await page.click('[aria-label="Account menu"]'); + }); + step('Click text=Log out', async () => { + await page.click('text=Log out'); + expect(page.url()).toBe('http://localhost:5620/login?msg=LOGGED_OUT'); + await page.fill('input[name="username"]', 'viewer'); + await page.press('input[name="username"]', 'Tab'); + await page.fill('input[name="password"]', 'changeme'); + await Promise.all([ + page.waitForNavigation({ url: 'http://localhost:5620/app/home' }), + page.click('button:has-text("Log in")'), + ]); + await page.goto('http://localhost:5620/app/synthetics/settings/api-keys', { + waitUntil: 'networkidle', + }); + }); + step('Click text=Synthetics', async () => { + expect(page.url()).toBe('http://localhost:5620/app/synthetics/settings/api-keys'); + await page.isDisabled('button:has-text("Generate Project API key")'); + }); +}); diff --git a/x-pack/plugins/synthetics/e2e/page_objects/synthetics_app.tsx b/x-pack/plugins/synthetics/e2e/page_objects/synthetics_app.tsx index be5a503e3a277..ed1feb153dffd 100644 --- a/x-pack/plugins/synthetics/e2e/page_objects/synthetics_app.tsx +++ b/x-pack/plugins/synthetics/e2e/page_objects/synthetics_app.tsx @@ -20,9 +20,9 @@ export function syntheticsAppPageProvider({ page, kibanaUrl }: { page: Page; kib const isRemote = Boolean(process.env.SYNTHETICS_REMOTE_ENABLED); const basePath = isRemote ? remoteKibanaUrl : kibanaUrl; const monitorManagement = `${basePath}/app/synthetics/monitors`; + const settingsPage = `${basePath}/app/synthetics/settings`; const addMonitor = `${basePath}/app/synthetics/add-monitor`; const overview = `${basePath}/app/synthetics`; - const settingsPage = `${basePath}/app/synthetics/settings`; return { ...loginPageProvider({ diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/page_header.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/page_header.tsx index 117133e312fb3..02b8958ecf1bf 100644 --- a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/page_header.tsx +++ b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/page_header.tsx @@ -10,7 +10,12 @@ import { EuiPageHeaderProps } from '@elastic/eui'; import { i18n } from '@kbn/i18n'; import { SYNTHETICS_SETTINGS_ROUTE } from '../../../../../common/constants'; -export type SettingsTabId = 'data-retention' | 'params' | 'alerting' | 'private-locations'; +export type SettingsTabId = + | 'data-retention' + | 'params' + | 'alerting' + | 'private-locations' + | 'api-keys'; export const getSettingsPageHeader = ( history: ReturnType, @@ -56,6 +61,13 @@ export const getSettingsPageHeader = ( isSelected: tabId === 'data-retention', href: replaceTab('data-retention'), }, + { + label: i18n.translate('xpack.synthetics.settingsTabs.apiKeys', { + defaultMessage: 'Project API Keys', + }), + isSelected: tabId === 'api-keys', + href: replaceTab('api-keys'), + }, ], }; }; diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.test.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.test.tsx new file mode 100644 index 0000000000000..c3176275bc557 --- /dev/null +++ b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.test.tsx @@ -0,0 +1,37 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import userEvent from '@testing-library/user-event'; +import { screen } from '@testing-library/react'; +import { ApiKeyBtn } from './api_key_btn'; +import { render } from '../../../utils/testing'; + +describe('', () => { + const setLoadAPIKey = jest.fn(); + + it('calls delete monitor on monitor deletion', () => { + render(); + + expect(screen.getByText('Generate Project API key')).toBeInTheDocument(); + userEvent.click(screen.getByTestId('uptimeMonitorManagementApiKeyGenerate')); + expect(setLoadAPIKey).toHaveBeenCalled(); + }); + + it('shows correct content on loading', () => { + render(); + + expect(screen.getByText('Generating API key')).toBeInTheDocument(); + }); + + it('shows api key when available and hides button', () => { + const apiKey = 'sampleApiKey'; + render(); + + expect(screen.queryByText('Generate Project API key')).not.toBeInTheDocument(); + }); +}); diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.tsx new file mode 100644 index 0000000000000..6cbf3760f3e08 --- /dev/null +++ b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/api_key_btn.tsx @@ -0,0 +1,59 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ +import React from 'react'; +import { EuiButton, EuiSpacer } from '@elastic/eui'; +import { i18n } from '@kbn/i18n'; + +export const ApiKeyBtn = ({ + isDisabled, + apiKey, + loading, + setLoadAPIKey, +}: { + loading?: boolean; + isDisabled?: boolean; + apiKey?: string; + setLoadAPIKey: (val: boolean) => void; +}) => { + return ( + <> + + {!apiKey && ( + <> + { + setLoadAPIKey(true); + }} + data-test-subj="uptimeMonitorManagementApiKeyGenerate" + > + {loading ? GET_API_KEY_LOADING_LABEL : GET_API_KEY_LABEL} + + + + )} + + ); +}; + +const GET_API_KEY_LABEL = i18n.translate( + 'xpack.synthetics.monitorManagement.getProjectApiKey.label', + { + defaultMessage: 'Generate Project API key', + } +); + +const GET_API_KEY_LOADING_LABEL = i18n.translate( + 'xpack.synthetics.monitorManagement.getAPIKeyLabel.loading', + { + defaultMessage: 'Generating API key', + } +); diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/help_commands.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/help_commands.tsx new file mode 100644 index 0000000000000..162558e2d8368 --- /dev/null +++ b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/help_commands.tsx @@ -0,0 +1,66 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { EuiCallOut, EuiCodeBlock, EuiSpacer, EuiText } from '@elastic/eui'; +import { i18n } from '@kbn/i18n'; + +export const HelpCommands = ({ apiKey }: { apiKey: string }) => { + return ( +
+ + + + {API_KEY_LABEL} + + + + {apiKey} + + + + {USE_AS_ENV} + + + + export SYNTHETICS_API_KEY={apiKey} + + + + + {PROJECT_PUSH_COMMAND} + + + + SYNTHETICS_API_KEY={apiKey} npm run push + +
+ ); +}; + +const API_KEY_LABEL = i18n.translate('xpack.synthetics.monitorManagement.apiKey.label', { + defaultMessage: 'API key', +}); + +const USE_AS_ENV = i18n.translate('xpack.synthetics.monitorManagement.useEnv.label', { + defaultMessage: 'Use as environment variable', +}); + +const PROJECT_PUSH_COMMAND = i18n.translate( + 'xpack.synthetics.monitorManagement.projectPush.label', + { + defaultMessage: 'Project push command', + } +); + +const API_KEY_WARNING_LABEL = i18n.translate( + 'xpack.synthetics.monitorManagement.apiKeyWarning.label', + { + defaultMessage: + 'This API key will only be shown once. Please keep a copy for your own records.', + } +); diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.test.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.test.tsx new file mode 100644 index 0000000000000..583edd274be53 --- /dev/null +++ b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.test.tsx @@ -0,0 +1,71 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import * as observabilityPublic from '@kbn/observability-plugin/public'; +import { screen } from '@testing-library/react'; +import { ProjectAPIKeys } from './project_api_keys'; +import { makeUptimePermissionsCore, render } from '../../../utils/testing'; + +jest.mock('@kbn/observability-plugin/public'); + +describe('', () => { + const state = { + syntheticsEnablement: { + enablement: { + canManageApiKeys: true, + }, + }, + }; + + beforeAll(() => { + jest.spyOn(observabilityPublic, 'useFetcher').mockReturnValue({ + data: undefined, + status: observabilityPublic.FETCH_STATUS.SUCCESS, + refetch: () => {}, + }); + }); + + it('shows the button', () => { + jest.spyOn(observabilityPublic, 'useFetcher').mockReturnValue({ + data: undefined, + status: observabilityPublic.FETCH_STATUS.SUCCESS, + refetch: () => {}, + }); + render(); + + expect(screen.queryByText('Generate API key')).not.toBeInTheDocument(); + expect( + screen.getByText(/Use an API key to push monitors remotely from a CLI or CD pipeline/) + ).toBeInTheDocument(); + }); + + it('shows appropriate content when user does not have correct uptime save permissions', () => { + // const apiKey = 'sampleApiKey'; + render(, { + state, + core: makeUptimePermissionsCore({ save: false }), + }); + + expect(screen.getByText(/Please contact your administrator./)).toBeInTheDocument(); + }); + + it('shows appropriate content when user does not api key management permissions', () => { + render(, { + state: { + syntheticsEnablement: { + enablement: { + canManageApiKeys: false, + }, + }, + }, + core: makeUptimePermissionsCore({ save: true }), + }); + + expect(screen.getByText(/Please contact your administrator./)).toBeInTheDocument(); + }); +}); diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.tsx new file mode 100644 index 0000000000000..17e4e8856ba14 --- /dev/null +++ b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/project_api_keys/project_api_keys.tsx @@ -0,0 +1,124 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ +import React, { useEffect, useState } from 'react'; +import { useKibana } from '@kbn/kibana-react-plugin/public'; +import { EuiText, EuiLink, EuiEmptyPrompt } from '@elastic/eui'; +import { i18n } from '@kbn/i18n'; +import { useFetcher } from '@kbn/observability-plugin/public'; +import { HelpCommands } from './help_commands'; +import { LoadingState } from '../../monitors_page/overview/overview/monitor_detail_flyout'; +import { fetchServiceAPIKey } from '../../../state/monitor_management/api'; +import { ClientPluginsStart } from '../../../../../plugin'; +import { ApiKeyBtn } from './api_key_btn'; +import { useEnablement } from '../../../hooks'; + +const syntheticsTestRunDocsLink = + 'https://www.elastic.co/guide/en/observability/current/synthetic-run-tests.html'; + +export const ProjectAPIKeys = () => { + const { + loading: enablementLoading, + enablement: { canManageApiKeys }, + } = useEnablement(); + const [apiKey, setApiKey] = useState(undefined); + const [loadAPIKey, setLoadAPIKey] = useState(false); + + const kServices = useKibana().services; + const canSaveIntegrations: boolean = + !!kServices?.fleet?.authz.integrations.writeIntegrationPolicies; + + const { data, loading } = useFetcher(async () => { + if (loadAPIKey) { + return fetchServiceAPIKey(); + } + return null; + }, [loadAPIKey]); + + useEffect(() => { + setApiKey(data?.apiKey.encoded); + }, [data]); + + const canSave: boolean = !!useKibana().services?.application?.capabilities.uptime.save; + + if (enablementLoading) { + return ; + } + + return ( + <> + {GET_API_KEY_GENERATE}} + body={ + canSave && canManageApiKeys ? ( + <> + + {GET_API_KEY_LABEL_DESCRIPTION}{' '} + {!canSaveIntegrations ? `${API_KEY_DISCLAIMER} ` : ''} + + {LEARN_MORE_LABEL} + + + + ) : ( + <> + + {GET_API_KEY_REDUCED_PERMISSIONS_LABEL}{' '} + + {LEARN_MORE_LABEL} + + + + ) + } + actions={ + + } + /> + {apiKey && } + + ); +}; + +const LEARN_MORE_LABEL = i18n.translate('xpack.synthetics.monitorManagement.learnMore.label', { + defaultMessage: 'Learn more', +}); + +const GET_API_KEY_GENERATE = i18n.translate( + 'xpack.synthetics.monitorManagement.getProjectAPIKeyLabel.generate', + { + defaultMessage: 'Generate Project API Key', + } +); + +const GET_API_KEY_LABEL_DESCRIPTION = i18n.translate( + 'xpack.synthetics.monitorManagement.getAPIKeyLabel.description', + { + defaultMessage: 'Use an API key to push monitors remotely from a CLI or CD pipeline.', + } +); + +const API_KEY_DISCLAIMER = i18n.translate( + 'xpack.synthetics.monitorManagement.getAPIKeyLabel.disclaimer', + { + defaultMessage: + 'Please note: In order to use push monitors using private testing locations, you must generate this API key with a user who has Fleet and Integrations write permissions.', + } +); + +const GET_API_KEY_REDUCED_PERMISSIONS_LABEL = i18n.translate( + 'xpack.synthetics.monitorManagement.getAPIKeyReducedPermissions.description', + { + defaultMessage: + 'Use an API key to push monitors remotely from a CLI or CD pipeline. To generate an API key, you must have permissions to manage API keys and Uptime write access. Please contact your administrator.', + } +); diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/settings_page.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/settings_page.tsx index ad6e3090d10b9..eb8a93a9c260e 100644 --- a/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/settings_page.tsx +++ b/x-pack/plugins/synthetics/public/apps/synthetics/components/settings/settings_page.tsx @@ -8,6 +8,7 @@ import React from 'react'; import { Redirect, useParams } from 'react-router-dom'; import { SettingsTabId } from './page_header'; +import { ProjectAPIKeys } from './project_api_keys/project_api_keys'; import { DataRetentionTab } from './data_retention'; import { useSettingsBreadcrumbs } from './use_settings_breadcrumbs'; import { ManagePrivateLocations } from './private_locations/manage_private_locations'; @@ -19,6 +20,8 @@ export const SettingsPage = () => { const renderTab = () => { switch (tabId) { + case 'api-keys': + return ; case 'private-locations': return ; case 'data-retention': diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/hooks/use_enablement.ts b/x-pack/plugins/synthetics/public/apps/synthetics/hooks/use_enablement.ts index a89d323b63726..3d21b482c2279 100644 --- a/x-pack/plugins/synthetics/public/apps/synthetics/hooks/use_enablement.ts +++ b/x-pack/plugins/synthetics/public/apps/synthetics/hooks/use_enablement.ts @@ -28,6 +28,7 @@ export function useEnablement() { return { enablement: { areApiKeysEnabled: enablement?.areApiKeysEnabled, + canManageApiKeys: enablement?.canManageApiKeys, canEnable: enablement?.canEnable, isEnabled: enablement?.isEnabled, }, diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/state/monitor_management/api.ts b/x-pack/plugins/synthetics/public/apps/synthetics/state/monitor_management/api.ts index 66d298f26df2b..29336c4d79b8f 100644 --- a/x-pack/plugins/synthetics/public/apps/synthetics/state/monitor_management/api.ts +++ b/x-pack/plugins/synthetics/public/apps/synthetics/state/monitor_management/api.ts @@ -40,3 +40,9 @@ export const getMonitorAPI = async ({ }): Promise => { return await apiService.get(`${API_URLS.SYNTHETICS_MONITORS}/${id}`); }; + +export const fetchServiceAPIKey = async (): Promise<{ + apiKey: { encoded: string }; +}> => { + return await apiService.get(API_URLS.SYNTHETICS_APIKEY); +}; diff --git a/x-pack/plugins/synthetics/public/apps/synthetics/utils/testing/rtl_helpers.tsx b/x-pack/plugins/synthetics/public/apps/synthetics/utils/testing/rtl_helpers.tsx index 644566b98892b..d8e2206693392 100644 --- a/x-pack/plugins/synthetics/public/apps/synthetics/utils/testing/rtl_helpers.tsx +++ b/x-pack/plugins/synthetics/public/apps/synthetics/utils/testing/rtl_helpers.tsx @@ -366,3 +366,26 @@ const wrappedInClass = (element: HTMLElement | Element, classWrapper: string): b export const forMobileOnly = finderWithClassWrapper('hideForDesktop'); export const forDesktopOnly = finderWithClassWrapper('hideForMobile'); + +export const makeUptimePermissionsCore = ( + permissions: Partial<{ + 'alerting:save': boolean; + configureSettings: boolean; + save: boolean; + show: boolean; + }> +) => { + return { + application: { + capabilities: { + uptime: { + 'alerting:save': true, + configureSettings: true, + save: true, + show: true, + ...permissions, + }, + }, + }, + }; +}; From f918a3745be3badff9cf05950db61d7f47877961 Mon Sep 17 00:00:00 2001 From: Kaarina Tungseth Date: Thu, 8 Dec 2022 14:18:03 -0600 Subject: [PATCH 03/20] Adds the VisEditor docs for 8.6 (#146471) ## Summary Adds the 8.6 for the following: - #140878, #143946 and #142187 [Doc preview](https://kibana_146471.docs-preview.app.elstc.co/guide/en/kibana/master/tsvb.html#edit-visualizations-in-lens) - #142936, #142561, #143820, and #142838 [Doc preview](https://kibana_146471.docs-preview.app.elstc.co/guide/en/kibana/master/add-aggregation-based-visualization-panels.html#edit-agg-based-visualizations-in-lens) - #138732 [Doc preview](https://kibana_146471.docs-preview.app.elstc.co/guide/en/kibana/master/lens.html#change-the-fields) - #141626 and #141615 [Doc preview](https://kibana_146471.docs-preview.app.elstc.co/guide/en/kibana/master/lens.html#add-annotations) Co-authored-by: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Co-authored-by: Stratoula Kalafateli --- .../user/dashboard/aggregation-based.asciidoc | 23 +++++++++ .../images/lens_annotationDateIcon_8.6.0.png | Bin 0 -> 5215 bytes docs/user/dashboard/lens.asciidoc | 46 +++++++++++++++--- docs/user/dashboard/tsvb.asciidoc | 10 +++- 4 files changed, 70 insertions(+), 9 deletions(-) create mode 100644 docs/user/dashboard/images/lens_annotationDateIcon_8.6.0.png diff --git a/docs/user/dashboard/aggregation-based.asciidoc b/docs/user/dashboard/aggregation-based.asciidoc index 4ca251b3a1936..7d5e4f93bba88 100644 --- a/docs/user/dashboard/aggregation-based.asciidoc +++ b/docs/user/dashboard/aggregation-based.asciidoc @@ -191,6 +191,29 @@ TIP: Aggregation-based panels support a maximum of three *Split series*. [role="screenshot"] image:images/aggBased_barChartTutorial2_8.4.png[Bar chart with sample logs data] +[float] +[[edit-agg-based-visualizations-in-lens]] +==== Open and edit aggregation-based visualizations in Lens + +When you open aggregation-based visualizations in *Lens*, all configuration options appear in the *Lens* visualization editor. + +You can open the following aggregation-based visualizations in *Lens*: + +* Area +* Data table +* Gauge +* Goal +* Heat map +* Horizontal bar +* Line +* Metric +* Pie +* Vertical bar + +To get started, click *Edit visualization in Lens* in the toolbar. + +For more information, check out <>. + [float] [[save-the-aggregation-based-panel]] ===== Save and add the panel diff --git a/docs/user/dashboard/images/lens_annotationDateIcon_8.6.0.png b/docs/user/dashboard/images/lens_annotationDateIcon_8.6.0.png new file mode 100644 index 0000000000000000000000000000000000000000..c268d14b68d0e4492230f534704b5759c946eca1 GIT binary patch literal 5215 zcmZ{n1yod9)PRQ$K|m0tWatnXy1N^s89Ih$h#9&OL_k7Nx{>aXknWH!DWyd~O1l5S z=l`DT{qMhboqP7(dw)C5Icwc@!_-t{aj{9U0RRB5yquIeVx~Y0GE8*DGhiV20RVs_ zVk0T3CNC)oRC95(w6TW(0CHjPbTD)^`iax^V`E}Qk+bBmnz5*x<*>5Q@MD-~Fy#Z( z%y3X23Nka-6KhJfzbp%9{75V|9nM%QU2)nS6ja5!m96U;hx~E(>0*ixY-2>!>IU|0 zA<26Wkm(oxlz1bP6tEWllddu=aPXj?Nokx@42||o15Jq)q&gTL7KU1Z^T8jq2St{e zHiE_2Tvy+=5-Ya=qcH#vP@G9cqZ95Om;&~h({*F<0MC0;R7W0tVk;5TM@9+uD8#X1 zbb5!A&$N%!pzOm!wn7ZhEHEgeMFD(p>*KuVL82yEif6_^V9batmWEYn4Bgcf=_cDC!tbGoRTDv1A3h3ywHfnGd zlxfnvPzeoWq*5v51P<)i`Z?oRMV-_>5l4r= z$41A%i-T`%%-gr8SNNBarsDMK{c@o~98;kzVeMT&v&Zbg))8b&e)V`yu*#7t1Xk1Q zKaUEv%o3&(2w+BI@nWV03u**Q$5LjK-xJ94d&Tj{W^n_#E+`r50o=VemBlgKh8uvg zi+x?;z1lM?DT+d0GC?Dekpr+D}w@ zCJAmj7e~|HK{!SVrwe;GtFuAIY?3Fh(SH=KBt0;du@s3zTf{`Bm+gX)_ru*>+|b2N z{GJQ7eC1f%!wq&mAk#Sl02bHU+uO|->*ebG@!UIi7B3^K%g_SckOK}QJk{j`gE}FP zkbM*iI@9v-UI+451Rgr0@3vu}2AJUA&lVSwLyt2(N^(k5Y=g6ru>iU=iAs>S+hi)x z>@gbKMV#=t0?e1V_%K)l-JDPsUKHowYeMy1qBsi%Vq#@c!KEnK#aRfvyGRbCu3}7R zAB0KAzR{#bA)r#X;HkoAk{*bO?BjWlevZZ;o+`r%r0AnqBN%_tBrcNuSV8*3bDBwP ziV&}C7B1vSS%xf_ohq%i1AG{iY8HCKO&WQlhscup&qx zA3p$KI-f?C^n!?+D+!d2(HZRBD3t3k_Xwb+0^Px z>P$MbIW7|GMFX&Rsus9abh9bs%HQIwVs&EOV^aEb`V7}piIl^+yAvL$_GhzXYN~B9 zS}~n6IcjNX4QV!O_7-AmZ4_%4JW&%azmPjd(TcE@g=jFS=T1JHG@R6!6r8N%A{`1R z7E{bxpU@t)wYIXxvq7nb6OvCwk%u~UE?n-jwOy=jwQErCcU}) zNVQ4ram#uPA{8QYNb9&RxHpq?xO2E++zEEOV@;W}rPAY7<6j#70nXkT4ufl+0uFKB%n!HD$ zN4!V5N7j(WFuqL8Jqen&tM%p7i{=RV2-S+%@--FMPz3uD`AyL{Sl)ZZk4Y=-1D zXCky>cBw>s4|9h=gvNtLL57^%`7=Iu4d-j_R7m}o{VLPeH$>W1>%mIy zmD-i=&5zn&Ipoc1&KuOx&3VmP&O@sl>Lhm-esJtC@088toa~-RTq>VX&|uLt%Y@5l zM>nmDxtj13@l6T{xmfVY2oUr0@U@Ua*qI@dThB{#S_B&S*ZFpwKJtR?;Ah{n$CPsx z`R4f#Q=g`lH;x)e7<_Bs`qh*@p$e|HxxmdZUQE!uoN2B+KH|5dIL~lF8yj8U7>EmtoAa=nXp#$#2^$Y0X z&XM^=?uEng_7U&##)ZzM=zTW4C5#_99>Y}-NaabD5t;y+0&+BJi;>h^#1M<%$(KhVA47(*g&)dbMquhwxJ8(EEj!!t`7S?MhIQyu7Z5lT zkkLGmos(9ePU*=u@9Zrj@fIE6P#~JZ$Ia#+v&*LJ((P4>ICmv?HW;iQa2_#}?H!JC zh|K9#4x1-DWffubgIqPErl8tLz_Ptoy1J6PPUXerA@XUfvXL2_H|ka5RcsCHA#Y<7 zt2lH0CH8||2|v<*RAx!{fW;oaCy8TK;z>;9JU=5kW?EnhRmUonFZ5Oyh2=C%E!=Ra zfVIGs(L?$p-u-w>q+Jjh$-Bk|LYoXu_T8S!7y#AE8pA*Y* zMb|)z4(}s!qp`2BneUb_~trVl00A8D$-I-Pftmq91o)BKYT^CL6HUI6l# zCmsiiTOeLM8FG7(HP3?GiuL6pnj;#zW4Y_Wi5p)`o^GF!PW8l)N=|8*k^UdOdpWyhnuiF0Is|x0gI^G(+iBW_)*X8Lg#PFR3 z*WqJD-fSp*L8;#Ja=J@Dt?s<8ac^zG)3N5aqAX!0A;T-;cJwM| z>)lXsr$73YXM>}U@n^gK?RMTzi(9Q^GH(}k6=0VEFG%a5#2Pw#jU~~rO`2h5%$?5moQVjP6sYn021-Q4LM3z@k09z{@2BE{YKVi8g_{;nzb}=|# z^x^~nevILq8}81xGssCrPtPi^9~JNWXz2HGCnA0*;vu^7mdeTiW`v9hKtp-}KtV`I zh#P=J3PAfM0{{w0WPi)*NQ}RIkO6>D8vyEWA24FRyJ8RnLI0jnVqXF<5O0XT7C>+& z^55PRnJ9nDWC$BTTtiY`9x-c}yFegNn6)GP>!4vELV@KZrw0Q7i0SSIlDs zmkZoZm|9m^4Jhg80s-={vazyJi(mtRK*U$TQb1iw<~NRb6Q;I?!<_^`Aa{3nR(DQT zM;9v)J3l`^h>Zip!SM{?@eJk(g`0XjgTiS33i7{kq#!VJ7aJ$IjUyCz7uVFx(G@OC zO?{W>@9VERAs#mWWP-wew}ogBbY}svv$BEy3xnHO{y*5A{{ppO5En^D2LuNf`Dd$s!+#q84gSig_eVyKKQsPe z_yfFaKtLS=bF_E8TR<(S4O|3){g?XRl-@s>2>V@kzo0+0|0Z<*llW8nZ$j0@2C)pL zccqE2|IYBI?zg`X=x*cxI0%28vR_)nF%!WS0{wktMX*i2c3J}fs8aG$;+k@}&Dx(F z-)a%v`W`awDA_oKss*~)=1)bM(uD=8AWyAyl;(kLNW#%`xa3|Zl5z?uVA8+pqIca! z!RZlgdzZDtx9h?3s$Kdi_S?$$%9Lyqo^DO8ht8qHP7H7LJUHr3(@*(N(_t;(BzxBA zTM}~BRZs?RuTGTF@JVv&_`A;KfcbTuo=>P2A&%oD&3c_Rto8Q)!RewbdaCn z?7!J!U}ylTN|o!_u#2&;5g!;XRI(GA+V>LD)zfRg_;~!?w-Lk8P%y&cLzE(A{h{sS z^)o4=#>U3|9rul~F@k`3!w~Bu_h8kimCwe*G%5WBPS2Rz*4=V0kNr|{D5cnD!j$ME z`}#eM-_HN^vYq5StEi~hPh`Q8$=Af(+3BoYt}bGpSbb$qKpnm^E3RpDg2sldb*yIiU+@6O49nTfO`5CyFE84PU%Q6j9C-$I^MicPD$RM+l5NeQ`h@ikq!;%?{7VA zblOx$t(?J`n*&b;V3uj~re}PAD@+k_9Z{@PZn{1FsJkz1)5hRApJ%Xs9dz~LSX9lh zxlF8@|68jnd?3iHctcr_tNl%Foqse-Wb5g!Si8VI)mFPeT^B|TIi+@1WKurAmA6e( zfu|S{9)FiL&h`eFcHD5?`vsa%H_C)F!W#QLx8vC)T%6$1iNlv4TS&FUJaO*(1zcZB z?iZ9Rs4PoL$~v9x18ti>xDetcWkG*OOuH$_aa<8 zz_)nO;P41KSd-fwje?L1}^P(*1cC%wN2cD~ZWCJ(jG zO1)Tn7c^Fw&U%%RuWk~!$)s)Dd6wtHz+7P5-A2u<(=L;Lq^Xj%!l=!3gCR|igfE&B RWpMXdl$TbKDw8k?`X3Q3UGo3{ literal 0 HcmV?d00001 diff --git a/docs/user/dashboard/lens.asciidoc b/docs/user/dashboard/lens.asciidoc index de23c3a9962e0..3467276ce236d 100644 --- a/docs/user/dashboard/lens.asciidoc +++ b/docs/user/dashboard/lens.asciidoc @@ -43,7 +43,7 @@ Edit and delete. . To delete a field, close the configuration options, then click *X* next to the field. -. To clone a layer, click image:dashboard/images/lens_layerActions_8.5.0.png[Actions menu to duplicate Lens visualization layers] in the layer pane, then select *Duplicate layer*. +. To duplicate a layer, click image:dashboard/images/lens_layerActions_8.5.0.png[Actions menu to duplicate Lens visualization layers] in the layer pane, then select *Duplicate layer*. . To clear the layer configuration, click image:dashboard/images/lens_layerActions_8.5.0.png[Actions menu to clear Lens visualization layers] in the layer pane, then select *Clear layer*. @@ -56,6 +56,8 @@ TIP: You can manually apply the changes you make, which is helpful when creating Change the fields list to display a different {data-source}, different time range, or add your own fields. * To create a visualization with fields in a different {data-source}, open the {data-source} dropdown, then select the {data-source}. ++ +For more information about {data-sources}, refer to <>. * If the fields list is empty, change the <>. @@ -192,24 +194,52 @@ Note: this option is not available for mosaic charts. preview::[] -Annotations allow you to call out specific points in your visualizations that are important, such as a major change in the data. You can add annotations for any {data-source}, add text and icons, specify the line format and color, and more. +Annotations allow you to call out specific points in your visualizations that are important, such as significant changes in the data. You can add annotations for any {data-source}, add text and icons, specify the line format and color, and more. [role="screenshot"] image::images/lens_annotations_8.2.0.png[Lens annotations] +Annotations support two placement types: + +* *Static date* — Displays annotations for specific times or time ranges. + +* *Custom query* — Displays annotations based on custom {es} queries. For detailed information about queries, check <>. + +Create the annotation layer. + . In the layer pane, click *Add layer > Annotations*. -. Select the {data-source}. +. Select the {data-source} for the annotation. + +. From the fields list, drag a field to the *Add an annotation* field. + +. To use global filters in the annotation, click image:dashboard/images/lens_layerActions_8.5.0.png[Actions menu for the annotations layer], then select *Keep global filters* from the dropdown. + +Create static annotations. -. To open the annotation options, click *Event*. +. Select *Static date*. -. Specify the *Annotation date*. +. In the *Annotation date* field, click image:images/lens_annotationDateIcon_8.6.0.png[Annodation date icon in Lens], then select the date. -. To display the annotation as a time range, select *Apply as range*, then specify the *From* and *To* time range. +. To display the annotation as a time range, select *Apply as range*, then specify the *From* and *To* dates. + +Create custom query annotations. + +. Select *Custom query*. + +. Enter the *Annotation query* for the data you want to display. ++ +For detailed information about queries and examples, check <>. + +. Select the *Target date field*. + +Specify the annotation appearance. . Enter the annotation *Name*. -. Change the *Appearance* options for how you want the annotation to display. +. Change the *Appearance* options for how you want the annotation to display on the visualization. + +. If you created a custom query annotation, click *Add field* to add a field to the annotation tooltip. . To close, click *X*. @@ -240,7 +270,7 @@ image::images/lens_referenceLine_7.16.png[Lens drag and drop focus state] [[filter-the-data]] ==== Apply filters -You can use the <> to focus on a known set of data for the entire visualization, or use the filter options from the layer pane or legend. +You can use the <> to create queries that filter all the data in a visualization, or use the layer pane and legend filters to apply filters based on field values. [float] [[filter-with-the-function]] diff --git a/docs/user/dashboard/tsvb.asciidoc b/docs/user/dashboard/tsvb.asciidoc index d9cd137978e9c..d725a82d74b65 100644 --- a/docs/user/dashboard/tsvb.asciidoc +++ b/docs/user/dashboard/tsvb.asciidoc @@ -136,7 +136,15 @@ The *Markdown* visualization supports Markdown with Handlebar (mustache) syntax [[edit-visualizations-in-lens]] ==== Open and edit TSVB visualizations in Lens -Open and edit Time Series and Top N *TSVB* visualizations in *Lens*. When you open *TSVB* visualizations in *Lens*, all configuration options and annotations appear in the *Lens* visualization editor. +When you open *TSVB* visualizations in *Lens*, all configuration options and annotations appear in the *Lens* visualization editor. + +You can open the following *TSVB* visualizations in *Lens*: + +* Time Series +* Metric +* Top N +* Gauge +* Table To get started, click *Edit visualization in Lens* in the toolbar. From 64da90eab063880b8ff00933e0de17fad95d4efd Mon Sep 17 00:00:00 2001 From: Jiawei Wu <74562234+JiaweiWu@users.noreply.github.com> Date: Thu, 8 Dec 2022 12:48:34 -0800 Subject: [PATCH 04/20] [RAM] Refactor rules page to use EuiPageTemplate (#144070) ## Summary Resolves: https://github.com/elastic/kibana/issues/142374 Refactors the rules page in Management to follow the new `EuiPageTemplate` and `EuiPageTemplate.EmptyPrompt`. The no rules and no permission prompts are centered correctly according to EUI guidelines. Tested: - Rules page - Logs page - O11Y Rules page The `create rule` buttons have also been moved to the top right of the header and all work as intended. However, the O11y rules page empty prompt is not automatically centered since they are structuring their page templates differently. ![emptypromptwithcreate](https://user-images.githubusercontent.com/74562234/206249274-93a4f866-97e9-471b-85c3-c368cdb74a71.png) ![euipagetemplatewithrule](https://user-images.githubusercontent.com/74562234/203172564-48c86855-13ab-4899-9225-7fb4694c8cf3.png) Co-authored-by: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> --- .../components/prompts/empty_prompt.tsx | 87 +++-- .../prompts/no_permission_prompt.tsx | 33 ++ .../public/application/home.tsx | 68 ++-- .../logs_list/components/logs_list.tsx | 12 +- .../components/rule_event_log_list_table.tsx | 9 + .../components/create_rule_button.tsx | 33 ++ .../rules_list/components/rules_list.test.tsx | 5 +- .../rules_list/components/rules_list.tsx | 313 +++++++++--------- .../components/rules_list_doc_link.tsx | 29 ++ .../components/rules_list_prompts.tsx | 45 +++ .../apps/triggers_actions_ui/logs_list.ts | 1 + 11 files changed, 418 insertions(+), 217 deletions(-) create mode 100644 x-pack/plugins/triggers_actions_ui/public/application/components/prompts/no_permission_prompt.tsx create mode 100644 x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/create_rule_button.tsx create mode 100644 x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_doc_link.tsx create mode 100644 x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_prompts.tsx diff --git a/x-pack/plugins/triggers_actions_ui/public/application/components/prompts/empty_prompt.tsx b/x-pack/plugins/triggers_actions_ui/public/application/components/prompts/empty_prompt.tsx index 1219ebe81ef25..390c7a9cedec4 100644 --- a/x-pack/plugins/triggers_actions_ui/public/application/components/prompts/empty_prompt.tsx +++ b/x-pack/plugins/triggers_actions_ui/public/application/components/prompts/empty_prompt.tsx @@ -5,50 +5,71 @@ * 2.0. */ -import { FormattedMessage } from '@kbn/i18n-react'; import React from 'react'; -import { EuiButton, EuiEmptyPrompt } from '@elastic/eui'; +import { FormattedMessage } from '@kbn/i18n-react'; +import { EuiButton, EuiButtonEmpty, EuiPageTemplate } from '@elastic/eui'; +import { useKibana } from '../../../common/lib/kibana'; export const EmptyPrompt = ({ - onCTAClicked, - showCreateRuleButton = true, + onCreateRulesClick, + showCreateRule = true, }: { - onCTAClicked: () => void; - showCreateRuleButton: boolean; -}) => ( - - - - } - body={ -

- -

- } - actions={ - showCreateRuleButton && ( + onCreateRulesClick: () => void; + showCreateRule: boolean; +}) => { + const { docLinks } = useKibana().services; + const renderActions = () => { + if (showCreateRule) { + return [ - - ) + , + + + , + ]; } - /> -); + return null; + }; + + return ( + + + + } + body={ +

+ +

+ } + actions={renderActions()} + /> + ); +}; diff --git a/x-pack/plugins/triggers_actions_ui/public/application/components/prompts/no_permission_prompt.tsx b/x-pack/plugins/triggers_actions_ui/public/application/components/prompts/no_permission_prompt.tsx new file mode 100644 index 0000000000000..9063617e90f69 --- /dev/null +++ b/x-pack/plugins/triggers_actions_ui/public/application/components/prompts/no_permission_prompt.tsx @@ -0,0 +1,33 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { EuiPageTemplate } from '@elastic/eui'; +import { FormattedMessage } from '@kbn/i18n-react'; + +export const NoPermissionPrompt = () => ( + + + + } + body={ +

+ +

+ } + /> +); diff --git a/x-pack/plugins/triggers_actions_ui/public/application/home.tsx b/x-pack/plugins/triggers_actions_ui/public/application/home.tsx index 894db7ce5a59e..80546caa6a95c 100644 --- a/x-pack/plugins/triggers_actions_ui/public/application/home.tsx +++ b/x-pack/plugins/triggers_actions_ui/public/application/home.tsx @@ -5,10 +5,10 @@ * 2.0. */ -import React, { lazy, useEffect } from 'react'; +import React, { useState, lazy, useEffect, useCallback } from 'react'; import { Route, RouteComponentProps, Switch, Redirect } from 'react-router-dom'; import { FormattedMessage } from '@kbn/i18n-react'; -import { EuiSpacer, EuiButtonEmpty, EuiPageHeader } from '@elastic/eui'; +import { EuiSpacer, EuiPageTemplate } from '@elastic/eui'; import { getIsExperimentalFeatureEnabled } from '../common/get_experimental_features'; import { Section, routeToRules, routeToInternalAlerts, routeToLogs } from './constants'; @@ -34,7 +34,8 @@ export const TriggersActionsUIHome: React.FunctionComponent { - const { chrome, setBreadcrumbs, docLinks } = useKibana().services; + const [headerActions, setHeaderActions] = useState(); + const { chrome, setBreadcrumbs } = useKibana().services; const isInternalAlertsTableEnabled = getIsExperimentalFeatureEnabled('internalAlertsTable'); const tabs: Array<{ @@ -70,6 +71,30 @@ export const TriggersActionsUIHome: React.FunctionComponent { + return suspendedComponentWithProps( + RulesList, + 'xl' + )({ + showCreateRuleButton: false, + showCreateRuleButtonInPrompt: true, + setHeaderActions, + }); + }, []); + + const renderLogsList = useCallback(() => { + return ( + + {suspendedComponentWithProps( + LogsList, + 'xl' + )({ + setHeaderActions, + })} + + ); + }, []); + // Set breadcrumb and page title useEffect(() => { setBreadcrumbs([getAlertingSectionBreadcrumb(section || 'home')]); @@ -78,26 +103,15 @@ export const TriggersActionsUIHome: React.FunctionComponent - } - rightSideItems={[ - - - , - ]} + rightSideItems={headerActions} description={ - - - - + + {isInternalAlertsTableEnabled ? ( ( + + {suspendedComponentWithProps(AlertsPage, 'xl')({})} + + )} /> ) : ( diff --git a/x-pack/plugins/triggers_actions_ui/public/application/sections/logs_list/components/logs_list.tsx b/x-pack/plugins/triggers_actions_ui/public/application/sections/logs_list/components/logs_list.tsx index 404457af8fd01..c4fd40d11d1dd 100644 --- a/x-pack/plugins/triggers_actions_ui/public/application/sections/logs_list/components/logs_list.tsx +++ b/x-pack/plugins/triggers_actions_ui/public/application/sections/logs_list/components/logs_list.tsx @@ -6,12 +6,19 @@ */ import { suspendedComponentWithProps } from '../../../lib/suspended_component_with_props'; -import { RuleEventLogListTableWithApi } from '../../rule_details/components/rule_event_log_list_table'; +import { + RuleEventLogListTableWithApi, + RuleEventLogListCommonProps, +} from '../../rule_details/components/rule_event_log_list_table'; const GLOBAL_EVENT_LOG_LIST_STORAGE_KEY = 'xpack.triggersActionsUI.globalEventLogList.initialColumns'; -export const LogsList = () => { +export const LogsList = ({ + setHeaderActions, +}: { + setHeaderActions: RuleEventLogListCommonProps['setHeaderActions']; +}) => { return suspendedComponentWithProps( RuleEventLogListTableWithApi, 'xl' @@ -22,6 +29,7 @@ export const LogsList = () => { hasRuleNames: true, hasAllSpaceSwitch: true, localStorageKey: GLOBAL_EVENT_LOG_LIST_STORAGE_KEY, + setHeaderActions, }); }; diff --git a/x-pack/plugins/triggers_actions_ui/public/application/sections/rule_details/components/rule_event_log_list_table.tsx b/x-pack/plugins/triggers_actions_ui/public/application/sections/rule_details/components/rule_event_log_list_table.tsx index 0843c90046473..4d8024f7ca3dc 100644 --- a/x-pack/plugins/triggers_actions_ui/public/application/sections/rule_details/components/rule_event_log_list_table.tsx +++ b/x-pack/plugins/triggers_actions_ui/public/application/sections/rule_details/components/rule_event_log_list_table.tsx @@ -33,6 +33,7 @@ import { RuleEventLogDataGrid } from './rule_event_log_data_grid'; import { CenterJustifiedSpinner } from '../../../components/center_justified_spinner'; import { RuleActionErrorLogFlyout } from './rule_action_error_log_flyout'; import { RefineSearchPrompt } from '../refine_search_prompt'; +import { RulesListDocLink } from '../../rules_list/components/rules_list_doc_link'; import { LoadExecutionLogAggregationsProps } from '../../../lib/rule_api'; import { RuleEventLogListKPIWithApi as RuleEventLogListKPI } from './rule_event_log_list_kpi'; import { @@ -96,6 +97,7 @@ export type RuleEventLogListCommonProps = { overrideLoadGlobalExecutionLogAggregations?: RuleApis['loadGlobalExecutionLogAggregations']; hasRuleNames?: boolean; hasAllSpaceSwitch?: boolean; + setHeaderActions?: (components?: React.ReactNode[]) => void; } & Pick; export type RuleEventLogListTableProps = @@ -119,6 +121,7 @@ export const RuleEventLogListTable = ( initialPageSize = 10, hasRuleNames = false, hasAllSpaceSwitch = false, + setHeaderActions, } = props; const { uiSettings, notifications } = useKibana().services; @@ -201,6 +204,12 @@ export const RuleEventLogListTable = ( })); }, [sortingColumns]); + useEffect(() => { + setHeaderActions?.([]); + return () => setHeaderActions?.(); + // eslint-disable-next-line react-hooks/exhaustive-deps + }, []); + const loadLogsFn = useMemo(() => { if (ruleId === '*') { return overrideLoadGlobalExecutionLogAggregations ?? loadGlobalExecutionLogAggregations; diff --git a/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/create_rule_button.tsx b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/create_rule_button.tsx new file mode 100644 index 0000000000000..cae084f74d61c --- /dev/null +++ b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/create_rule_button.tsx @@ -0,0 +1,33 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { FormattedMessage } from '@kbn/i18n-react'; +import { EuiButton } from '@elastic/eui'; + +export interface CreateRuleButtonProps { + openFlyout: () => void; +} + +export const CreateRuleButton = (props: CreateRuleButtonProps) => { + const { openFlyout } = props; + + return ( + + + + ); +}; diff --git a/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.test.tsx b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.test.tsx index 928feb0aa900f..122785c55c401 100644 --- a/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.test.tsx +++ b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.test.tsx @@ -581,7 +581,10 @@ describe('rules_list component with props', () => { .exists() ).toBeTruthy(); // doesnt have a tick icon expect( - wrapper.find('[data-test-subj="actionTypeFilterButton"] .euiNotificationBadge').text() + wrapper + .find('[data-test-subj="actionTypeFilterButton"] .euiNotificationBadge') + .first() + .text() ).toEqual('1'); // badge is being shown }); }); diff --git a/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.tsx b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.tsx index 6664aff57b0b3..a2d79cb3401d0 100644 --- a/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.tsx +++ b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list.tsx @@ -12,7 +12,16 @@ import moment from 'moment'; import { capitalize, isEmpty, sortBy } from 'lodash'; import { KueryNode } from '@kbn/es-query'; import { FormattedMessage } from '@kbn/i18n-react'; -import React, { useEffect, useState, ReactNode, useCallback, useMemo, useRef } from 'react'; +import React, { + lazy, + useEffect, + useState, + ReactNode, + useCallback, + useMemo, + useRef, + Suspense, +} from 'react'; import { EuiButton, EuiFieldSearch, @@ -21,7 +30,7 @@ import { EuiFilterGroup, EuiSpacer, EuiLink, - EuiEmptyPrompt, + EuiPageTemplate, EuiTableSortingType, EuiButtonIcon, EuiSelectableOption, @@ -50,7 +59,6 @@ import { TriggersActionsUiConfig, SnoozeSchedule, } from '../../../../types'; -import { RuleAdd, RuleEdit } from '../../rule_form'; import { BulkOperationPopover } from '../../common/components/bulk_operation_popover'; import { RuleQuickEditButtonsWithApi as RuleQuickEditButtons } from '../../common/components/rule_quick_edit_buttons'; import { CollapsedItemActionsWithApi as CollapsedItemActions } from './collapsed_item_actions'; @@ -75,11 +83,11 @@ import { loadActionTypes } from '../../../lib/action_connector_api'; import { hasAllPrivilege, hasExecuteActionsCapability } from '../../../lib/capabilities'; import { DEFAULT_SEARCH_PAGE_SIZE } from '../../../constants'; import { RulesDeleteModalConfirmation } from '../../../components/rules_delete_modal_confirmation'; -import { EmptyPrompt } from '../../../components/prompts/empty_prompt'; +import { RulesListPrompts } from './rules_list_prompts'; import { ALERT_STATUS_LICENSE_ERROR } from '../translations'; import { useKibana } from '../../../../common/lib/kibana'; import './rules_list.scss'; -import { CenterJustifiedSpinner } from '../../../components/center_justified_spinner'; +import { CreateRuleButton } from './create_rule_button'; import { ManageLicenseModal } from './manage_license_modal'; import { triggersActionsUiConfig } from '../../../../common/lib/config_api'; import { RuleTagFilter } from './rule_tag_filter'; @@ -90,6 +98,7 @@ import { useLoadTags } from '../../../hooks/use_load_tags'; import { useLoadRuleAggregations } from '../../../hooks/use_load_rule_aggregations'; import { RulesListTable, convertRulesToTableItems } from './rules_list_table'; import { RulesListAutoRefresh } from './rules_list_auto_refresh'; +import { RulesListDocLink } from './rules_list_doc_link'; import { UpdateApiKeyModalConfirmation } from '../../../components/update_api_key_modal_confirmation'; import { RulesListVisibleColumns } from './rules_list_column_selector'; import { BulkSnoozeModalWithApi as BulkSnoozeModal } from './bulk_snooze_modal'; @@ -105,6 +114,11 @@ import { } from '../translations'; import { useBulkOperationToast } from '../../../hooks/use_bulk_operation_toast'; +// Directly lazy import the flyouts because the suspendedComponentWithProps component +// cause a visual hitch due to the loading spinner +const RuleAdd = lazy(() => import('../../rule_form/rule_add')); +const RuleEdit = lazy(() => import('../../rule_form/rule_edit')); + const ENTER_KEY = 13; interface RulesPageContainerState { @@ -117,6 +131,8 @@ export interface RulesListProps { showActionFilter?: boolean; ruleDetailsRoute?: string; showCreateRuleButton?: boolean; + showCreateRuleButtonInPrompt?: boolean; + setHeaderActions?: (components?: React.ReactNode[]) => void; statusFilter?: RuleStatus[]; onStatusFilterChange?: (status: RuleStatus[]) => RulesPageContainerState; lastResponseFilter?: string[]; @@ -151,12 +167,14 @@ export const RulesList = ({ showActionFilter = true, ruleDetailsRoute, showCreateRuleButton = true, + showCreateRuleButtonInPrompt = false, statusFilter, onStatusFilterChange, lastResponseFilter, onLastResponseFilterChange, lastRunOutcomeFilter, onLastRunOutcomeFilterChange, + setHeaderActions, refresh, rulesListKey, visibleColumns, @@ -767,6 +785,10 @@ export const RulesList = ({ } }; + const openFlyout = useCallback(() => { + setRuleFlyoutVisibility(true); + }, []); + const table = ( <> {authorizedToCreateAnyRules && showCreateRuleButton ? ( - setRuleFlyoutVisibility(true)} - > - - + ) : null} @@ -1007,24 +1019,33 @@ export const RulesList = ({ )} ); - // if initial load, show spinner - const getRulesList = () => { - if (noData && !rulesState.isLoading && !ruleTypesState.isLoading) { - return authorizedToCreateAnyRules ? ( - setRuleFlyoutVisibility(true)} - /> - ) : ( - noPermissionPrompt - ); - } + const showPrompt = noData && !rulesState.isLoading && !ruleTypesState.isLoading; + + useEffect(() => { if (initialLoad) { - return ; + return; + } + if (showPrompt && !authorizedToCreateAnyRules) { + setHeaderActions?.([]); + return; + } + if (!showPrompt && authorizedToCreateAnyRules) { + setHeaderActions?.([, ]); + return; } + setHeaderActions?.(); + }, [initialLoad, showPrompt, authorizedToCreateAnyRules]); - return table; + useEffect(() => { + return () => setHeaderActions?.(); + }, []); + + const renderTable = () => { + if (!showPrompt && !initialLoad) { + return table; + } + return null; }; const [isDeleteModalFlyoutVisible, setIsDeleteModalVisibility] = useState(false); @@ -1089,140 +1110,130 @@ export const RulesList = ({ const numberRulesToDelete = rulesToDelete.length || numberOfSelectedItems; return ( -
- {isDeleteModalFlyoutVisible && ( - - )} - { - clearRulesToSnooze(); - clearRulesToUnsnooze(); - }} - onSave={async () => { - clearRulesToSnooze(); - clearRulesToUnsnooze(); - onClearSelection(); - await refreshRules(); - }} - onSearchPopulate={onSearchPopulate} - /> - { - clearRulesToSchedule(); - clearRulesToUnschedule(); - }} - onSave={async () => { - clearRulesToSchedule(); - clearRulesToUnschedule(); - onClearSelection(); - await refreshRules(); - }} - onSearchPopulate={onSearchPopulate} - /> - { - clearRulesToUpdateAPIKey(); - }} - idsToUpdate={rulesToUpdateAPIKey} - idsToUpdateFilter={rulesToUpdateAPIKeyFilter} - numberOfSelectedRules={numberOfSelectedItems} - apiUpdateApiKeyCall={bulkUpdateAPIKey} - setIsLoadingState={(isLoading: boolean) => { - setIsUpdatingRuleAPIKeys(isLoading); - setRulesState({ ...rulesState, isLoading }); - }} - onUpdated={async () => { - clearRulesToUpdateAPIKey(); - onClearSelection(); - await refreshRules(); - }} - onSearchPopulate={onSearchPopulate} + <> + - - {getRulesList()} - {ruleFlyoutVisible && ( - + {isDeleteModalFlyoutVisible && ( + + )} + { - setRuleFlyoutVisibility(false); + clearRulesToSnooze(); + clearRulesToUnsnooze(); + }} + onSave={async () => { + clearRulesToSnooze(); + clearRulesToUnsnooze(); + onClearSelection(); + await refreshRules(); }} - actionTypeRegistry={actionTypeRegistry} - ruleTypeRegistry={ruleTypeRegistry} - ruleTypeIndex={ruleTypesState.data} - onSave={refreshRules} + onSearchPopulate={onSearchPopulate} /> - )} - {editFlyoutVisible && currentRuleToEdit && ( - { - setEditFlyoutVisibility(false); + clearRulesToSchedule(); + clearRulesToUnschedule(); }} - actionTypeRegistry={actionTypeRegistry} - ruleTypeRegistry={ruleTypeRegistry} - ruleType={ - ruleTypesState.data.get(currentRuleToEdit.ruleTypeId) as RuleType - } - onSave={refreshRules} + onSave={async () => { + clearRulesToSchedule(); + clearRulesToUnschedule(); + onClearSelection(); + await refreshRules(); + }} + onSearchPopulate={onSearchPopulate} /> - )} -
+ { + clearRulesToUpdateAPIKey(); + }} + idsToUpdate={rulesToUpdateAPIKey} + idsToUpdateFilter={rulesToUpdateAPIKeyFilter} + numberOfSelectedRules={numberOfSelectedItems} + apiUpdateApiKeyCall={bulkUpdateAPIKey} + setIsLoadingState={(isLoading: boolean) => { + setIsUpdatingRuleAPIKeys(isLoading); + setRulesState({ ...rulesState, isLoading }); + }} + onUpdated={async () => { + clearRulesToUpdateAPIKey(); + onClearSelection(); + await refreshRules(); + }} + onSearchPopulate={onSearchPopulate} + /> + + {renderTable()} + {ruleFlyoutVisible && ( + }> + { + setRuleFlyoutVisibility(false); + }} + actionTypeRegistry={actionTypeRegistry} + ruleTypeRegistry={ruleTypeRegistry} + ruleTypeIndex={ruleTypesState.data} + onSave={refreshRules} + /> + + )} + {editFlyoutVisible && currentRuleToEdit && ( + }> + { + setEditFlyoutVisibility(false); + }} + actionTypeRegistry={actionTypeRegistry} + ruleTypeRegistry={ruleTypeRegistry} + ruleType={ + ruleTypesState.data.get(currentRuleToEdit.ruleTypeId) as RuleType + } + onSave={refreshRules} + /> + + )} + + ); }; // eslint-disable-next-line import/no-default-export export { RulesList as default }; -const noPermissionPrompt = ( - - - - } - body={ -

- -

- } - /> -); - function filterRulesById(rules: Rule[], ids: string[]): Rule[] { return rules.filter((rule) => ids.includes(rule.id)); } diff --git a/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_doc_link.tsx b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_doc_link.tsx new file mode 100644 index 0000000000000..c3448ec3461ee --- /dev/null +++ b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_doc_link.tsx @@ -0,0 +1,29 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { FormattedMessage } from '@kbn/i18n-react'; +import { EuiButtonEmpty } from '@elastic/eui'; +import { useKibana } from '../../../../common/lib/kibana'; + +export const RulesListDocLink = () => { + const { docLinks } = useKibana().services; + + return ( + + + + ); +}; diff --git a/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_prompts.tsx b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_prompts.tsx new file mode 100644 index 0000000000000..0f4f7af714471 --- /dev/null +++ b/x-pack/plugins/triggers_actions_ui/public/application/sections/rules_list/components/rules_list_prompts.tsx @@ -0,0 +1,45 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { EuiPageTemplate } from '@elastic/eui'; +import { EmptyPrompt } from '../../../components/prompts/empty_prompt'; +import { CenterJustifiedSpinner } from '../../../components/center_justified_spinner'; +import { NoPermissionPrompt } from '../../../components/prompts/no_permission_prompt'; + +interface RulesListPromptsProps { + showPrompt: boolean; + showCreateRule: boolean; + showSpinner: boolean; + authorizedToCreateRules: boolean; + onCreateRulesClick: () => void; +} + +export const RulesListPrompts = (props: RulesListPromptsProps) => { + const { showPrompt, authorizedToCreateRules, showSpinner, showCreateRule, onCreateRulesClick } = + props; + + if (showPrompt) { + if (authorizedToCreateRules) { + return ( + + ); + } else { + return ; + } + } + + if (showSpinner) { + return ( + + + + ); + } + + return null; +}; diff --git a/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/logs_list.ts b/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/logs_list.ts index ea9fd10f89b5d..8cc64e39221d9 100644 --- a/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/logs_list.ts +++ b/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/logs_list.ts @@ -51,6 +51,7 @@ export default ({ getPageObjects, getService }: FtrProviderContext) => { const spaces = getService('spaces'); async function refreshLogsList() { + await pageObjects.common.navigateToApp('triggersActions'); await testSubjects.click('logsTab'); } From 9675ad1964cf00537e2057bf385aa8c51379315a Mon Sep 17 00:00:00 2001 From: Mark Hopkin Date: Thu, 8 Dec 2022 21:17:42 +0000 Subject: [PATCH 05/20] [Fleet] Add command line args to install_all_packages script (#147288) ## Summary Add command line arguments to the install all packages script. Also return error code on exit if there were errors. --- .../install_all_packages.ts | 105 ++++++++++++------ 1 file changed, 72 insertions(+), 33 deletions(-) diff --git a/x-pack/plugins/fleet/scripts/install_all_packages/install_all_packages.ts b/x-pack/plugins/fleet/scripts/install_all_packages/install_all_packages.ts index 2b8178c8f2247..e38f08867338b 100644 --- a/x-pack/plugins/fleet/scripts/install_all_packages/install_all_packages.ts +++ b/x-pack/plugins/fleet/scripts/install_all_packages/install_all_packages.ts @@ -8,25 +8,57 @@ import fetch from 'node-fetch'; import { kibanaPackageJson } from '@kbn/utils'; import { ToolingLog } from '@kbn/tooling-log'; +import yargs from 'yargs'; -const REGISTRY_URL = 'https://epr.elastic.co'; -const KIBANA_URL = 'http://localhost:5601'; -const KIBANA_USERNAME = 'elastic'; -const KIBANA_PASSWORD = 'changeme'; - +const DEFAULT_REGISTRY_URL = 'https://epr.elastic.co'; +const DEFAULT_KIBANA_URL = 'http://localhost:5601'; +const DEFAULT_KIBANA_USERNAME = 'elastic'; +const DEFAULT_KIBANA_PASSWORD = 'changeme'; const KIBANA_VERSION = kibanaPackageJson.version; -const SKIP_PACKAGES: string[] = []; +const logger = new ToolingLog({ + level: 'info', + writeTo: process.stdout, +}); + +const { + registryUrl = DEFAULT_REGISTRY_URL, + kibanaUrl = DEFAULT_KIBANA_URL, + kibanaUsername = DEFAULT_KIBANA_USERNAME, + kibanaPassword = DEFAULT_KIBANA_PASSWORD, + skip: skipPackagesArg, + delete: deletePackages = false, + // ignore yargs positional args + _, + $0, + ...otherArgs +} = yargs(process.argv.slice(2)).argv; + +const skipPackages = typeof skipPackagesArg === 'string' ? skipPackagesArg.split(',') : []; +const printUsage = () => + logger.info(` + Install all packages from the specified package registry + + Usage: node install_all_packages [--registryUrl=${DEFAULT_REGISTRY_URL}] [--kibanaUrl=${DEFAULT_KIBANA_URL}] [--kibanaUsername=${DEFAULT_KIBANA_USERNAME}] [--kibanaPassword=${DEFAULT_KIBANA_PASSWORD}] [--delete] + `); + +if (Object.keys(otherArgs).length > 0) { + logger.error('Unknown arguments: ' + Object.keys(otherArgs).join(', ')); + printUsage(); + process.exit(1); +} + +const Authorization = + 'Basic ' + Buffer.from(`${kibanaUsername}:${kibanaPassword}`).toString('base64'); async function installPackage(name: string, version: string) { const start = Date.now(); - const res = await fetch(`${KIBANA_URL}/api/fleet/epm/packages/${name}/${version}`, { + const res = await fetch(`${kibanaUrl}/api/fleet/epm/packages/${name}/${version}`, { headers: { accept: '*/*', 'content-type': 'application/json', 'kbn-xsrf': 'xyz', - Authorization: - 'Basic ' + Buffer.from(`${KIBANA_USERNAME}:${KIBANA_PASSWORD}`).toString('base64'), + Authorization, }, body: JSON.stringify({ force: true }), method: 'POST', @@ -35,29 +67,28 @@ async function installPackage(name: string, version: string) { const body = await res.json(); - return { body, status: res.status, took: (end - start) / 1000 }; + return { body, status: res.status, took: (end - start) / 1000, didError: res.status !== 200 }; } async function deletePackage(name: string, version: string) { - const res = await fetch(`${KIBANA_URL}/api/fleet/epm/packages/${name}-${version}`, { + const res = await fetch(`${kibanaUrl}/api/fleet/epm/packages/${name}-${version}`, { headers: { accept: '*/*', 'content-type': 'application/json', 'kbn-xsrf': 'xyz', - Authorization: - 'Basic ' + Buffer.from(`${KIBANA_USERNAME}:${KIBANA_PASSWORD}`).toString('base64'), + Authorization, }, method: 'DELETE', }); const body = await res.json(); - return { body, status: res.status }; + return { body, status: res.status, didError: res.status !== 200 }; } async function getAllPackages() { const res = await fetch( - `${REGISTRY_URL}/search?prerelease=true&kibana.version=${KIBANA_VERSION}`, + `${registryUrl}/search?prerelease=true&kibana.version=${KIBANA_VERSION}`, { headers: { accept: '*/*', @@ -70,7 +101,6 @@ async function getAllPackages() { } function logResult( - logger: ToolingLog, pkg: { name: string; version: string }, result: { took?: number; status?: number } ) { @@ -83,36 +113,45 @@ function logResult( } export async function run() { - const logger = new ToolingLog({ - level: 'info', - writeTo: process.stdout, - }); const allPackages = await getAllPackages(); + let errorCount = 0; + + const updateErrorCount = (result: { didError: boolean }) => { + if (result.didError) { + errorCount++; + } + }; + logger.info('INSTALLING packages'); for (const pkg of allPackages) { - if (SKIP_PACKAGES.includes(pkg.name)) { + if (skipPackages.includes(pkg.name)) { logger.info(`Skipping ${pkg.name}`); continue; } const result = await installPackage(pkg.name, pkg.version); + updateErrorCount(result); - logResult(logger, pkg, result); + logResult(pkg, result); } - const deletePackages = process.argv.includes('--delete'); - - if (!deletePackages) return; - - logger.info('DELETING packages'); - for (const pkg of allPackages) { - if (SKIP_PACKAGES.includes(pkg.name)) { - logger.info(`Skipping ${pkg.name}`); - continue; + if (deletePackages) { + logger.info('DELETING packages'); + for (const pkg of allPackages) { + if (skipPackages.includes(pkg.name)) { + logger.info(`Skipping ${pkg.name}`); + continue; + } + const result = await deletePackage(pkg.name, pkg.version); + updateErrorCount(result); + + logResult(pkg, result); } - const result = await deletePackage(pkg.name, pkg.version); + } - logResult(logger, pkg, result); + if (errorCount > 0) { + logger.error(`There were ${errorCount} errors, exiting with code`); + process.exit(1); } } From 866101eda6b9a3abbf379948096b6c76f4443bf1 Mon Sep 17 00:00:00 2001 From: Gil Raphaelli Date: Thu, 8 Dec 2022 16:43:52 -0500 Subject: [PATCH 06/20] [APM] update APM query doc table of contents (#147156) --- x-pack/plugins/apm/dev_docs/apm_queries.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/x-pack/plugins/apm/dev_docs/apm_queries.md b/x-pack/plugins/apm/dev_docs/apm_queries.md index 952d38b42691a..69f5953cce59c 100644 --- a/x-pack/plugins/apm/dev_docs/apm_queries.md +++ b/x-pack/plugins/apm/dev_docs/apm_queries.md @@ -1,8 +1,8 @@ ### Table of Contents - [Transactions](#transactions) +- [Transactions in service inventory page](#transactions-in-service-inventory-page) - [System metrics](#system-metrics) -- [Transaction breakdown metrics](#transaction-breakdown-metrics) - [Span breakdown metrics](#span-breakdown-metrics) - [Service destination metrics](#service-destination-metrics) - [Common filters](#common-filters) From 1bf581af01de99765d7bd45d1e67f667e36dc0bd Mon Sep 17 00:00:00 2001 From: Michael Dokolin Date: Thu, 8 Dec 2022 22:51:04 +0100 Subject: [PATCH 07/20] [Health Gateway] Add integration tests (#146334) --- .buildkite/ftr_configs.yml | 1 + .../src/kibana/kibana_service.ts | 1 + .../src/kibana/routes/root.ts | 14 ++-- .../src/plugin_search_paths.js | 1 + test/health_gateway/config.ts | 34 +++++++++ test/health_gateway/fixtures/flaky.yaml | 13 ++++ test/health_gateway/fixtures/healthy.yaml | 14 ++++ test/health_gateway/fixtures/invalid.yaml | 13 ++++ test/health_gateway/fixtures/mixed.yaml | 13 ++++ test/health_gateway/fixtures/timeout.yaml | 13 ++++ test/health_gateway/fixtures/unhealthy.yaml | 12 +++ .../health_gateway/plugins/status/kibana.json | 12 +++ .../plugins/status/package.json | 10 +++ .../plugins/status/server/index.ts | 13 ++++ .../plugins/status/server/plugin.ts | 62 ++++++++++++++++ .../plugins/status/tsconfig.json | 13 ++++ .../health_gateway/services/health_gateway.ts | 74 +++++++++++++++++++ test/health_gateway/services/index.ts | 16 ++++ .../tests/ftr_provider_context.d.ts | 12 +++ test/health_gateway/tests/index.ts | 63 ++++++++++++++++ test/scripts/jenkins_build_plugins.sh | 1 + test/scripts/jenkins_ci_group.sh | 1 + test/scripts/jenkins_plugin_functional.sh | 1 + test/scripts/test/health_gateway.sh | 9 +++ tsconfig.base.json | 2 + 25 files changed, 411 insertions(+), 7 deletions(-) create mode 100644 test/health_gateway/config.ts create mode 100644 test/health_gateway/fixtures/flaky.yaml create mode 100644 test/health_gateway/fixtures/healthy.yaml create mode 100644 test/health_gateway/fixtures/invalid.yaml create mode 100644 test/health_gateway/fixtures/mixed.yaml create mode 100644 test/health_gateway/fixtures/timeout.yaml create mode 100644 test/health_gateway/fixtures/unhealthy.yaml create mode 100644 test/health_gateway/plugins/status/kibana.json create mode 100644 test/health_gateway/plugins/status/package.json create mode 100644 test/health_gateway/plugins/status/server/index.ts create mode 100644 test/health_gateway/plugins/status/server/plugin.ts create mode 100644 test/health_gateway/plugins/status/tsconfig.json create mode 100644 test/health_gateway/services/health_gateway.ts create mode 100644 test/health_gateway/services/index.ts create mode 100644 test/health_gateway/tests/ftr_provider_context.d.ts create mode 100644 test/health_gateway/tests/index.ts create mode 100755 test/scripts/test/health_gateway.sh diff --git a/.buildkite/ftr_configs.yml b/.buildkite/ftr_configs.yml index 734bbce3ff84d..ea8674947a82d 100644 --- a/.buildkite/ftr_configs.yml +++ b/.buildkite/ftr_configs.yml @@ -96,6 +96,7 @@ enabled: - test/functional/apps/visualize/replaced_vislib_chart_types/config.ts - test/functional/config.ccs.ts - test/functional/config.firefox.js + - test/health_gateway/config.ts - test/interactive_setup_api_integration/enrollment_flow.config.ts - test/interactive_setup_api_integration/manual_configuration_flow_without_tls.config.ts - test/interactive_setup_api_integration/manual_configuration_flow.config.ts diff --git a/packages/kbn-health-gateway-server/src/kibana/kibana_service.ts b/packages/kbn-health-gateway-server/src/kibana/kibana_service.ts index f55233a16502d..18d1db7b79a25 100644 --- a/packages/kbn-health-gateway-server/src/kibana/kibana_service.ts +++ b/packages/kbn-health-gateway-server/src/kibana/kibana_service.ts @@ -35,6 +35,7 @@ export class KibanaService { async start({ server }: KibanaServiceStartDependencies) { server.addRoute(new RootRoute(this.kibanaConfig, this.logger)); + this.logger.info('Server is ready'); } stop() { diff --git a/packages/kbn-health-gateway-server/src/kibana/routes/root.ts b/packages/kbn-health-gateway-server/src/kibana/routes/root.ts index 6cc3cafdb793f..eed165b41d6d4 100644 --- a/packages/kbn-health-gateway-server/src/kibana/routes/root.ts +++ b/packages/kbn-health-gateway-server/src/kibana/routes/root.ts @@ -40,7 +40,6 @@ export class RootRoute implements ServerRoute { return (status >= 200 && status <= 299) || status === 302; } - private static readonly POLL_ROUTE = '/'; private static readonly STATUS_CODE: Record = { healthy: 200, unhealthy: 503, @@ -78,13 +77,14 @@ export class RootRoute implements ServerRoute { } private async pollHost(host: string): Promise { - const url = `${host}${RootRoute.POLL_ROUTE}`; - this.logger.debug(`Requesting ${url}`); + this.logger.debug(`Requesting '${host}'`); try { - const response = await this.fetch(url); + const response = await this.fetch(host); const status = RootRoute.isHealthy(response) ? 'healthy' : 'unhealthy'; - this.logger.debug(`${capitalize(status)} response from ${url} with code ${response.status}`); + this.logger.debug( + `${capitalize(status)} response from '${host}' with code ${response.status}` + ); return { host, @@ -95,7 +95,7 @@ export class RootRoute implements ServerRoute { this.logger.error(error); if (error.name === 'AbortError') { - this.logger.error(`Request timeout for ${url}`); + this.logger.error(`Request timeout for '${host}'`); return { host, @@ -103,7 +103,7 @@ export class RootRoute implements ServerRoute { }; } - this.logger.error(`Failed response from ${url}: ${error.message}`); + this.logger.error(`Failed response from '${host}': ${error.message}`); return { host, diff --git a/packages/kbn-plugin-discovery/src/plugin_search_paths.js b/packages/kbn-plugin-discovery/src/plugin_search_paths.js index b82e85a005c77..efb1a9f0751c1 100644 --- a/packages/kbn-plugin-discovery/src/plugin_search_paths.js +++ b/packages/kbn-plugin-discovery/src/plugin_search_paths.js @@ -23,6 +23,7 @@ function getPluginSearchPaths({ rootDir, oss, examples, testPlugins }) { ...(testPlugins ? [ resolve(rootDir, 'test/analytics/fixtures/plugins'), + resolve(rootDir, 'test/health_gateway/plugins'), resolve(rootDir, 'test/plugin_functional/plugins'), resolve(rootDir, 'test/interpreter_functional/plugins'), resolve(rootDir, 'test/common/fixtures/plugins'), diff --git a/test/health_gateway/config.ts b/test/health_gateway/config.ts new file mode 100644 index 0000000000000..7866ec75b5f14 --- /dev/null +++ b/test/health_gateway/config.ts @@ -0,0 +1,34 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +import path from 'path'; +import { FtrConfigProviderContext } from '@kbn/test'; +import { services } from './services'; + +export default async function ({ readConfigFile }: FtrConfigProviderContext) { + const functionalConfig = await readConfigFile(require.resolve('../functional/config.base.js')); + + return { + services, + rootTags: ['runOutsideOfCiGroups'], + esTestCluster: functionalConfig.get('esTestCluster'), + servers: functionalConfig.get('servers'), + testFiles: [require.resolve('./tests')], + junit: { + reportName: 'Health Gateway Functional Tests', + }, + kbnTestServer: { + ...functionalConfig.get('kbnTestServer'), + serverArgs: [ + ...functionalConfig.get('kbnTestServer.serverArgs'), + '--env.name=development', + `--plugin-path=${path.resolve(__dirname, 'plugins/status')}`, + ], + }, + }; +} diff --git a/test/health_gateway/fixtures/flaky.yaml b/test/health_gateway/fixtures/flaky.yaml new file mode 100644 index 0000000000000..0660c4e2b586b --- /dev/null +++ b/test/health_gateway/fixtures/flaky.yaml @@ -0,0 +1,13 @@ +server: + port: ${PORT} + host: ${HOST} + +kibana: + hosts: + - ${KIBANA_URL}/api/status/ok + - ${KIBANA_URL}/api/status/flaky?session=${SESSION} + +logging: + root: + appenders: ['console'] + level: 'all' diff --git a/test/health_gateway/fixtures/healthy.yaml b/test/health_gateway/fixtures/healthy.yaml new file mode 100644 index 0000000000000..20dc8bc5034e6 --- /dev/null +++ b/test/health_gateway/fixtures/healthy.yaml @@ -0,0 +1,14 @@ +server: + port: ${PORT} + host: ${HOST} + +kibana: + hosts: + - ${KIBANA_URL}/api/status/ok + - ${KIBANA_URL}/api/status/redirect + - ${KIBANA_URL}/api/status/unauthorized + +logging: + root: + appenders: ['console'] + level: 'all' diff --git a/test/health_gateway/fixtures/invalid.yaml b/test/health_gateway/fixtures/invalid.yaml new file mode 100644 index 0000000000000..c1b393b6d279b --- /dev/null +++ b/test/health_gateway/fixtures/invalid.yaml @@ -0,0 +1,13 @@ +server: + port: ${PORT} + host: ${HOST} + +kibana: + hosts: + - http://localhost:65537/api/status/ok + requestTimeout: 2s + +logging: + root: + appenders: ['console'] + level: 'all' diff --git a/test/health_gateway/fixtures/mixed.yaml b/test/health_gateway/fixtures/mixed.yaml new file mode 100644 index 0000000000000..61946d1bc021b --- /dev/null +++ b/test/health_gateway/fixtures/mixed.yaml @@ -0,0 +1,13 @@ +server: + port: ${PORT} + host: ${HOST} + +kibana: + hosts: + - ${KIBANA_URL}/api/status/ok + - ${KIBANA_URL}/api/status/not-found + +logging: + root: + appenders: ['console'] + level: 'all' diff --git a/test/health_gateway/fixtures/timeout.yaml b/test/health_gateway/fixtures/timeout.yaml new file mode 100644 index 0000000000000..00c1caa50fea4 --- /dev/null +++ b/test/health_gateway/fixtures/timeout.yaml @@ -0,0 +1,13 @@ +server: + port: ${PORT} + host: ${HOST} + +kibana: + hosts: + - ${KIBANA_URL}/api/status/slow + requestTimeout: 2s + +logging: + root: + appenders: ['console'] + level: 'all' diff --git a/test/health_gateway/fixtures/unhealthy.yaml b/test/health_gateway/fixtures/unhealthy.yaml new file mode 100644 index 0000000000000..9783de33845d3 --- /dev/null +++ b/test/health_gateway/fixtures/unhealthy.yaml @@ -0,0 +1,12 @@ +server: + port: ${PORT} + host: ${HOST} + +kibana: + hosts: + - ${KIBANA_URL}/api/status/not-found + +logging: + root: + appenders: ['console'] + level: 'all' diff --git a/test/health_gateway/plugins/status/kibana.json b/test/health_gateway/plugins/status/kibana.json new file mode 100644 index 0000000000000..63ef1ca26c355 --- /dev/null +++ b/test/health_gateway/plugins/status/kibana.json @@ -0,0 +1,12 @@ +{ + "id": "kbnHealthGatewayStatus", + "owner": { + "name": "Core", + "githubTeam": "kibana-core" + }, + "version": "0.1.0", + "kibanaVersion": "kibana", + "requiredPlugins": [], + "server": true, + "requiredBundles": [] +} diff --git a/test/health_gateway/plugins/status/package.json b/test/health_gateway/plugins/status/package.json new file mode 100644 index 0000000000000..5cc8b7201b18c --- /dev/null +++ b/test/health_gateway/plugins/status/package.json @@ -0,0 +1,10 @@ +{ + "name": "kbn_health_gateway_status", + "version": "0.1.0", + "main": "target/test/health_gateway/plugins/status", + "kibana": { + "version": "kibana", + "templateVersion": "0.1.0" + }, + "license": "SSPL-1.0 OR Elastic License 2.0" +} diff --git a/test/health_gateway/plugins/status/server/index.ts b/test/health_gateway/plugins/status/server/index.ts new file mode 100644 index 0000000000000..a71049da757d0 --- /dev/null +++ b/test/health_gateway/plugins/status/server/index.ts @@ -0,0 +1,13 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +import { HealthGatewayStatusPlugin } from './plugin'; + +export function plugin() { + return new HealthGatewayStatusPlugin(); +} diff --git a/test/health_gateway/plugins/status/server/plugin.ts b/test/health_gateway/plugins/status/server/plugin.ts new file mode 100644 index 0000000000000..5761580e9b801 --- /dev/null +++ b/test/health_gateway/plugins/status/server/plugin.ts @@ -0,0 +1,62 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +import { schema } from '@kbn/config-schema'; +import { CoreSetup, KibanaRequest, Plugin } from '@kbn/core/server'; + +export class HealthGatewayStatusPlugin implements Plugin { + public setup(core: CoreSetup) { + const router = core.http.createRouter(); + + router.get({ path: '/api/status/ok', validate: {} }, async (context, req, res) => res.ok()); + + router.get({ path: '/api/status/redirect', validate: {} }, async (context, req, res) => + res.redirected({ headers: { location: '/api/status/ok' } }) + ); + + router.get({ path: '/api/status/unauthorized', validate: {} }, async (context, req, res) => + res.unauthorized({ + headers: { 'www-authenticate': 'Basic' }, + }) + ); + + router.get({ path: '/api/status/not-found', validate: {} }, async (context, req, res) => + res.notFound() + ); + + router.get({ path: '/api/status/slow', validate: {} }, async (context, req, res) => { + await new Promise((resolve) => setTimeout(resolve, 5000)); + + return res.ok(); + }); + + const sessions = new Set(); + router.get( + { + path: '/api/status/flaky', + validate: { + query: schema.object({ session: schema.string() }), + }, + }, + async (context, req: KibanaRequest, res) => { + if (sessions.has(req.query.session)) { + sessions.delete(req.query.session); + + return res.custom({ statusCode: 500, body: 'Flaky' }); + } + + sessions.add(req.query.session); + + return res.ok(); + } + ); + } + + public start() {} + public stop() {} +} diff --git a/test/health_gateway/plugins/status/tsconfig.json b/test/health_gateway/plugins/status/tsconfig.json new file mode 100644 index 0000000000000..481e1091600fd --- /dev/null +++ b/test/health_gateway/plugins/status/tsconfig.json @@ -0,0 +1,13 @@ +{ + "extends": "../../../../tsconfig.base.json", + "compilerOptions": { + "outDir": "./target/types" + }, + "include": [ + "server/**/*.ts", + ], + "exclude": [], + "kbn_references": [ + { "path": "../../../../src/core/tsconfig.json" } + ] +} diff --git a/test/health_gateway/services/health_gateway.ts b/test/health_gateway/services/health_gateway.ts new file mode 100644 index 0000000000000..dc3480c4552a8 --- /dev/null +++ b/test/health_gateway/services/health_gateway.ts @@ -0,0 +1,74 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +import { resolve } from 'path'; +import { format } from 'url'; +import getPort from 'get-port'; +import supertest from 'supertest'; +import { ProcRunner } from '@kbn/dev-proc-runner'; +import { REPO_ROOT } from '@kbn/utils'; +import { FtrService } from '../../functional/ftr_provider_context'; + +interface HealthGatewayOptions { + env?: Record; +} + +export class HealthGatewayService extends FtrService { + private runner = new ProcRunner(this.ctx.getService('log')); + private kibanaUrl = format(this.ctx.getService('config').get('servers.kibana')); + private host = 'localhost'; + private port?: number; + + private assertRunning() { + if (!this.port) { + throw new Error('Health gateway is not running'); + } + } + + async start(config: string, { env = {} }: HealthGatewayOptions = {}) { + if (this.port) { + throw new Error('Health gateway is already running'); + } + + this.port = await getPort({ port: getPort.makeRange(1024, 65536) }); + + await this.runner.run(`health-gateway-${this.port}`, { + cmd: 'yarn', + args: [ + 'kbn', + 'run-in-packages', + '--filter=@kbn/health-gateway-server', + 'start', + '--config', + resolve(__dirname, '..', config), + ], + cwd: REPO_ROOT, + env: { + ...env, + KIBANA_URL: this.kibanaUrl, + HOST: this.host, + PORT: `${this.port}`, + CI: '', // Override in the CI environment to capture the logs. + }, + wait: /Server is ready/, + }); + } + + async stop() { + this.assertRunning(); + + await this.runner?.stop(`health-gateway-${this.port}`); + this.port = undefined; + } + + poll() { + this.assertRunning(); + + return supertest(`http://${this.host}:${this.port}`).get('/').send(); + } +} diff --git a/test/health_gateway/services/index.ts b/test/health_gateway/services/index.ts new file mode 100644 index 0000000000000..b9c44e227adae --- /dev/null +++ b/test/health_gateway/services/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 + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +import { services as commonServices } from '../../common/services'; + +import { HealthGatewayService } from './health_gateway'; + +export const services = { + ...commonServices, + healthGateway: HealthGatewayService, +}; diff --git a/test/health_gateway/tests/ftr_provider_context.d.ts b/test/health_gateway/tests/ftr_provider_context.d.ts new file mode 100644 index 0000000000000..93624441a7a38 --- /dev/null +++ b/test/health_gateway/tests/ftr_provider_context.d.ts @@ -0,0 +1,12 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +import type { GenericFtrProviderContext } from '@kbn/test'; +import type { services } from '../services'; + +export type FtrProviderContext = GenericFtrProviderContext; diff --git a/test/health_gateway/tests/index.ts b/test/health_gateway/tests/index.ts new file mode 100644 index 0000000000000..958385090f9c9 --- /dev/null +++ b/test/health_gateway/tests/index.ts @@ -0,0 +1,63 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +import expect from '@kbn/expect'; +import { FtrProviderContext } from './ftr_provider_context'; + +export default function ({ getService }: FtrProviderContext) { + const healthGateway = getService('healthGateway'); + + describe('health gateway', () => { + it('returns 200 on healthy hosts', async () => { + await healthGateway.start('fixtures/healthy.yaml'); + + const { body } = await healthGateway.poll().expect(200); + expect(body).to.have.property('status', 'healthy'); + }); + + it('returns 503 on unhealthy host', async () => { + await healthGateway.start('fixtures/unhealthy.yaml'); + + const { body } = await healthGateway.poll().expect(503); + expect(body).to.have.property('status', 'unhealthy'); + }); + + it('returns 503 on mixed responses', async () => { + await healthGateway.start('fixtures/mixed.yaml'); + + const { body } = await healthGateway.poll().expect(503); + expect(body).to.have.property('status', 'unhealthy'); + }); + + it('returns 504 on timeout', async () => { + await healthGateway.start('fixtures/timeout.yaml'); + + const { body } = await healthGateway.poll().expect(504); + expect(body).to.have.property('status', 'timeout'); + }); + + it('returns 502 on exception', async () => { + await healthGateway.start('fixtures/invalid.yaml'); + + const { body } = await healthGateway.poll().expect(502); + expect(body).to.have.property('status', 'failure'); + }); + + it('returns different status codes on state changes', async () => { + await healthGateway.start('fixtures/flaky.yaml', { env: { SESSION: `${Math.random()}` } }); + + await healthGateway.poll().expect(200); + await healthGateway.poll().expect(503); + await healthGateway.poll().expect(200); + }); + + afterEach(async () => { + await healthGateway.stop(); + }); + }); +} diff --git a/test/scripts/jenkins_build_plugins.sh b/test/scripts/jenkins_build_plugins.sh index 131bf0121fa14..262257ebc8c87 100755 --- a/test/scripts/jenkins_build_plugins.sh +++ b/test/scripts/jenkins_build_plugins.sh @@ -5,6 +5,7 @@ source src/dev/ci_setup/setup_env.sh echo " -> building kibana platform plugins" node scripts/build_kibana_platform_plugins \ --scan-dir "$KIBANA_DIR/test/plugin_functional/plugins" \ + --scan-dir "$KIBANA_DIR/test/health_gateway/plugins" \ --scan-dir "$KIBANA_DIR/test/interpreter_functional/plugins" \ --scan-dir "$KIBANA_DIR/test/common/fixtures/plugins" \ --scan-dir "$KIBANA_DIR/examples" \ diff --git a/test/scripts/jenkins_ci_group.sh b/test/scripts/jenkins_ci_group.sh index b425889c42270..dde224823789b 100755 --- a/test/scripts/jenkins_ci_group.sh +++ b/test/scripts/jenkins_ci_group.sh @@ -13,6 +13,7 @@ if [[ -z "$CODE_COVERAGE" ]]; then if [[ ! "$TASK_QUEUE_PROCESS_ID" && "$CI_GROUP" == "1" ]]; then source test/scripts/jenkins_build_kbn_sample_panel_action.sh ./test/scripts/test/plugin_functional.sh + ./test/scripts/test/health_gateway.sh ./test/scripts/test/interpreter_functional.sh fi else diff --git a/test/scripts/jenkins_plugin_functional.sh b/test/scripts/jenkins_plugin_functional.sh index 4781f98b92b1f..984e648bf6b84 100755 --- a/test/scripts/jenkins_plugin_functional.sh +++ b/test/scripts/jenkins_plugin_functional.sh @@ -11,4 +11,5 @@ cd -; pwd ./test/scripts/test/plugin_functional.sh +./test/scripts/test/health_gateway.sh ./test/scripts/test/interpreter_functional.sh diff --git a/test/scripts/test/health_gateway.sh b/test/scripts/test/health_gateway.sh new file mode 100755 index 0000000000000..18a9b81b083de --- /dev/null +++ b/test/scripts/test/health_gateway.sh @@ -0,0 +1,9 @@ +#!/usr/bin/env bash + +source test/scripts/jenkins_test_setup_oss.sh + +node scripts/functional_tests \ + --config test/health_gateway/config.ts \ + --bail \ + --debug \ + --kibana-install-dir $KIBANA_INSTALL_DIR diff --git a/tsconfig.base.json b/tsconfig.base.json index 787992f6e2133..b715c0dc154ac 100644 --- a/tsconfig.base.json +++ b/tsconfig.base.json @@ -962,6 +962,8 @@ "@kbn/newsfeed-fixtures-plugin/*": ["test/common/fixtures/plugins/newsfeed/*"], "@kbn/open-telemetry-instrumented-plugin": ["test/common/fixtures/plugins/otel_metrics"], "@kbn/open-telemetry-instrumented-plugin/*": ["test/common/fixtures/plugins/otel_metrics/*"], + "@kbn/kbn-health-gateway-status-plugin": ["test/health_gateway/plugins/status"], + "@kbn/kbn-health-gateway-status-plugin/*": ["test/health_gateway/plugins/status/*"], "@kbn/kbn-tp-run-pipeline-plugin": ["test/interpreter_functional/plugins/kbn_tp_run_pipeline"], "@kbn/kbn-tp-run-pipeline-plugin/*": ["test/interpreter_functional/plugins/kbn_tp_run_pipeline/*"], "@kbn/app-link-test-plugin": ["test/plugin_functional/plugins/app_link_test"], From 3e56eba64d51aa98ef5d9ed8d7d6cdcfc1f3cd5d Mon Sep 17 00:00:00 2001 From: Mark Hopkin Date: Thu, 8 Dec 2022 22:03:29 +0000 Subject: [PATCH 08/20] [Fleet] Enhance create_agent script to allow setting agent status (#147109) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit ## Summary Part of #143455. Extend the create agent script so that we can create agents with a given status, also we can now clean up previous test agents. Usage: ``` Create mock agent documents for testing fleet queries/UIs at scale. example usage: node scripts/create_agents --count 50 --statuses online,offline --kibana http://localhost:5601/mybase --delete [--status]: status to set agents to, defaults to online, use comma separated for multiple e.g. online,offline "count" number of agents will be created for each status [--delete]: delete all fake agents before creating new ones [--count]: number of agents to create, defaults to 50k [--kibana]: full url of kibana instance to create agents and policy in e.g http://localhost:5601/mybase, defaults to http://localhost:5601 [--username]: username for kibana, defaults to elastic [--password]: password for kibana, defaults to changeme ``` Example output: ``` ❯ node scripts/create_agents --count 10 --kibana http://localhost:5601/mark --password password --delete --status offline,online,inactive info Deleting agents info Deleted 20 agents, took 43ms info Creating agent policy info Created agent policy 817c3d70-1755-409b-bd51-3d99a40bc2c9 info Creating fleet superuser info Role "fleet_superuser" already exists info User "fleet_superuser" already exists info Creating agent documents info Creating 30 agents with statuses: info offline: 10 info online: 10 info inactive: 10 info Created 30 agent docs, took 44, errors: false ``` --- .../scripts/create_agents/create_agents.ts | 267 +++++++++++++++--- 1 file changed, 225 insertions(+), 42 deletions(-) diff --git a/x-pack/plugins/fleet/scripts/create_agents/create_agents.ts b/x-pack/plugins/fleet/scripts/create_agents/create_agents.ts index 0a9d14339729a..7fad66faac7a3 100644 --- a/x-pack/plugins/fleet/scripts/create_agents/create_agents.ts +++ b/x-pack/plugins/fleet/scripts/create_agents/create_agents.ts @@ -4,45 +4,191 @@ * 2.0; you may not use this file except in compliance with the Elastic License * 2.0. */ - import fetch from 'node-fetch'; import { ToolingLog } from '@kbn/tooling-log'; import uuid from 'uuid/v4'; +import yargs from 'yargs'; + +import type { AgentStatus } from '../../common'; +import type { Agent } from '../../common'; +const printUsage = () => + logger.info(` + Create mock agent documents for testing fleet queries/UIs at scale. + + example usage: node scripts/create_agents --count 50 --statuses online,offline --kibana http://localhost:5601/mybase --delete + + [--status]: status to set agents to, defaults to online, use comma separated for multiple e.g. online,offline + "count" number of agents will be created for each status + [--delete]: delete all fake agents before creating new ones + [--agentVersion]: Agent version, defaults to kibana version + [--count]: number of agents to create, defaults to 50k + [--kibana]: full url of kibana instance to create agents and policy in e.g http://localhost:5601/mybase, defaults to http://localhost:5601 + [--username]: username for kibana, defaults to elastic + [--password]: password for kibana, defaults to changeme +`); -const KIBANA_URL = 'http://localhost:5601'; -const KIBANA_USERNAME = 'elastic'; -const KIBANA_PASSWORD = 'changeme'; +const DEFAULT_KIBANA_URL = 'http://localhost:5601'; +const DEFAULT_KIBANA_USERNAME = 'elastic'; +const DEFAULT_KIBANA_PASSWORD = 'changeme'; const ES_URL = 'http://localhost:9200'; const ES_SUPERUSER = 'fleet_superuser'; const ES_PASSWORD = 'password'; -async function createAgentDocsBulk(policyId: string, count: number) { +const INDEX_BULK_OP = '{ "index":{ } }\n'; + +const { + delete: deleteAgentsFirst = false, + status: statusArg = 'online', + count: countArg, + kibana: kibanaUrl = DEFAULT_KIBANA_URL, + agentVersion: agentVersionArg, + username: kbnUsername = DEFAULT_KIBANA_USERNAME, + password: kbnPassword = DEFAULT_KIBANA_PASSWORD, + // ignore yargs positional args, we only care about named args + _, + $0, + ...otherArgs +} = yargs(process.argv.slice(2)).argv; + +const statusesArg = (statusArg as string).split(',') as AgentStatus[]; +const count = countArg ? Number(countArg).valueOf() : 50000; +const kbnAuth = 'Basic ' + Buffer.from(kbnUsername + ':' + kbnPassword).toString('base64'); + +const logger = new ToolingLog({ + level: 'info', + writeTo: process.stdout, +}); + +function setAgentStatus(agent: any, status: AgentStatus) { + switch (status) { + case 'inactive': + agent.active = false; + break; + case 'enrolling': + agent.last_checkin = null; + break; + case 'offline': + agent.last_checkin = new Date(new Date().getTime() - 1000 * 60 * 5).toISOString(); + // half the time make the previous status error + if (Math.random() > 0.5) { + agent.last_checkin_status = 'ERROR'; + } + break; + case 'unenrolling': + agent.unenrollment_started_at = new Date().toISOString(); + break; + case 'error': + agent.last_checkin_status = 'ERROR'; + break; + case 'degraded': + agent.last_checkin_status = 'DEGRADED'; + break; + case 'updating': + agent.policy_revision = null; + agent.policy_revision_idx = null; + break; + case 'online': + agent.last_checkin = new Date().toISOString(); + break; + default: + logger.warning(`Ignoring unknown status ${status}`); + } + + // convert checkin status to lowercase 50% of the time as older agents use lowercase + // we should handle both cases + if (agent.last_checkin_status && Math.random() > 0.5) { + agent.last_checkin_status = agent.last_checkin_status.toLowerCase(); + } + + return agent; +} + +async function getKibanaVersion() { + const response = await fetch(`${kibanaUrl}/api/status`, { + headers: { Authorization: kbnAuth }, + }); + const { version } = await response.json(); + return version.number as string; +} + +function createAgentWithStatus({ + policyId, + status, + version, +}: { + policyId: string; + status: AgentStatus; + version: string; +}) { + const baseAgent = { + access_api_key_id: 'api-key-1', + active: true, + policy_id: policyId, + type: 'PERMANENT', + policy_revision_idx: 1, + policy_revision: 1, + local_metadata: { + elastic: { + agent: { + snapshot: false, + upgradeable: true, + version, + }, + }, + host: { hostname: uuid() }, + }, + user_provided_metadata: {}, + enrolled_at: new Date().toISOString(), + last_checkin: new Date().toISOString(), + tags: ['script_create_agents'], + }; + + return setAgentStatus(baseAgent, status); +} + +function createAgentsWithStatuses( + statusMap: Partial<{ [status in AgentStatus]: number }>, + policyId: string, + version: string +) { + // loop over statuses and create agents with that status + const agents = []; + // eslint-disable-next-line guard-for-in + for (const currentStatus in statusMap) { + const currentAgentStatus = currentStatus as AgentStatus; + const statusCount = statusMap[currentAgentStatus] || 0; + for (let i = 0; i < statusCount; i++) { + agents.push(createAgentWithStatus({ policyId, status: currentAgentStatus, version })); + } + } + + return agents; +} + +async function deleteAgents() { const auth = 'Basic ' + Buffer.from(ES_SUPERUSER + ':' + ES_PASSWORD).toString('base64'); - const body = ( - '{ "index":{ } }\n' + - JSON.stringify({ - access_api_key_id: 'api-key-1', - active: true, - policy_id: policyId, - type: 'PERMANENT', - local_metadata: { - elastic: { - agent: { - snapshot: false, - upgradeable: true, - version: '8.2.0', - }, + const res = await fetch(`${ES_URL}/.fleet-agents/_delete_by_query`, { + method: 'post', + body: JSON.stringify({ + query: { + term: { + tags: 'script_create_agents', }, - host: { hostname: uuid() }, }, - user_provided_metadata: {}, - enrolled_at: new Date().toISOString(), - last_checkin: new Date().toISOString(), - tags: ['script_create_agents'], - }) + - '\n' - ).repeat(count); + }), + headers: { + Authorization: auth, + 'Content-Type': 'application/json', + }, + }); + const data = await res.json(); + return data; +} + +async function createAgentDocsBulk(agents: Agent[]) { + const auth = 'Basic ' + Buffer.from(ES_SUPERUSER + ':' + ES_PASSWORD).toString('base64'); + const body = agents.flatMap((agent) => [INDEX_BULK_OP, JSON.stringify(agent) + '\n']).join(''); const res = await fetch(`${ES_URL}/.fleet-agents/_bulk`, { method: 'post', body, @@ -52,11 +198,15 @@ async function createAgentDocsBulk(policyId: string, count: number) { }, }); const data = await res.json(); + + if (!data.items) { + logger.error('Error creating agent docs: ' + JSON.stringify(data)); + process.exit(1); + } return data; } async function createSuperUser() { - const auth = 'Basic ' + Buffer.from(KIBANA_USERNAME + ':' + KIBANA_PASSWORD).toString('base64'); const roleRes = await fetch(`${ES_URL}/_security/role/${ES_SUPERUSER}`, { method: 'post', body: JSON.stringify({ @@ -69,7 +219,7 @@ async function createSuperUser() { ], }), headers: { - Authorization: auth, + Authorization: kbnAuth, 'Content-Type': 'application/json', }, }); @@ -81,7 +231,7 @@ async function createSuperUser() { roles: ['superuser', ES_SUPERUSER], }), headers: { - Authorization: auth, + Authorization: kbnAuth, 'Content-Type': 'application/json', }, }); @@ -90,8 +240,7 @@ async function createSuperUser() { } async function createAgentPolicy(id: string) { - const auth = 'Basic ' + Buffer.from(KIBANA_USERNAME + ':' + KIBANA_PASSWORD).toString('base64'); - const res = await fetch(`${KIBANA_URL}/api/fleet/agent_policies`, { + const res = await fetch(`${kibanaUrl}/api/fleet/agent_policies`, { method: 'post', body: JSON.stringify({ id, @@ -101,25 +250,57 @@ async function createAgentPolicy(id: string) { monitoring_enabled: ['logs'], }), headers: { - Authorization: auth, + Authorization: kbnAuth, 'Content-Type': 'application/json', 'kbn-xsrf': 'kibana', 'x-elastic-product-origin': 'fleet', }, }); const data = await res.json(); + + if (!data.item) { + logger.error('Agent policy not created, API response: ' + JSON.stringify(data)); + process.exit(1); + } return data; } +function logStatusMap(statusMap: Partial<{ [status in AgentStatus]: number }>) { + const statuses = Object.keys(statusMap); + logger.info( + `Creating ${Object.values(statusMap).reduce((a, b) => a + b, 0)} agents with statuses:` + ); + + if (statuses.length) { + statuses.forEach((status) => { + logger.info(` ${status}: ${statusMap[status as AgentStatus]}`); + }); + } +} + /** * Script to create large number of agent documents at once. * This is helpful for testing agent bulk actions locally as the kibana async logic kicks in for >10k agents. */ export async function run() { - const logger = new ToolingLog({ - level: 'info', - writeTo: process.stdout, - }); + if (Object.keys(otherArgs).length) { + logger.error(`Unknown arguments: ${Object.keys(otherArgs).join(', ')}`); + printUsage(); + process.exit(0); + } + + let agentVersion = agentVersionArg as string; + if (!agentVersion) { + logger.info('No agent version supplied, getting kibana version'); + agentVersion = await getKibanaVersion(); + } + logger.info('Using agent version ' + agentVersion); + + if (deleteAgentsFirst) { + logger.info('Deleting agents'); + const deleteRes = await deleteAgents(); + logger.info(`Deleted ${deleteRes.deleted} agents, took ${deleteRes.took}ms`); + } logger.info('Creating agent policy'); @@ -129,13 +310,15 @@ export async function run() { logger.info('Creating fleet superuser'); const { role, user } = await createSuperUser(); - logger.info(`Created role ${ES_SUPERUSER}, created: ${role.role.created}`); - logger.info(`Created user ${ES_SUPERUSER}, created: ${user.created}`); + logger.info(`Role "${ES_SUPERUSER}" ${role.role.created ? 'created' : 'already exists'}`); + logger.info(`User "${ES_SUPERUSER}" ${user.created ? 'created' : 'already exists'}`); logger.info('Creating agent documents'); - const count = 50000; - const agents = await createAgentDocsBulk(agentPolicyId, count); + const statusMap = statusesArg.reduce((acc, status) => ({ ...acc, [status]: count }), {}); + logStatusMap(statusMap); + const agents = createAgentsWithStatuses(statusMap, agentPolicyId, agentVersion); + const createRes = await createAgentDocsBulk(agents); logger.info( - `Created ${agents.items.length} agent docs, took ${agents.took}, errors: ${agents.errors}` + `Created ${createRes.items.length} agent docs, took ${createRes.took}, errors: ${createRes.errors}` ); } From cd4030e0bb4211d6a728af76463b17edb8b1bbb2 Mon Sep 17 00:00:00 2001 From: Tiago Costa Date: Fri, 9 Dec 2022 01:54:10 +0000 Subject: [PATCH 09/20] chore(NA): update versions after v8.5.4 bump (#147267) This PR is a simple update of our versions file after the recent bumps --- versions.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/versions.json b/versions.json index 8905b450dc6a3..33de9ad6b43d5 100644 --- a/versions.json +++ b/versions.json @@ -14,7 +14,7 @@ "previousMinor": true }, { - "version": "8.5.3", + "version": "8.5.4", "branch": "8.5", "currentMajor": true }, From 6814ed7e9109f0a5f90cc5e261eb0619312c78a2 Mon Sep 17 00:00:00 2001 From: Muhammad Ibragimov <53621505+mibragimov@users.noreply.github.com> Date: Fri, 9 Dec 2022 09:44:51 +0500 Subject: [PATCH 10/20] [Form lib] Fix validate method returning wrong state when called from onChange handler (#146371) Fixes https://github.com/elastic/kibana/issues/145846 ### Summary This PR fixes a bug in the form lib where the `validate` method would return the wrong state when called from an `onChange` handler. See https://github.com/elastic/kibana/issues/145846#issue-1457815157 for more details. Co-authored-by: Muhammad Ibragimov Co-authored-by: Yaroslav Kuznietsov Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- .../field_editor_flyout_content.test.ts | 3 + .../helpers/common_actions.ts | 4 + .../components/use_field.test.tsx | 4 +- .../hook_form_lib/hooks/use_form.test.tsx | 79 +++++++++++++++++-- .../forms/hook_form_lib/hooks/use_form.ts | 33 +++++--- .../features/request_flyout.test.ts | 6 +- .../helpers/actions/request_flyout_actions.ts | 1 + .../helpers/actions/save_policy_action.ts | 1 + .../template_create.test.tsx | 2 + .../template_edit.test.tsx | 2 + .../template_form.helpers.ts | 10 +++ .../helpers/mappings_editor.helpers.tsx | 15 +++- .../mappings_editor.test.tsx | 2 + .../runtime_fields.test.tsx | 1 + .../pipeline_processors_editor.helpers.tsx | 7 ++ .../pipeline_processors_editor.test.tsx | 1 + .../__jest__/processors/processor.helpers.tsx | 1 + .../__jest__/test_pipeline.helpers.tsx | 5 ++ .../__jest__/test_pipeline.test.tsx | 2 + .../runtime_field_editor.test.tsx | 13 ++- ...ntime_field_editor_flyout_content.test.tsx | 13 +++ 21 files changed, 181 insertions(+), 24 deletions(-) diff --git a/src/plugins/data_view_field_editor/__jest__/client_integration/field_editor_flyout_content.test.ts b/src/plugins/data_view_field_editor/__jest__/client_integration/field_editor_flyout_content.test.ts index 00945834b7afa..fdcbc5d4c5955 100644 --- a/src/plugins/data_view_field_editor/__jest__/client_integration/field_editor_flyout_content.test.ts +++ b/src/plugins/data_view_field_editor/__jest__/client_integration/field_editor_flyout_content.test.ts @@ -139,6 +139,7 @@ describe('', () => { await act(async () => { find('fieldSaveButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); expect(onSave).toHaveBeenCalled(); @@ -158,6 +159,7 @@ describe('', () => { await act(async () => { find('fieldSaveButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); fieldReturned = onSave.mock.calls[onSave.mock.calls.length - 1][0]; @@ -195,6 +197,7 @@ describe('', () => { await act(async () => { find('fieldSaveButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); expect(onSave).toBeCalled(); diff --git a/src/plugins/data_view_field_editor/__jest__/client_integration/helpers/common_actions.ts b/src/plugins/data_view_field_editor/__jest__/client_integration/helpers/common_actions.ts index 77e8e8834a0f4..4ec18b2d39dda 100644 --- a/src/plugins/data_view_field_editor/__jest__/client_integration/helpers/common_actions.ts +++ b/src/plugins/data_view_field_editor/__jest__/client_integration/helpers/common_actions.ts @@ -53,6 +53,7 @@ export const getCommonActions = (testBed: TestBed) => { await act(async () => { testBed.form.toggleEuiSwitch(testSubj); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); testBed.component.update(); @@ -62,6 +63,7 @@ export const getCommonActions = (testBed: TestBed) => { const updateName = async (value: string) => { await act(async () => { testBed.form.setInputValue('nameField.input', value); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); testBed.component.update(); @@ -70,6 +72,7 @@ export const getCommonActions = (testBed: TestBed) => { const updateScript = async (value: string) => { await act(async () => { testBed.form.setInputValue('scriptField', value); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); testBed.component.update(); @@ -83,6 +86,7 @@ export const getCommonActions = (testBed: TestBed) => { label: label ?? value, }, ]); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); testBed.component.update(); diff --git a/src/plugins/es_ui_shared/static/forms/hook_form_lib/components/use_field.test.tsx b/src/plugins/es_ui_shared/static/forms/hook_form_lib/components/use_field.test.tsx index 5e6d9798a7db7..d50ce597fb362 100644 --- a/src/plugins/es_ui_shared/static/forms/hook_form_lib/components/use_field.test.tsx +++ b/src/plugins/es_ui_shared/static/forms/hook_form_lib/components/use_field.test.tsx @@ -346,7 +346,9 @@ describe('', () => { expect(isValid).toBeUndefined(); // Initially the form validity is undefined... await act(async () => { - await formHook!.validate(); // ...until we validate the form + const validatePromise = formHook!.validate(); // ...until we validate the form + jest.advanceTimersByTime(0); + await validatePromise; }); ({ isValid } = formHook); diff --git a/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.test.tsx b/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.test.tsx index 44617e5440a49..7571faf71e9e5 100644 --- a/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.test.tsx +++ b/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.test.tsx @@ -83,6 +83,7 @@ describe('useForm() hook', () => { await act(async () => { setInputValue('usernameField', 'John'); component.find('button').simulate('click'); + jest.advanceTimersByTime(0); }); const [formData, isValid] = onFormData.mock.calls[onFormData.mock.calls.length - 1]; @@ -134,6 +135,7 @@ describe('useForm() hook', () => { setInputValue('tagField2', expectedData.tags[1]); component.find('button').simulate('click'); + jest.advanceTimersByTime(0); }); const [formData] = onFormData.mock.calls[onFormData.mock.calls.length - 1]; @@ -184,16 +186,20 @@ describe('useForm() hook', () => { let isValid; await act(async () => { - ({ data, isValid } = await formHook!.submit()); + const submitPromise = formHook!.submit(); + jest.advanceTimersByTime(0); + ({ data, isValid } = await submitPromise); }); expect(isValid).toBe(true); expect(data).toEqual({ username: 'initialValue' }); - setInputValue('myField', 'wrongValue'); // Validation will fail - await act(async () => { - ({ data, isValid } = await formHook!.submit()); + setInputValue('myField', 'wrongValue'); // Validation will fail + + const submitPromise = formHook!.submit(); + jest.advanceTimersByTime(0); + ({ data, isValid } = await submitPromise); }); expect(isValid).toBe(false); @@ -254,6 +260,7 @@ describe('useForm() hook', () => { // Make some changes to the form fields await act(async () => { setInputValue('usernameField', 'John'); + jest.advanceTimersByTime(0); }); [{ data, isValid }] = onFormData.mock.calls[ @@ -577,7 +584,9 @@ describe('useForm() hook', () => { let isValid: boolean = false; await act(async () => { - isValid = await formHook!.validate(); + const validatePromise = formHook!.validate(); + jest.advanceTimersByTime(0); + isValid = await validatePromise; }); expect(isValid).toBe(true); @@ -624,10 +633,64 @@ describe('useForm() hook', () => { }); await act(async () => { - isValid = await formHook!.validate(); + const validatePromise = formHook!.validate(); + jest.advanceTimersByTime(0); + isValid = await validatePromise; + }); + + expect(isValid).toBe(false); + }); + + test('should return correct state when validating a form field (combo box)', async () => { + let fieldHook: FieldHook; + + const TestComp = () => { + const { form } = useForm(); + formHook = form; + + return ( +
+ + {(field) => { + fieldHook = field; + return ; + }} + +
+ ); + }; + + registerTestBed(TestComp)(); + + let isValid: boolean = false; + + await act(async () => { + fieldHook.setValue([]); + const validatePromise = formHook!.validate(); + jest.advanceTimersByTime(0); + isValid = await validatePromise; }); expect(isValid).toBe(false); + + await act(async () => { + fieldHook.setValue(['bar']); + const validatePromise = formHook!.validate(); + jest.advanceTimersByTime(0); + isValid = await validatePromise; + }); + + expect(isValid).toBe(true); }); }); @@ -679,7 +742,9 @@ describe('useForm() hook', () => { expect(errors).toEqual([]); await act(async () => { - await formHook!.submit(); + const submitPromise = formHook!.submit(); + jest.advanceTimersByTime(0); + await submitPromise; }); errors = formHook!.getErrors(); expect(errors).toEqual(['Field1 can not be empty']); diff --git a/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.ts b/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.ts index 95ed985bf1a2f..78dc25b32b8e6 100644 --- a/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.ts +++ b/src/plugins/es_ui_shared/static/forms/hook_form_lib/hooks/use_form.ts @@ -233,19 +233,30 @@ export function useForm( const waitForFieldsToFinishValidating = useCallback(async () => { let areSomeFieldValidating = fieldsToArray().some((field) => field.isValidating); - if (!areSomeFieldValidating) { - return; - } return new Promise((resolve) => { - setTimeout(() => { - areSomeFieldValidating = fieldsToArray().some((field) => field.isValidating); - if (areSomeFieldValidating) { - // Recursively wait for all the fields to finish validating. - return waitForFieldsToFinishValidating().then(resolve); - } - resolve(); - }, 100); + if (areSomeFieldValidating) { + setTimeout(() => { + areSomeFieldValidating = fieldsToArray().some((field) => field.isValidating); + if (areSomeFieldValidating) { + // Recursively wait for all the fields to finish validating. + return waitForFieldsToFinishValidating().then(resolve); + } + resolve(); + }, 100); + } else { + /* + * We need to use "setTimeout()" to ensure that the "validate()" method + * returns a Promise that is resolved on the next tick. This is important + * because the "validate()" method is often called in a "useEffect()" hook + * and we want the "useEffect()" to be triggered on the next tick. If we + * don't use "setTimeout()" the "useEffect()" would be triggered on the same + * tick and would not have access to the latest form state. + * This is also why we don't use "Promise.resolve()" here. It would resolve + * the Promise on the same tick. + */ + setTimeout(resolve, 0); + } }); }, [fieldsToArray]); diff --git a/x-pack/plugins/index_lifecycle_management/integration_tests/edit_policy/features/request_flyout.test.ts b/x-pack/plugins/index_lifecycle_management/integration_tests/edit_policy/features/request_flyout.test.ts index 194e42e511bbd..25bbdafda2506 100644 --- a/x-pack/plugins/index_lifecycle_management/integration_tests/edit_policy/features/request_flyout.test.ts +++ b/x-pack/plugins/index_lifecycle_management/integration_tests/edit_policy/features/request_flyout.test.ts @@ -34,8 +34,12 @@ describe(' request flyout', () => { }); test('renders a json in flyout for a default policy', async () => { - const { actions } = testBed; + const { actions, component } = testBed; await actions.openRequestFlyout(); + await act(async () => { + jest.advanceTimersByTime(0); // allow the flyout to open and form validation to run + }); + component.update(); const json = actions.getRequestJson(); const expected = `PUT _ilm/policy/my_policy\n${JSON.stringify( diff --git a/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/request_flyout_actions.ts b/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/request_flyout_actions.ts index ca79d52741595..f8004f0076788 100644 --- a/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/request_flyout_actions.ts +++ b/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/request_flyout_actions.ts @@ -15,6 +15,7 @@ export const createRequestFlyoutActions = (testBed: TestBed) => { const openRequestFlyout = async () => { await act(async () => { find('requestButton').simulate('click'); + jest.advanceTimersByTime(0); // Wait for the flyout to open and form validation to run }); component.update(); }; diff --git a/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/save_policy_action.ts b/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/save_policy_action.ts index 9c27e38d75e0d..cce47bba2a5e7 100644 --- a/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/save_policy_action.ts +++ b/x-pack/plugins/index_lifecycle_management/integration_tests/helpers/actions/save_policy_action.ts @@ -13,6 +13,7 @@ export const createSavePolicyAction = (testBed: TestBed) => async () => { await act(async () => { find('savePolicyButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx b/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx index f0b50758a7168..1727caa9eaff0 100644 --- a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx +++ b/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx @@ -120,6 +120,7 @@ describe('', () => { await act(async () => { actions.clickNextButton(); + jest.advanceTimersByTime(0); }); component.update(); @@ -159,6 +160,7 @@ describe('', () => { beforeEach(async () => { const { actions } = testBed; await actions.completeStepOne({ name: TEMPLATE_NAME, indexPatterns: ['index1'] }); + jest.advanceTimersByTime(0); }); it('should set the correct page title', async () => { diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx b/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx index c5923cc860b6f..99565222ffa7b 100644 --- a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx +++ b/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx @@ -195,6 +195,7 @@ describe('', () => { // Make some changes to the mappings await act(async () => { actions.clickEditButtonAtField(0); // Select the first field to edit + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); @@ -204,6 +205,7 @@ describe('', () => { // Change the field name await act(async () => { form.setInputValue('nameParameterInput', UPDATED_MAPPING_TEXT_FIELD_NAME); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); // Save changes on the field diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts b/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts index 25da097065e07..64ce73ee8161b 100644 --- a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts +++ b/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts @@ -26,6 +26,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { // User actions const clickNextButton = () => { testBed.find('nextButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }; const clickBackButton = () => { @@ -38,6 +39,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { const clickEditFieldUpdateButton = () => { testBed.find('editFieldUpdateButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }; const deleteMappingsFieldAt = (index: number) => { @@ -102,6 +104,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { await act(async () => { form.setInputValue('nameParameterInput', name); + jest.advanceTimersByTime(0); find('createFieldForm.mockComboBox').simulate('change', [ { label: type, @@ -112,6 +115,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { await act(async () => { find('createFieldForm.addButton').simulate('click'); + jest.advanceTimersByTime(0); }); component.update(); @@ -159,6 +163,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { act(() => { find('mockComboBox').simulate('change', indexPatternsFormatted); // Using mocked EuiComboBox + jest.advanceTimersByTime(0); }); } @@ -205,6 +210,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { await act(async () => { clickNextButton(); + jest.advanceTimersByTime(0); }); component.update(); @@ -218,11 +224,13 @@ export const formSetup = async (initTestBed: SetupFunc) => { find('settingsEditor').simulate('change', { jsonString: settings, }); // Using mocked EuiCodeEditor + jest.advanceTimersByTime(0); } }); await act(async () => { clickNextButton(); + jest.advanceTimersByTime(0); }); component.update(); @@ -240,6 +248,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { await act(async () => { clickNextButton(); + jest.advanceTimersByTime(0); }); component.update(); @@ -253,6 +262,7 @@ export const formSetup = async (initTestBed: SetupFunc) => { find('aliasesEditor').simulate('change', { jsonString: aliases, }); // Using mocked EuiCodeEditor + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); } diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx b/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx index 1e3cfd99cedb4..2abcff3f68a41 100644 --- a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx +++ b/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx @@ -113,12 +113,14 @@ const createActions = (testBed: TestBed) => { const addField = async (name: string, type: string, subType?: string) => { await act(async () => { form.setInputValue('nameParameterInput', name); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate find('createFieldForm.fieldType').simulate('change', [ { label: type, value: type, }, ]); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); @@ -127,11 +129,13 @@ const createActions = (testBed: TestBed) => { await act(async () => { // subType is a text input form.setInputValue('createFieldForm.fieldSubType', subType); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); } await act(async () => { find('createFieldForm.addButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); @@ -141,6 +145,7 @@ const createActions = (testBed: TestBed) => { const { testSubject } = getFieldAt(path); await act(async () => { find(`${testSubject}.editFieldButton` as TestSubjects).simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }; @@ -148,6 +153,7 @@ const createActions = (testBed: TestBed) => { const updateFieldAndCloseFlyout = async () => { await act(async () => { find('mappingsEditorFieldEdit.editFieldUpdateButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }; @@ -187,7 +193,9 @@ const createActions = (testBed: TestBed) => { await act(async () => { form.setInputValue('runtimeFieldEditor.nameField.input', field.name); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate form.setInputValue('runtimeFieldEditor.scriptField', field.script.source); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate find('typeField').simulate('change', [ { label: valueToLabelMap[field.type], @@ -219,6 +227,7 @@ const createActions = (testBed: TestBed) => { await act(async () => { find('runtimeFieldEditor.saveFieldButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }; @@ -269,12 +278,14 @@ const createActions = (testBed: TestBed) => { await act(async () => { tabElement.simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }; const updateJsonEditor = (testSubject: TestSubjects, value: object) => { find(testSubject).simulate('change', { jsonString: JSON.stringify(value) }); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }; const getJsonEditorValue = (testSubject: TestSubjects) => { @@ -367,7 +378,9 @@ export const getMappingsEditorDataFactory = (onChangeHandler: jest.MockedFunctio if (isMappingsValid === undefined) { await act(async () => { - isMappingsValid = await validate(); + const validatePromise = validate(); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate + isMappingsValid = await validatePromise; }); component.update(); } diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx b/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx index 75a381c63e69b..2cd052c8bdd99 100644 --- a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx +++ b/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx @@ -374,6 +374,7 @@ describe('Mappings editor: core', () => { */ await act(async () => { find('addFieldButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); @@ -418,6 +419,7 @@ describe('Mappings editor: core', () => { // Disbable dynamic mappings await act(async () => { form.toggleEuiSwitch('advancedConfiguration.dynamicMappingsToggle.input'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); ({ data } = await getMappingsEditorData(component)); diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx b/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx index 39307899bf68f..dacc01526b867 100644 --- a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx +++ b/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx @@ -221,6 +221,7 @@ describe('Mappings editor: runtime fields', () => { await act(async () => { find('runtimeFieldEditor.saveFieldButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); diff --git a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.helpers.tsx b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.helpers.tsx index 625ccd1f62a3f..4473f2fa3df0a 100644 --- a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.helpers.tsx +++ b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.helpers.tsx @@ -85,16 +85,19 @@ const createActions = (testBed: TestBed) => { find(`${processorsSelector}.addProcessorButton`).simulate('click'); await act(async () => { find('processorTypeSelector.input').simulate('change', [{ value: type, label: type }]); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); await act(async () => { find('processorOptionsEditor').simulate('change', { jsonContent: JSON.stringify(options), }); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); await act(async () => { find('addProcessorForm.submitButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }, @@ -134,15 +137,18 @@ const createActions = (testBed: TestBed) => { find(`${processorSelector}.moreMenu.addOnFailureButton`).simulate('click'); await act(async () => { find('processorTypeSelector.input').simulate('change', [{ value: type, label: type }]); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); await act(async () => { find('processorOptionsEditor').simulate('change', { jsonContent: JSON.stringify(options), }); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); await act(async () => { find('addProcessorForm.submitButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); }, @@ -172,6 +178,7 @@ const createActions = (testBed: TestBed) => { submitProcessorForm: async () => { await act(async () => { find('editProcessorForm.submitButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); }, }; diff --git a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.test.tsx b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.test.tsx index 1d20f04f61ad2..86acbec567ee7 100644 --- a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.test.tsx +++ b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/pipeline_processors_editor.test.tsx @@ -102,6 +102,7 @@ describe('Pipeline Editor', () => { actions.openProcessorEditor('processors>2'); expect(exists('editProcessorForm')).toBeTruthy(); form.setInputValue('editProcessorForm.valueFieldInput', 'test44'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate await actions.submitProcessorForm(); const [onUpdateResult] = onUpdate.mock.calls[onUpdate.mock.calls.length - 1]; const { diff --git a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/processors/processor.helpers.tsx b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/processors/processor.helpers.tsx index c5996073fd3ec..22f97214a13d7 100644 --- a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/processors/processor.helpers.tsx +++ b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/processors/processor.helpers.tsx @@ -84,6 +84,7 @@ const createActions = (testBed: TestBed) => { async saveNewProcessor() { await act(async () => { find('addProcessorForm.submitButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }, diff --git a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.helpers.tsx b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.helpers.tsx index 7fe4d9c5515d0..ac39c4faed1a2 100644 --- a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.helpers.tsx +++ b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.helpers.tsx @@ -98,6 +98,7 @@ const createActions = (testBed: TestBed) => { async clickProcessorOutputTab() { await act(async () => { find('outputTab').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }, @@ -112,6 +113,7 @@ const createActions = (testBed: TestBed) => { async clickRunPipelineButton() { await act(async () => { find('runPipelineButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }, @@ -119,6 +121,7 @@ const createActions = (testBed: TestBed) => { async toggleVerboseSwitch() { await act(async () => { form.toggleEuiSwitch('verboseOutputToggle'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }, @@ -127,6 +130,7 @@ const createActions = (testBed: TestBed) => { find('documentsEditor').simulate('change', { jsonString, }); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }, clickDocumentsDropdown() { @@ -181,6 +185,7 @@ const createActions = (testBed: TestBed) => { async clickAddDocumentButton() { await act(async () => { find('addDocumentButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); }, diff --git a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.test.tsx b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.test.tsx index aa265ba46fdd4..9102d2b5e307f 100644 --- a/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.test.tsx +++ b/x-pack/plugins/ingest_pipelines/public/application/components/pipeline_editor/__jest__/test_pipeline.test.tsx @@ -220,7 +220,9 @@ describe('Test pipeline', () => { // Add required fields, and click run form.setInputValue('indexField.input', index); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate form.setInputValue('idField.input', documentId); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate await actions.clickAddDocumentButton(); // Verify request diff --git a/x-pack/plugins/runtime_fields/public/components/runtime_field_editor/runtime_field_editor.test.tsx b/x-pack/plugins/runtime_fields/public/components/runtime_field_editor/runtime_field_editor.test.tsx index 5b4d67479f5a9..7b754616fac13 100644 --- a/x-pack/plugins/runtime_fields/public/components/runtime_field_editor/runtime_field_editor.test.tsx +++ b/x-pack/plugins/runtime_fields/public/components/runtime_field_editor/runtime_field_editor.test.tsx @@ -72,7 +72,9 @@ describe('Runtime field editor', () => { let data; await act(async () => { - ({ data } = await lastState.submit()); + const submit = lastState.submit(); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate + ({ data } = await submit); }); expect(data).toEqual(defaultValue); @@ -93,6 +95,7 @@ describe('Runtime field editor', () => { await act(async () => { form.setInputValue('nameField.input', existingConcreteFields[0].name); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); @@ -117,7 +120,9 @@ describe('Runtime field editor', () => { }); await act(async () => { - await lastOnChangeCall()[0].submit(); + const submit = lastOnChangeCall()[0].submit(); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate + await submit; }); component.update(); @@ -145,7 +150,9 @@ describe('Runtime field editor', () => { const { form } = testBed; await act(async () => { - await lastOnChangeCall()[0].submit(); + const submit = lastOnChangeCall()[0].submit(); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate + await submit; }); expect(lastOnChangeCall()[0].isValid).toBe(true); diff --git a/x-pack/plugins/runtime_fields/public/components/runtime_field_editor_flyout_content/runtime_field_editor_flyout_content.test.tsx b/x-pack/plugins/runtime_fields/public/components/runtime_field_editor_flyout_content/runtime_field_editor_flyout_content.test.tsx index 64f5c6468ce1b..4045d2f6c67c9 100644 --- a/x-pack/plugins/runtime_fields/public/components/runtime_field_editor_flyout_content/runtime_field_editor_flyout_content.test.tsx +++ b/x-pack/plugins/runtime_fields/public/components/runtime_field_editor_flyout_content/runtime_field_editor_flyout_content.test.tsx @@ -33,6 +33,14 @@ const noop = () => {}; const defaultProps = { onSave: noop, onCancel: noop, docLinks }; describe('Runtime field editor flyout', () => { + beforeAll(() => { + jest.useFakeTimers(); + }); + + afterAll(() => { + jest.useRealTimers(); + }); + test('should have a flyout title', () => { const { exists, find } = setup(defaultProps); @@ -67,6 +75,7 @@ describe('Runtime field editor flyout', () => { await act(async () => { find('saveFieldButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); expect(onSave).toHaveBeenCalled(); @@ -93,6 +102,7 @@ describe('Runtime field editor flyout', () => { await act(async () => { find('saveFieldButton').simulate('click'); + jest.advanceTimersByTime(0); // advance timers to allow the form to validate }); component.update(); @@ -115,6 +125,7 @@ describe('Runtime field editor flyout', () => { await act(async () => { find('saveFieldButton').simulate('click'); + jest.advanceTimersByTime(0); }); expect(onSave).toHaveBeenCalled(); @@ -133,9 +144,11 @@ describe('Runtime field editor flyout', () => { value: 'other_type', }, ]); + jest.advanceTimersByTime(0); }); await act(async () => { find('saveFieldButton').simulate('click'); + jest.advanceTimersByTime(0); }); fieldReturned = onSave.mock.calls[onSave.mock.calls.length - 1][0]; expect(fieldReturned).toEqual({ From 731e7c77058e40ae78cd27be0d4e192f6859050f Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Fri, 9 Dec 2022 00:46:24 -0500 Subject: [PATCH 11/20] [api-docs] 2022-12-09 Daily api_docs build (#147306) Generated by https://buildkite.com/elastic/kibana-api-docs-daily/builds/181 --- api_docs/actions.mdx | 2 +- api_docs/advanced_settings.mdx | 2 +- api_docs/aiops.mdx | 2 +- api_docs/alerting.mdx | 2 +- api_docs/apm.mdx | 2 +- api_docs/banners.mdx | 2 +- api_docs/bfetch.mdx | 2 +- api_docs/canvas.mdx | 2 +- api_docs/cases.mdx | 2 +- api_docs/charts.mdx | 2 +- api_docs/cloud.mdx | 2 +- api_docs/cloud_chat.mdx | 2 +- api_docs/cloud_experiments.mdx | 2 +- api_docs/cloud_security_posture.mdx | 2 +- api_docs/console.mdx | 2 +- api_docs/controls.mdx | 2 +- api_docs/core.devdocs.json | 127 ++++++- api_docs/core.mdx | 4 +- api_docs/custom_integrations.mdx | 2 +- api_docs/dashboard.mdx | 2 +- api_docs/dashboard_enhanced.mdx | 2 +- api_docs/data.devdocs.json | 8 + api_docs/data.mdx | 2 +- api_docs/data_query.mdx | 2 +- api_docs/data_search.mdx | 2 +- api_docs/data_view_editor.mdx | 2 +- api_docs/data_view_field_editor.mdx | 2 +- api_docs/data_view_management.mdx | 2 +- api_docs/data_views.devdocs.json | 12 + api_docs/data_views.mdx | 2 +- api_docs/data_visualizer.mdx | 2 +- api_docs/deprecations_by_api.mdx | 2 +- api_docs/deprecations_by_plugin.mdx | 8 +- api_docs/deprecations_by_team.mdx | 2 +- api_docs/dev_tools.mdx | 2 +- api_docs/discover.mdx | 2 +- api_docs/discover_enhanced.mdx | 2 +- api_docs/embeddable.mdx | 2 +- api_docs/embeddable_enhanced.mdx | 2 +- api_docs/encrypted_saved_objects.mdx | 2 +- api_docs/enterprise_search.mdx | 2 +- api_docs/es_ui_shared.mdx | 2 +- api_docs/event_annotation.mdx | 2 +- api_docs/event_log.mdx | 2 +- api_docs/expression_error.mdx | 2 +- api_docs/expression_gauge.mdx | 2 +- api_docs/expression_heatmap.mdx | 2 +- api_docs/expression_image.mdx | 2 +- api_docs/expression_legacy_metric_vis.mdx | 2 +- api_docs/expression_metric.mdx | 2 +- api_docs/expression_metric_vis.mdx | 2 +- api_docs/expression_partition_vis.mdx | 2 +- api_docs/expression_repeat_image.mdx | 2 +- api_docs/expression_reveal_image.mdx | 2 +- api_docs/expression_shape.mdx | 2 +- api_docs/expression_tagcloud.mdx | 2 +- api_docs/expression_x_y.mdx | 2 +- api_docs/expressions.mdx | 2 +- api_docs/features.mdx | 2 +- api_docs/field_formats.mdx | 2 +- api_docs/file_upload.mdx | 2 +- api_docs/files.mdx | 2 +- api_docs/files_management.mdx | 2 +- api_docs/fleet.mdx | 2 +- api_docs/global_search.mdx | 2 +- api_docs/guided_onboarding.mdx | 2 +- api_docs/home.mdx | 2 +- api_docs/index_lifecycle_management.mdx | 2 +- api_docs/index_management.mdx | 2 +- api_docs/infra.mdx | 2 +- api_docs/inspector.mdx | 2 +- api_docs/interactive_setup.mdx | 2 +- api_docs/kbn_ace.mdx | 2 +- api_docs/kbn_aiops_components.mdx | 2 +- api_docs/kbn_aiops_utils.mdx | 2 +- api_docs/kbn_alerts.mdx | 2 +- api_docs/kbn_analytics.mdx | 2 +- api_docs/kbn_analytics_client.mdx | 2 +- ..._analytics_shippers_elastic_v3_browser.mdx | 2 +- ...n_analytics_shippers_elastic_v3_common.mdx | 2 +- ...n_analytics_shippers_elastic_v3_server.mdx | 2 +- api_docs/kbn_analytics_shippers_fullstory.mdx | 2 +- api_docs/kbn_analytics_shippers_gainsight.mdx | 2 +- api_docs/kbn_apm_config_loader.mdx | 2 +- api_docs/kbn_apm_synthtrace.mdx | 2 +- api_docs/kbn_apm_utils.mdx | 2 +- api_docs/kbn_axe_config.mdx | 2 +- api_docs/kbn_cases_components.mdx | 2 +- api_docs/kbn_chart_icons.mdx | 2 +- api_docs/kbn_ci_stats_core.mdx | 2 +- api_docs/kbn_ci_stats_performance_metrics.mdx | 2 +- api_docs/kbn_ci_stats_reporter.mdx | 2 +- api_docs/kbn_cli_dev_mode.mdx | 2 +- api_docs/kbn_coloring.mdx | 2 +- api_docs/kbn_config.mdx | 2 +- api_docs/kbn_config_mocks.mdx | 2 +- api_docs/kbn_config_schema.mdx | 2 +- api_docs/kbn_content_management_inspector.mdx | 2 +- .../kbn_content_management_table_list.mdx | 2 +- api_docs/kbn_core_analytics_browser.mdx | 2 +- .../kbn_core_analytics_browser_internal.mdx | 2 +- api_docs/kbn_core_analytics_browser_mocks.mdx | 2 +- api_docs/kbn_core_analytics_server.mdx | 2 +- .../kbn_core_analytics_server_internal.mdx | 2 +- api_docs/kbn_core_analytics_server_mocks.mdx | 2 +- api_docs/kbn_core_application_browser.mdx | 2 +- .../kbn_core_application_browser_internal.mdx | 2 +- .../kbn_core_application_browser_mocks.mdx | 2 +- api_docs/kbn_core_application_common.mdx | 2 +- api_docs/kbn_core_apps_browser_internal.mdx | 2 +- api_docs/kbn_core_apps_browser_mocks.mdx | 2 +- api_docs/kbn_core_apps_server_internal.mdx | 2 +- api_docs/kbn_core_base_browser_mocks.mdx | 2 +- api_docs/kbn_core_base_common.mdx | 2 +- api_docs/kbn_core_base_server_internal.mdx | 2 +- api_docs/kbn_core_base_server_mocks.mdx | 2 +- .../kbn_core_capabilities_browser_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_common.mdx | 2 +- api_docs/kbn_core_capabilities_server.mdx | 2 +- .../kbn_core_capabilities_server_mocks.mdx | 2 +- api_docs/kbn_core_chrome_browser.mdx | 2 +- api_docs/kbn_core_chrome_browser_mocks.mdx | 2 +- api_docs/kbn_core_config_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser.mdx | 2 +- ...kbn_core_deprecations_browser_internal.mdx | 2 +- .../kbn_core_deprecations_browser_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_common.mdx | 2 +- api_docs/kbn_core_deprecations_server.mdx | 2 +- .../kbn_core_deprecations_server_internal.mdx | 2 +- .../kbn_core_deprecations_server_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_browser.mdx | 2 +- api_docs/kbn_core_doc_links_browser_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_server.mdx | 2 +- api_docs/kbn_core_doc_links_server_mocks.mdx | 2 +- ...e_elasticsearch_client_server_internal.mdx | 2 +- ...core_elasticsearch_client_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_server.mdx | 2 +- ...kbn_core_elasticsearch_server_internal.mdx | 2 +- .../kbn_core_elasticsearch_server_mocks.mdx | 2 +- .../kbn_core_environment_server_internal.mdx | 2 +- .../kbn_core_environment_server_mocks.mdx | 2 +- .../kbn_core_execution_context_browser.mdx | 2 +- ...ore_execution_context_browser_internal.mdx | 2 +- ...n_core_execution_context_browser_mocks.mdx | 2 +- .../kbn_core_execution_context_common.mdx | 2 +- .../kbn_core_execution_context_server.mdx | 2 +- ...core_execution_context_server_internal.mdx | 2 +- ...bn_core_execution_context_server_mocks.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser.mdx | 2 +- .../kbn_core_fatal_errors_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_browser.mdx | 2 +- api_docs/kbn_core_http_browser_internal.mdx | 2 +- api_docs/kbn_core_http_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_common.mdx | 2 +- .../kbn_core_http_context_server_mocks.mdx | 2 +- ...re_http_request_handler_context_server.mdx | 2 +- api_docs/kbn_core_http_resources_server.mdx | 2 +- ...bn_core_http_resources_server_internal.mdx | 2 +- .../kbn_core_http_resources_server_mocks.mdx | 2 +- .../kbn_core_http_router_server_internal.mdx | 2 +- .../kbn_core_http_router_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server.mdx | 2 +- api_docs/kbn_core_http_server_internal.mdx | 2 +- api_docs/kbn_core_http_server_mocks.mdx | 2 +- api_docs/kbn_core_i18n_browser.mdx | 2 +- api_docs/kbn_core_i18n_browser_mocks.mdx | 2 +- api_docs/kbn_core_i18n_server.mdx | 2 +- api_docs/kbn_core_i18n_server_internal.mdx | 2 +- api_docs/kbn_core_i18n_server_mocks.mdx | 2 +- .../kbn_core_injected_metadata_browser.mdx | 2 +- ...n_core_injected_metadata_browser_mocks.mdx | 2 +- ...kbn_core_integrations_browser_internal.mdx | 2 +- .../kbn_core_integrations_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_browser.mdx | 2 +- api_docs/kbn_core_lifecycle_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_server.mdx | 2 +- api_docs/kbn_core_lifecycle_server_mocks.mdx | 2 +- api_docs/kbn_core_logging_browser_mocks.mdx | 2 +- api_docs/kbn_core_logging_common_internal.mdx | 2 +- api_docs/kbn_core_logging_server.mdx | 2 +- api_docs/kbn_core_logging_server_internal.mdx | 2 +- api_docs/kbn_core_logging_server_mocks.mdx | 2 +- ...ore_metrics_collectors_server_internal.mdx | 2 +- ...n_core_metrics_collectors_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_server.mdx | 2 +- api_docs/kbn_core_metrics_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_server_mocks.mdx | 2 +- api_docs/kbn_core_mount_utils_browser.mdx | 2 +- api_docs/kbn_core_node_server.mdx | 2 +- api_docs/kbn_core_node_server_internal.mdx | 2 +- api_docs/kbn_core_node_server_mocks.mdx | 2 +- api_docs/kbn_core_notifications_browser.mdx | 2 +- ...bn_core_notifications_browser_internal.mdx | 2 +- .../kbn_core_notifications_browser_mocks.mdx | 2 +- api_docs/kbn_core_overlays_browser.mdx | 2 +- .../kbn_core_overlays_browser_internal.mdx | 2 +- api_docs/kbn_core_overlays_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_browser.mdx | 2 +- api_docs/kbn_core_plugins_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_server.mdx | 2 +- api_docs/kbn_core_plugins_server_mocks.mdx | 2 +- api_docs/kbn_core_preboot_server.mdx | 2 +- api_docs/kbn_core_preboot_server_mocks.mdx | 2 +- api_docs/kbn_core_rendering_browser_mocks.mdx | 2 +- .../kbn_core_rendering_server_internal.mdx | 2 +- api_docs/kbn_core_rendering_server_mocks.mdx | 2 +- api_docs/kbn_core_root_server_internal.mdx | 2 +- .../kbn_core_saved_objects_api_browser.mdx | 2 +- .../kbn_core_saved_objects_api_server.mdx | 2 +- ...core_saved_objects_api_server_internal.mdx | 2 +- ...bn_core_saved_objects_api_server_mocks.mdx | 2 +- ...ore_saved_objects_base_server_internal.mdx | 2 +- ...n_core_saved_objects_base_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_browser.mdx | 2 +- ...bn_core_saved_objects_browser_internal.mdx | 2 +- .../kbn_core_saved_objects_browser_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_common.mdx | 2 +- ..._objects_import_export_server_internal.mdx | 2 +- ...ved_objects_import_export_server_mocks.mdx | 2 +- ...aved_objects_migration_server_internal.mdx | 2 +- ...e_saved_objects_migration_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_server.mdx | 2 +- ...kbn_core_saved_objects_server_internal.mdx | 2 +- .../kbn_core_saved_objects_server_mocks.mdx | 2 +- .../kbn_core_saved_objects_utils_server.mdx | 2 +- api_docs/kbn_core_status_common.mdx | 2 +- api_docs/kbn_core_status_common_internal.mdx | 2 +- api_docs/kbn_core_status_server.mdx | 2 +- api_docs/kbn_core_status_server_internal.mdx | 2 +- api_docs/kbn_core_status_server_mocks.mdx | 2 +- ...core_test_helpers_deprecations_getters.mdx | 2 +- ...n_core_test_helpers_http_setup_browser.mdx | 2 +- api_docs/kbn_core_test_helpers_kbn_server.mdx | 2 +- ...n_core_test_helpers_so_type_serializer.mdx | 2 +- api_docs/kbn_core_test_helpers_test_utils.mdx | 2 +- api_docs/kbn_core_theme_browser.mdx | 2 +- api_docs/kbn_core_theme_browser_internal.mdx | 2 +- api_docs/kbn_core_theme_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_browser.mdx | 2 +- ..._ui_settings_browser_internal.devdocs.json | 346 +----------------- .../kbn_core_ui_settings_browser_internal.mdx | 4 +- .../kbn_core_ui_settings_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_common.mdx | 2 +- .../kbn_core_ui_settings_server.devdocs.json | 127 ++++++- api_docs/kbn_core_ui_settings_server.mdx | 4 +- .../kbn_core_ui_settings_server_internal.mdx | 2 +- .../kbn_core_ui_settings_server_mocks.mdx | 2 +- api_docs/kbn_core_usage_data_server.mdx | 2 +- .../kbn_core_usage_data_server_internal.mdx | 2 +- api_docs/kbn_core_usage_data_server_mocks.mdx | 2 +- api_docs/kbn_crypto.mdx | 2 +- api_docs/kbn_crypto_browser.mdx | 2 +- api_docs/kbn_datemath.mdx | 2 +- api_docs/kbn_dev_cli_errors.mdx | 2 +- api_docs/kbn_dev_cli_runner.mdx | 2 +- api_docs/kbn_dev_proc_runner.mdx | 2 +- api_docs/kbn_dev_utils.mdx | 2 +- api_docs/kbn_doc_links.mdx | 2 +- api_docs/kbn_docs_utils.mdx | 2 +- api_docs/kbn_ebt_tools.mdx | 2 +- api_docs/kbn_es.mdx | 2 +- api_docs/kbn_es_archiver.mdx | 2 +- api_docs/kbn_es_errors.mdx | 2 +- api_docs/kbn_es_query.mdx | 2 +- api_docs/kbn_es_types.mdx | 2 +- api_docs/kbn_eslint_plugin_imports.mdx | 2 +- api_docs/kbn_field_types.mdx | 2 +- api_docs/kbn_find_used_node_modules.mdx | 2 +- .../kbn_ftr_common_functional_services.mdx | 2 +- api_docs/kbn_generate.mdx | 2 +- api_docs/kbn_get_repo_files.mdx | 2 +- api_docs/kbn_guided_onboarding.mdx | 2 +- api_docs/kbn_handlebars.mdx | 2 +- api_docs/kbn_hapi_mocks.mdx | 2 +- api_docs/kbn_health_gateway_server.mdx | 2 +- api_docs/kbn_home_sample_data_card.mdx | 2 +- api_docs/kbn_home_sample_data_tab.mdx | 2 +- api_docs/kbn_i18n.mdx | 2 +- api_docs/kbn_i18n_react.mdx | 2 +- api_docs/kbn_import_resolver.mdx | 2 +- api_docs/kbn_interpreter.mdx | 2 +- api_docs/kbn_io_ts_utils.mdx | 2 +- api_docs/kbn_jest_serializers.mdx | 2 +- api_docs/kbn_journeys.mdx | 2 +- api_docs/kbn_kibana_manifest_schema.mdx | 2 +- .../kbn_language_documentation_popover.mdx | 2 +- api_docs/kbn_logging.mdx | 2 +- api_docs/kbn_logging_mocks.mdx | 2 +- api_docs/kbn_managed_vscode_config.mdx | 2 +- api_docs/kbn_mapbox_gl.mdx | 2 +- api_docs/kbn_ml_agg_utils.mdx | 2 +- api_docs/kbn_ml_is_populated_object.mdx | 2 +- api_docs/kbn_ml_string_hash.mdx | 2 +- api_docs/kbn_monaco.mdx | 2 +- api_docs/kbn_optimizer.mdx | 2 +- api_docs/kbn_optimizer_webpack_helpers.mdx | 2 +- api_docs/kbn_osquery_io_ts_types.mdx | 2 +- api_docs/kbn_peggy.mdx | 2 +- ..._performance_testing_dataset_extractor.mdx | 2 +- api_docs/kbn_plugin_generator.mdx | 2 +- api_docs/kbn_plugin_helpers.mdx | 2 +- api_docs/kbn_react_field.mdx | 2 +- api_docs/kbn_repo_source_classifier.mdx | 2 +- api_docs/kbn_rison.mdx | 2 +- api_docs/kbn_rule_data_utils.mdx | 2 +- .../kbn_securitysolution_autocomplete.mdx | 2 +- api_docs/kbn_securitysolution_es_utils.mdx | 2 +- ...ritysolution_exception_list_components.mdx | 2 +- api_docs/kbn_securitysolution_hook_utils.mdx | 2 +- ..._securitysolution_io_ts_alerting_types.mdx | 2 +- .../kbn_securitysolution_io_ts_list_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_utils.mdx | 2 +- api_docs/kbn_securitysolution_list_api.mdx | 2 +- .../kbn_securitysolution_list_constants.mdx | 2 +- api_docs/kbn_securitysolution_list_hooks.mdx | 2 +- api_docs/kbn_securitysolution_list_utils.mdx | 2 +- api_docs/kbn_securitysolution_rules.mdx | 2 +- api_docs/kbn_securitysolution_t_grid.mdx | 2 +- api_docs/kbn_securitysolution_utils.mdx | 2 +- api_docs/kbn_server_http_tools.mdx | 2 +- api_docs/kbn_server_route_repository.mdx | 2 +- api_docs/kbn_shared_svg.mdx | 2 +- api_docs/kbn_shared_ux_avatar_solution.mdx | 2 +- ...ared_ux_avatar_user_profile_components.mdx | 2 +- .../kbn_shared_ux_button_exit_full_screen.mdx | 2 +- ...hared_ux_button_exit_full_screen_mocks.mdx | 2 +- api_docs/kbn_shared_ux_button_toolbar.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_context.mdx | 2 +- api_docs/kbn_shared_ux_file_image.mdx | 2 +- api_docs/kbn_shared_ux_file_image_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_util.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app.mdx | 2 +- .../kbn_shared_ux_link_redirect_app_mocks.mdx | 2 +- api_docs/kbn_shared_ux_markdown.mdx | 2 +- api_docs/kbn_shared_ux_markdown_mocks.mdx | 2 +- .../kbn_shared_ux_page_analytics_no_data.mdx | 2 +- ...shared_ux_page_analytics_no_data_mocks.mdx | 2 +- .../kbn_shared_ux_page_kibana_no_data.mdx | 2 +- ...bn_shared_ux_page_kibana_no_data_mocks.mdx | 2 +- .../kbn_shared_ux_page_kibana_template.mdx | 2 +- ...n_shared_ux_page_kibana_template_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data.mdx | 2 +- .../kbn_shared_ux_page_no_data_config.mdx | 2 +- ...bn_shared_ux_page_no_data_config_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_solution_nav.mdx | 2 +- .../kbn_shared_ux_prompt_no_data_views.mdx | 2 +- ...n_shared_ux_prompt_no_data_views_mocks.mdx | 2 +- api_docs/kbn_shared_ux_prompt_not_found.mdx | 2 +- api_docs/kbn_shared_ux_router.mdx | 2 +- api_docs/kbn_shared_ux_router_mocks.mdx | 2 +- api_docs/kbn_shared_ux_storybook_config.mdx | 2 +- api_docs/kbn_shared_ux_storybook_mock.mdx | 2 +- api_docs/kbn_shared_ux_utility.mdx | 2 +- api_docs/kbn_some_dev_log.mdx | 2 +- api_docs/kbn_sort_package_json.mdx | 2 +- api_docs/kbn_std.mdx | 2 +- api_docs/kbn_stdio_dev_helpers.mdx | 2 +- api_docs/kbn_storybook.mdx | 2 +- api_docs/kbn_telemetry_tools.mdx | 2 +- api_docs/kbn_test.mdx | 2 +- api_docs/kbn_test_jest_helpers.mdx | 2 +- api_docs/kbn_test_subj_selector.mdx | 2 +- api_docs/kbn_tooling_log.mdx | 2 +- api_docs/kbn_type_summarizer.mdx | 2 +- api_docs/kbn_type_summarizer_core.mdx | 2 +- api_docs/kbn_typed_react_router_config.mdx | 2 +- api_docs/kbn_ui_shared_deps_src.mdx | 2 +- api_docs/kbn_ui_theme.mdx | 2 +- api_docs/kbn_user_profile_components.mdx | 2 +- api_docs/kbn_utility_types.mdx | 2 +- api_docs/kbn_utility_types_jest.mdx | 2 +- api_docs/kbn_utils.mdx | 2 +- api_docs/kbn_yarn_lock_validator.mdx | 2 +- api_docs/kibana_overview.mdx | 2 +- api_docs/kibana_react.mdx | 2 +- api_docs/kibana_utils.mdx | 2 +- api_docs/kubernetes_security.mdx | 2 +- api_docs/lens.mdx | 2 +- api_docs/license_api_guard.mdx | 2 +- api_docs/license_management.mdx | 2 +- api_docs/licensing.mdx | 2 +- api_docs/lists.mdx | 2 +- api_docs/management.mdx | 2 +- api_docs/maps.mdx | 2 +- api_docs/maps_ems.mdx | 2 +- api_docs/ml.mdx | 2 +- api_docs/monitoring.mdx | 2 +- api_docs/monitoring_collection.mdx | 2 +- api_docs/navigation.mdx | 2 +- api_docs/newsfeed.mdx | 2 +- api_docs/notifications.mdx | 2 +- api_docs/observability.mdx | 2 +- api_docs/osquery.mdx | 2 +- api_docs/plugin_directory.mdx | 10 +- api_docs/presentation_util.mdx | 2 +- api_docs/profiling.mdx | 2 +- api_docs/remote_clusters.mdx | 2 +- api_docs/reporting.mdx | 2 +- api_docs/rollup.mdx | 2 +- api_docs/rule_registry.mdx | 2 +- api_docs/runtime_fields.mdx | 2 +- api_docs/saved_objects.mdx | 2 +- api_docs/saved_objects_finder.mdx | 2 +- api_docs/saved_objects_management.mdx | 2 +- api_docs/saved_objects_tagging.mdx | 2 +- api_docs/saved_objects_tagging_oss.mdx | 2 +- api_docs/saved_search.mdx | 2 +- api_docs/screenshot_mode.mdx | 2 +- api_docs/screenshotting.mdx | 2 +- api_docs/security.mdx | 2 +- api_docs/security_solution.mdx | 2 +- api_docs/session_view.mdx | 2 +- api_docs/share.mdx | 2 +- api_docs/snapshot_restore.mdx | 2 +- api_docs/spaces.mdx | 2 +- api_docs/stack_alerts.mdx | 2 +- api_docs/stack_connectors.mdx | 2 +- api_docs/task_manager.mdx | 2 +- api_docs/telemetry.mdx | 2 +- api_docs/telemetry_collection_manager.mdx | 2 +- api_docs/telemetry_collection_xpack.mdx | 2 +- api_docs/telemetry_management_section.mdx | 2 +- api_docs/threat_intelligence.mdx | 2 +- api_docs/timelines.mdx | 2 +- api_docs/transform.mdx | 2 +- api_docs/triggers_actions_ui.mdx | 2 +- api_docs/ui_actions.mdx | 2 +- api_docs/ui_actions_enhanced.mdx | 2 +- api_docs/unified_field_list.mdx | 2 +- api_docs/unified_histogram.mdx | 2 +- api_docs/unified_search.mdx | 2 +- api_docs/unified_search_autocomplete.mdx | 2 +- api_docs/url_forwarding.mdx | 2 +- api_docs/usage_collection.mdx | 2 +- api_docs/ux.mdx | 2 +- api_docs/vis_default_editor.mdx | 2 +- api_docs/vis_type_gauge.mdx | 2 +- api_docs/vis_type_heatmap.mdx | 2 +- api_docs/vis_type_pie.mdx | 2 +- api_docs/vis_type_table.mdx | 2 +- api_docs/vis_type_timelion.mdx | 2 +- api_docs/vis_type_timeseries.mdx | 2 +- api_docs/vis_type_vega.mdx | 2 +- api_docs/vis_type_vislib.mdx | 2 +- api_docs/vis_type_xy.mdx | 2 +- api_docs/visualizations.mdx | 2 +- 451 files changed, 736 insertions(+), 796 deletions(-) diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index d16b220fbc52c..8c63261d6edfe 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/actions title: "actions" image: https://source.unsplash.com/400x175/?github description: API docs for the actions plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'actions'] --- import actionsObj from './actions.devdocs.json'; diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index 719b8060f78ed..e50f819d88ef6 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/advancedSettings title: "advancedSettings" image: https://source.unsplash.com/400x175/?github description: API docs for the advancedSettings plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'advancedSettings'] --- import advancedSettingsObj from './advanced_settings.devdocs.json'; diff --git a/api_docs/aiops.mdx b/api_docs/aiops.mdx index 3065f13b19a3f..d4a18997ddd8f 100644 --- a/api_docs/aiops.mdx +++ b/api_docs/aiops.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiops title: "aiops" image: https://source.unsplash.com/400x175/?github description: API docs for the aiops plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiops'] --- import aiopsObj from './aiops.devdocs.json'; diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index 9f8a7da77773c..330658abe4ca1 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/alerting title: "alerting" image: https://source.unsplash.com/400x175/?github description: API docs for the alerting plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'alerting'] --- import alertingObj from './alerting.devdocs.json'; diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index 0ad7152cc729d..9f6c21cf8ab0f 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apm title: "apm" image: https://source.unsplash.com/400x175/?github description: API docs for the apm plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apm'] --- import apmObj from './apm.devdocs.json'; diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index d9a9f976bdb3d..4fd2935f2e171 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/banners title: "banners" image: https://source.unsplash.com/400x175/?github description: API docs for the banners plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'banners'] --- import bannersObj from './banners.devdocs.json'; diff --git a/api_docs/bfetch.mdx b/api_docs/bfetch.mdx index 46634eef66820..a5fb730527be9 100644 --- a/api_docs/bfetch.mdx +++ b/api_docs/bfetch.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/bfetch title: "bfetch" image: https://source.unsplash.com/400x175/?github description: API docs for the bfetch plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'bfetch'] --- import bfetchObj from './bfetch.devdocs.json'; diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index 9323d5b895499..4e310b7e325df 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/canvas title: "canvas" image: https://source.unsplash.com/400x175/?github description: API docs for the canvas plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'canvas'] --- import canvasObj from './canvas.devdocs.json'; diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index 7375db95c88a7..b0f552416b609 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cases title: "cases" image: https://source.unsplash.com/400x175/?github description: API docs for the cases plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cases'] --- import casesObj from './cases.devdocs.json'; diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index 824905af39658..511874c04e497 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/charts title: "charts" image: https://source.unsplash.com/400x175/?github description: API docs for the charts plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'charts'] --- import chartsObj from './charts.devdocs.json'; diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index c8229342ad01f..0c15713f71923 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloud title: "cloud" image: https://source.unsplash.com/400x175/?github description: API docs for the cloud plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloud'] --- import cloudObj from './cloud.devdocs.json'; diff --git a/api_docs/cloud_chat.mdx b/api_docs/cloud_chat.mdx index f9426757c7998..265457b0b72e4 100644 --- a/api_docs/cloud_chat.mdx +++ b/api_docs/cloud_chat.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudChat title: "cloudChat" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudChat plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudChat'] --- import cloudChatObj from './cloud_chat.devdocs.json'; diff --git a/api_docs/cloud_experiments.mdx b/api_docs/cloud_experiments.mdx index 1a6e46a30000e..e3070509ae62f 100644 --- a/api_docs/cloud_experiments.mdx +++ b/api_docs/cloud_experiments.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudExperiments title: "cloudExperiments" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudExperiments plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudExperiments'] --- import cloudExperimentsObj from './cloud_experiments.devdocs.json'; diff --git a/api_docs/cloud_security_posture.mdx b/api_docs/cloud_security_posture.mdx index c3b93b1ce5ddc..909d613050a5e 100644 --- a/api_docs/cloud_security_posture.mdx +++ b/api_docs/cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudSecurityPosture title: "cloudSecurityPosture" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudSecurityPosture plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudSecurityPosture'] --- import cloudSecurityPostureObj from './cloud_security_posture.devdocs.json'; diff --git a/api_docs/console.mdx b/api_docs/console.mdx index d8336365a3ff3..dc3db2096343b 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/console title: "console" image: https://source.unsplash.com/400x175/?github description: API docs for the console plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'console'] --- import consoleObj from './console.devdocs.json'; diff --git a/api_docs/controls.mdx b/api_docs/controls.mdx index f2e5778c55b35..7a59920739b2e 100644 --- a/api_docs/controls.mdx +++ b/api_docs/controls.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/controls title: "controls" image: https://source.unsplash.com/400x175/?github description: API docs for the controls plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'controls'] --- import controlsObj from './controls.devdocs.json'; diff --git a/api_docs/core.devdocs.json b/api_docs/core.devdocs.json index c10a629fb75c7..588fee36d89d8 100644 --- a/api_docs/core.devdocs.json +++ b/api_docs/core.devdocs.json @@ -59480,6 +59480,26 @@ "path": "packages/core/ui-settings/core-ui-settings-server/src/request_handler_context.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "core", + "id": "def-server.UiSettingsRequestHandlerContext.globalClient", + "type": "Object", + "tags": [], + "label": "globalClient", + "description": [], + "signature": [ + { + "pluginId": "@kbn/core-ui-settings-server", + "scope": "server", + "docId": "kibKbnCoreUiSettingsServerPluginApi", + "section": "def-server.IUiSettingsClient", + "text": "IUiSettingsClient" + } + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/request_handler_context.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false @@ -59502,7 +59522,7 @@ "tags": [], "label": "register", "description": [ - "\nSets settings with default values for the uiSettings." + "\nSets settings with default values for the uiSettings" ], "signature": [ "(settings: Record>) => void" + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "core", + "id": "def-server.UiSettingsServiceSetup.registerGlobal.$1", + "type": "Object", + "tags": [], + "label": "settings", + "description": [], + "signature": [ + "Record>" + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [] } ], "initialIsOpen": false @@ -59613,6 +59683,61 @@ } ], "returnComment": [] + }, + { + "parentPluginId": "core", + "id": "def-server.UiSettingsServiceStart.globalAsScopedToClient", + "type": "Function", + "tags": [], + "label": "globalAsScopedToClient", + "description": [ + "\nCreates a global {@link IUiSettingsClient} with provided *scoped* saved objects client.\n\nThis should only be used in the specific case where the client needs to be accessed\nfrom outside of the scope of a {@link RequestHandler}.\n" + ], + "signature": [ + "(savedObjectsClient: ", + { + "pluginId": "@kbn/core-saved-objects-api-server", + "scope": "server", + "docId": "kibKbnCoreSavedObjectsApiServerPluginApi", + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + }, + ") => ", + { + "pluginId": "@kbn/core-ui-settings-server", + "scope": "server", + "docId": "kibKbnCoreUiSettingsServerPluginApi", + "section": "def-server.IUiSettingsClient", + "text": "IUiSettingsClient" + } + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "core", + "id": "def-server.UiSettingsServiceStart.globalAsScopedToClient.$1", + "type": "Object", + "tags": [], + "label": "savedObjectsClient", + "description": [], + "signature": [ + { + "pluginId": "@kbn/core-saved-objects-api-server", + "scope": "server", + "docId": "kibKbnCoreSavedObjectsApiServerPluginApi", + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [] } ], "initialIsOpen": false diff --git a/api_docs/core.mdx b/api_docs/core.mdx index df3d0f9fa292c..b0f4a116e2384 100644 --- a/api_docs/core.mdx +++ b/api_docs/core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/core title: "core" image: https://source.unsplash.com/400x175/?github description: API docs for the core plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'core'] --- import coreObj from './core.devdocs.json'; @@ -21,7 +21,7 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2798 | 17 | 1007 | 0 | +| 2803 | 17 | 1010 | 0 | ## Client diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index 7f901267553c7..a00e63f5279f7 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/customIntegrations title: "customIntegrations" image: https://source.unsplash.com/400x175/?github description: API docs for the customIntegrations plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'customIntegrations'] --- import customIntegrationsObj from './custom_integrations.devdocs.json'; diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index 84b80a1e93082..3ac36d0c0179b 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboard title: "dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboard plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboard'] --- import dashboardObj from './dashboard.devdocs.json'; diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index 1dd5b067eb602..e61cbac57fe83 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboardEnhanced title: "dashboardEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboardEnhanced plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboardEnhanced'] --- import dashboardEnhancedObj from './dashboard_enhanced.devdocs.json'; diff --git a/api_docs/data.devdocs.json b/api_docs/data.devdocs.json index f64011e1dfda5..dcbc1fd4c40de 100644 --- a/api_docs/data.devdocs.json +++ b/api_docs/data.devdocs.json @@ -12939,6 +12939,10 @@ "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts" }, + { + "plugin": "securitySolution", + "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx" + }, { "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts" @@ -20641,6 +20645,10 @@ "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts" }, + { + "plugin": "securitySolution", + "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx" + }, { "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts" diff --git a/api_docs/data.mdx b/api_docs/data.mdx index dfff31f5cfce7..ea561a2b05b29 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data title: "data" image: https://source.unsplash.com/400x175/?github description: API docs for the data plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data'] --- import dataObj from './data.devdocs.json'; diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index 2ff0f0fe9ec2f..799b719b64a05 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-query title: "data.query" image: https://source.unsplash.com/400x175/?github description: API docs for the data.query plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.query'] --- import dataQueryObj from './data_query.devdocs.json'; diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index 3a87348fe124a..fe601365780c6 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-search title: "data.search" image: https://source.unsplash.com/400x175/?github description: API docs for the data.search plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.search'] --- import dataSearchObj from './data_search.devdocs.json'; diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index ea203222a4424..9d166ba2179b1 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewEditor title: "dataViewEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewEditor plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewEditor'] --- import dataViewEditorObj from './data_view_editor.devdocs.json'; diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index 41df9c22d43b5..d34031b3d281d 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewFieldEditor title: "dataViewFieldEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewFieldEditor plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewFieldEditor'] --- import dataViewFieldEditorObj from './data_view_field_editor.devdocs.json'; diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index db6554be3585b..ce7d239be2c12 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewManagement title: "dataViewManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewManagement plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewManagement'] --- import dataViewManagementObj from './data_view_management.devdocs.json'; diff --git a/api_docs/data_views.devdocs.json b/api_docs/data_views.devdocs.json index 608e1f45bd5b0..54b2801df6737 100644 --- a/api_docs/data_views.devdocs.json +++ b/api_docs/data_views.devdocs.json @@ -79,6 +79,10 @@ "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts" }, + { + "plugin": "securitySolution", + "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx" + }, { "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts" @@ -8380,6 +8384,10 @@ "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts" }, + { + "plugin": "securitySolution", + "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx" + }, { "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts" @@ -15762,6 +15770,10 @@ "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts" }, + { + "plugin": "securitySolution", + "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx" + }, { "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts" diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index 7b04b1cc7b9e9..87f06683b8733 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViews title: "dataViews" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViews plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViews'] --- import dataViewsObj from './data_views.devdocs.json'; diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index 79c9c406ff282..e33b3d7ca0869 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataVisualizer title: "dataVisualizer" image: https://source.unsplash.com/400x175/?github description: API docs for the dataVisualizer plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataVisualizer'] --- import dataVisualizerObj from './data_visualizer.devdocs.json'; diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index 1e76211a95f1f..d99772dd348eb 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByApi slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-api title: Deprecated API usage by API description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index 0a911e9c26b22..6ee327f3c539f 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByPlugin slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-plugin title: Deprecated API usage by plugin description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- @@ -847,12 +847,12 @@ migrates to using the Kibana Privilege model: https://github.com/elastic/kibana/ | | [wrap_search_source_client.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.ts#:~:text=create) | - | | | [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch), [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch), [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch), [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch) | - | | | [dependencies_start_mock.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/mock/endpoint/dependencies_start_mock.ts#:~:text=indexPatterns) | - | -| | [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [middleware.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts#:~:text=title), [get_es_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts#:~:text=title), [utils.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/pages/detection_engine/rules/utils.ts#:~:text=title), [get_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/signals/get_query_filter.ts#:~:text=title), [index_pattern.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/mock/index_pattern.ts#:~:text=title), [utils.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detection_engine/rule_exceptions/components/flyout_components/alerts_actions/utils.test.ts#:~:text=title), [validators.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/eql_query_bar/validators.ts#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/step_define_rule/index.tsx#:~:text=title)+ 18 more | - | +| | [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [middleware.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts#:~:text=title), [use_rule_from_timeline.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx#:~:text=title), [get_es_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts#:~:text=title), [utils.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/pages/detection_engine/rules/utils.ts#:~:text=title), [get_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/signals/get_query_filter.ts#:~:text=title), [index_pattern.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/mock/index_pattern.ts#:~:text=title), [utils.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detection_engine/rule_exceptions/components/flyout_components/alerts_actions/utils.test.ts#:~:text=title), [validators.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/eql_query_bar/validators.ts#:~:text=title)+ 20 more | - | | | [wrap_search_source_client.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.ts#:~:text=create) | - | | | [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch), [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch), [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch), [wrap_search_source_client.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/rule_preview/api/preview_rules/wrap_search_source_client.test.ts#:~:text=fetch) | - | | | [api.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/hooks/eql/api.ts#:~:text=options) | - | -| | [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [middleware.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts#:~:text=title), [get_es_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts#:~:text=title), [utils.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/pages/detection_engine/rules/utils.ts#:~:text=title), [get_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/signals/get_query_filter.ts#:~:text=title), [index_pattern.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/mock/index_pattern.ts#:~:text=title), [utils.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detection_engine/rule_exceptions/components/flyout_components/alerts_actions/utils.test.ts#:~:text=title), [validators.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/eql_query_bar/validators.ts#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/step_define_rule/index.tsx#:~:text=title)+ 18 more | - | -| | [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [middleware.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts#:~:text=title), [get_es_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts#:~:text=title), [utils.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/pages/detection_engine/rules/utils.ts#:~:text=title), [get_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/signals/get_query_filter.ts#:~:text=title), [index_pattern.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/mock/index_pattern.ts#:~:text=title), [utils.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detection_engine/rule_exceptions/components/flyout_components/alerts_actions/utils.test.ts#:~:text=title), [validators.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/eql_query_bar/validators.ts#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/step_define_rule/index.tsx#:~:text=title)+ 4 more | - | +| | [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [middleware.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts#:~:text=title), [use_rule_from_timeline.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx#:~:text=title), [get_es_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts#:~:text=title), [utils.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/pages/detection_engine/rules/utils.ts#:~:text=title), [get_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/signals/get_query_filter.ts#:~:text=title), [index_pattern.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/mock/index_pattern.ts#:~:text=title), [utils.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detection_engine/rule_exceptions/components/flyout_components/alerts_actions/utils.test.ts#:~:text=title), [validators.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/eql_query_bar/validators.ts#:~:text=title)+ 20 more | - | +| | [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [index.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/containers/source/index.tsx#:~:text=title), [middleware.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts#:~:text=title), [use_rule_from_timeline.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/rules/use_rule_from_timeline.tsx#:~:text=title), [get_es_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/containers/detection_engine/exceptions/get_es_query_filter.ts#:~:text=title), [utils.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/pages/detection_engine/rules/utils.ts#:~:text=title), [get_query_filter.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/signals/get_query_filter.ts#:~:text=title), [index_pattern.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/common/mock/index_pattern.ts#:~:text=title), [utils.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detection_engine/rule_exceptions/components/flyout_components/alerts_actions/utils.test.ts#:~:text=title), [validators.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/public/detections/components/rules/eql_query_bar/validators.ts#:~:text=title)+ 5 more | - | | | [policy_config.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [create_default_policy.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/handlers/create_default_policy.test.ts#:~:text=mode), [create_default_policy.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/handlers/create_default_policy.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode)+ 7 more | 8.8.0 | | | [policy_config.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [create_default_policy.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/handlers/create_default_policy.test.ts#:~:text=mode), [create_default_policy.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/fleet_integration/handlers/create_default_policy.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode)+ 7 more | 8.8.0 | | | [query.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/security_solution/server/lib/detection_engine/signals/executors/query.ts#:~:text=license%24) | 8.8.0 | diff --git a/api_docs/deprecations_by_team.mdx b/api_docs/deprecations_by_team.mdx index f5f9255595d74..c30493c2b60fd 100644 --- a/api_docs/deprecations_by_team.mdx +++ b/api_docs/deprecations_by_team.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsDueByTeam slug: /kibana-dev-docs/api-meta/deprecations-due-by-team title: Deprecated APIs due to be removed, by team description: Lists the teams that are referencing deprecated APIs with a remove by date. -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index 4997b8204e56e..6c4ee28b3b0a3 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/devTools title: "devTools" image: https://source.unsplash.com/400x175/?github description: API docs for the devTools plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'devTools'] --- import devToolsObj from './dev_tools.devdocs.json'; diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index 95f49388264c4..f2199d5ec0124 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discover title: "discover" image: https://source.unsplash.com/400x175/?github description: API docs for the discover plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discover'] --- import discoverObj from './discover.devdocs.json'; diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index 7eda85a7439f1..def33e832e003 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverEnhanced title: "discoverEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverEnhanced plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverEnhanced'] --- import discoverEnhancedObj from './discover_enhanced.devdocs.json'; diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index 5b767fe8b4187..9eb5ae14f058d 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddable title: "embeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddable plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddable'] --- import embeddableObj from './embeddable.devdocs.json'; diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index 25d420842d1ff..7e4609d0fbd4f 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddableEnhanced title: "embeddableEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddableEnhanced plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddableEnhanced'] --- import embeddableEnhancedObj from './embeddable_enhanced.devdocs.json'; diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index ca03db1187090..c8ed805dbd406 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/encryptedSavedObjects title: "encryptedSavedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the encryptedSavedObjects plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'encryptedSavedObjects'] --- import encryptedSavedObjectsObj from './encrypted_saved_objects.devdocs.json'; diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index f2a833aef2e74..21c23c9aaa8e0 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/enterpriseSearch title: "enterpriseSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the enterpriseSearch plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'enterpriseSearch'] --- import enterpriseSearchObj from './enterprise_search.devdocs.json'; diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index 62a4a1b1e287c..21f4396d919a3 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esUiShared title: "esUiShared" image: https://source.unsplash.com/400x175/?github description: API docs for the esUiShared plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esUiShared'] --- import esUiSharedObj from './es_ui_shared.devdocs.json'; diff --git a/api_docs/event_annotation.mdx b/api_docs/event_annotation.mdx index dd92bcb0a74a1..45f37d536376c 100644 --- a/api_docs/event_annotation.mdx +++ b/api_docs/event_annotation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotation title: "eventAnnotation" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotation plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotation'] --- import eventAnnotationObj from './event_annotation.devdocs.json'; diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index 7b747091962a3..5b074ede2e2e0 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventLog title: "eventLog" image: https://source.unsplash.com/400x175/?github description: API docs for the eventLog plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventLog'] --- import eventLogObj from './event_log.devdocs.json'; diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index 489e173a2b136..6836e806ed47b 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionError title: "expressionError" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionError plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionError'] --- import expressionErrorObj from './expression_error.devdocs.json'; diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx index ae4798b60f640..8e0b4fb028987 100644 --- a/api_docs/expression_gauge.mdx +++ b/api_docs/expression_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionGauge title: "expressionGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionGauge plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] --- import expressionGaugeObj from './expression_gauge.devdocs.json'; diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx index cb965b196f616..b6f9d60ce8839 100644 --- a/api_docs/expression_heatmap.mdx +++ b/api_docs/expression_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionHeatmap title: "expressionHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionHeatmap plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] --- import expressionHeatmapObj from './expression_heatmap.devdocs.json'; diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index ef3c7059f8161..f739e0ddd4dca 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionImage title: "expressionImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionImage plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionImage'] --- import expressionImageObj from './expression_image.devdocs.json'; diff --git a/api_docs/expression_legacy_metric_vis.mdx b/api_docs/expression_legacy_metric_vis.mdx index a9fa21973dcba..59d8352368840 100644 --- a/api_docs/expression_legacy_metric_vis.mdx +++ b/api_docs/expression_legacy_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionLegacyMetricVis title: "expressionLegacyMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionLegacyMetricVis plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionLegacyMetricVis'] --- import expressionLegacyMetricVisObj from './expression_legacy_metric_vis.devdocs.json'; diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index 5793f6737c28a..d4c491d3ff747 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetric title: "expressionMetric" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetric plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetric'] --- import expressionMetricObj from './expression_metric.devdocs.json'; diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index 166da3294eda5..cd2fe40ccb242 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetricVis title: "expressionMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetricVis plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetricVis'] --- import expressionMetricVisObj from './expression_metric_vis.devdocs.json'; diff --git a/api_docs/expression_partition_vis.mdx b/api_docs/expression_partition_vis.mdx index c8136d7cc726c..549bf44b43872 100644 --- a/api_docs/expression_partition_vis.mdx +++ b/api_docs/expression_partition_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionPartitionVis title: "expressionPartitionVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionPartitionVis plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionPartitionVis'] --- import expressionPartitionVisObj from './expression_partition_vis.devdocs.json'; diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 4080f6cf922fc..769349a8a044b 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRepeatImage title: "expressionRepeatImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRepeatImage plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRepeatImage'] --- import expressionRepeatImageObj from './expression_repeat_image.devdocs.json'; diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index c5b45fc137775..3f9d5b4e8d3b1 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRevealImage title: "expressionRevealImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRevealImage plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRevealImage'] --- import expressionRevealImageObj from './expression_reveal_image.devdocs.json'; diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index 3f4f7811e027d..5b3ddd2be2036 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionShape title: "expressionShape" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionShape plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionShape'] --- import expressionShapeObj from './expression_shape.devdocs.json'; diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index cef1299eea518..778a3b261b9b7 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionTagcloud title: "expressionTagcloud" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionTagcloud plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionTagcloud'] --- import expressionTagcloudObj from './expression_tagcloud.devdocs.json'; diff --git a/api_docs/expression_x_y.mdx b/api_docs/expression_x_y.mdx index 0663c5d8fe527..d49683d8da9e6 100644 --- a/api_docs/expression_x_y.mdx +++ b/api_docs/expression_x_y.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionXY title: "expressionXY" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionXY plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionXY'] --- import expressionXYObj from './expression_x_y.devdocs.json'; diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index 5cc82207ee658..df2c42d781f09 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressions title: "expressions" image: https://source.unsplash.com/400x175/?github description: API docs for the expressions plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressions'] --- import expressionsObj from './expressions.devdocs.json'; diff --git a/api_docs/features.mdx b/api_docs/features.mdx index eeca055c1e64f..62ee9ef3f7789 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/features title: "features" image: https://source.unsplash.com/400x175/?github description: API docs for the features plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'features'] --- import featuresObj from './features.devdocs.json'; diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index 4492421da917c..273f7a0f35da6 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldFormats title: "fieldFormats" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldFormats plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldFormats'] --- import fieldFormatsObj from './field_formats.devdocs.json'; diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index 52946eccbcef5..afda461721394 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fileUpload title: "fileUpload" image: https://source.unsplash.com/400x175/?github description: API docs for the fileUpload plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fileUpload'] --- import fileUploadObj from './file_upload.devdocs.json'; diff --git a/api_docs/files.mdx b/api_docs/files.mdx index 9abd88a680f6c..f4f1bd952237c 100644 --- a/api_docs/files.mdx +++ b/api_docs/files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/files title: "files" image: https://source.unsplash.com/400x175/?github description: API docs for the files plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'files'] --- import filesObj from './files.devdocs.json'; diff --git a/api_docs/files_management.mdx b/api_docs/files_management.mdx index 1aa0cabf504d4..4f3b003f19079 100644 --- a/api_docs/files_management.mdx +++ b/api_docs/files_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/filesManagement title: "filesManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the filesManagement plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'filesManagement'] --- import filesManagementObj from './files_management.devdocs.json'; diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index b24563dea1581..8bf68744a060e 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fleet title: "fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the fleet plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fleet'] --- import fleetObj from './fleet.devdocs.json'; diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index ec0ccf8b12af0..2c7f10667edf9 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/globalSearch title: "globalSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the globalSearch plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'globalSearch'] --- import globalSearchObj from './global_search.devdocs.json'; diff --git a/api_docs/guided_onboarding.mdx b/api_docs/guided_onboarding.mdx index b08543ec0d75b..ac64f470c00b6 100644 --- a/api_docs/guided_onboarding.mdx +++ b/api_docs/guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/guidedOnboarding title: "guidedOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the guidedOnboarding plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'guidedOnboarding'] --- import guidedOnboardingObj from './guided_onboarding.devdocs.json'; diff --git a/api_docs/home.mdx b/api_docs/home.mdx index 638479010fa59..27d1dae73e416 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/home title: "home" image: https://source.unsplash.com/400x175/?github description: API docs for the home plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'home'] --- import homeObj from './home.devdocs.json'; diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index ae25ff15eccc1..13b733dd82ddc 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexLifecycleManagement title: "indexLifecycleManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexLifecycleManagement plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexLifecycleManagement'] --- import indexLifecycleManagementObj from './index_lifecycle_management.devdocs.json'; diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index 7b08a70b4eaea..712fc16df34de 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexManagement title: "indexManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexManagement plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexManagement'] --- import indexManagementObj from './index_management.devdocs.json'; diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index 6bbd69c28823e..76c39cb6252bc 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/infra title: "infra" image: https://source.unsplash.com/400x175/?github description: API docs for the infra plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'infra'] --- import infraObj from './infra.devdocs.json'; diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index 82563e09f4095..870474e1663c9 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inspector title: "inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the inspector plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inspector'] --- import inspectorObj from './inspector.devdocs.json'; diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index c48b692006c0b..11ac3db28bd7d 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/interactiveSetup title: "interactiveSetup" image: https://source.unsplash.com/400x175/?github description: API docs for the interactiveSetup plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'interactiveSetup'] --- import interactiveSetupObj from './interactive_setup.devdocs.json'; diff --git a/api_docs/kbn_ace.mdx b/api_docs/kbn_ace.mdx index 0e1c932cc1e45..7cbffdf5406d6 100644 --- a/api_docs/kbn_ace.mdx +++ b/api_docs/kbn_ace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ace title: "@kbn/ace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ace plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ace'] --- import kbnAceObj from './kbn_ace.devdocs.json'; diff --git a/api_docs/kbn_aiops_components.mdx b/api_docs/kbn_aiops_components.mdx index 1b4cabbb7232b..7be54656f98e4 100644 --- a/api_docs/kbn_aiops_components.mdx +++ b/api_docs/kbn_aiops_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-components title: "@kbn/aiops-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-components plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-components'] --- import kbnAiopsComponentsObj from './kbn_aiops_components.devdocs.json'; diff --git a/api_docs/kbn_aiops_utils.mdx b/api_docs/kbn_aiops_utils.mdx index 48f8e63f68d37..edc18f2dcf450 100644 --- a/api_docs/kbn_aiops_utils.mdx +++ b/api_docs/kbn_aiops_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-utils title: "@kbn/aiops-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-utils'] --- import kbnAiopsUtilsObj from './kbn_aiops_utils.devdocs.json'; diff --git a/api_docs/kbn_alerts.mdx b/api_docs/kbn_alerts.mdx index ff9e015817321..501628cb08194 100644 --- a/api_docs/kbn_alerts.mdx +++ b/api_docs/kbn_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts title: "@kbn/alerts" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts'] --- import kbnAlertsObj from './kbn_alerts.devdocs.json'; diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index 73a2882b72aa0..e6b527e3a4ba7 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics title: "@kbn/analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics'] --- import kbnAnalyticsObj from './kbn_analytics.devdocs.json'; diff --git a/api_docs/kbn_analytics_client.mdx b/api_docs/kbn_analytics_client.mdx index 2f24eb7cdf1a6..535210aa44ba0 100644 --- a/api_docs/kbn_analytics_client.mdx +++ b/api_docs/kbn_analytics_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-client title: "@kbn/analytics-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-client plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-client'] --- import kbnAnalyticsClientObj from './kbn_analytics_client.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx index a141da72d50df..dd4089c0f911c 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-browser title: "@kbn/analytics-shippers-elastic-v3-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-browser'] --- import kbnAnalyticsShippersElasticV3BrowserObj from './kbn_analytics_shippers_elastic_v3_browser.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx index c99e7401f7f88..61c147ce7f5ee 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-common title: "@kbn/analytics-shippers-elastic-v3-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-common'] --- import kbnAnalyticsShippersElasticV3CommonObj from './kbn_analytics_shippers_elastic_v3_common.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx index 2caff35b86ae3..e2c56049babbd 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-server title: "@kbn/analytics-shippers-elastic-v3-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-server'] --- import kbnAnalyticsShippersElasticV3ServerObj from './kbn_analytics_shippers_elastic_v3_server.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_fullstory.mdx b/api_docs/kbn_analytics_shippers_fullstory.mdx index 0575003700785..86ad7dfe981ef 100644 --- a/api_docs/kbn_analytics_shippers_fullstory.mdx +++ b/api_docs/kbn_analytics_shippers_fullstory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-fullstory title: "@kbn/analytics-shippers-fullstory" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-fullstory plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-fullstory'] --- import kbnAnalyticsShippersFullstoryObj from './kbn_analytics_shippers_fullstory.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_gainsight.mdx b/api_docs/kbn_analytics_shippers_gainsight.mdx index 6af9fa3901884..62aa2fd36c033 100644 --- a/api_docs/kbn_analytics_shippers_gainsight.mdx +++ b/api_docs/kbn_analytics_shippers_gainsight.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-gainsight title: "@kbn/analytics-shippers-gainsight" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-gainsight plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-gainsight'] --- import kbnAnalyticsShippersGainsightObj from './kbn_analytics_shippers_gainsight.devdocs.json'; diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index 1bfe4eb331f94..294490c47da76 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-config-loader title: "@kbn/apm-config-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-config-loader plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-config-loader'] --- import kbnApmConfigLoaderObj from './kbn_apm_config_loader.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace.mdx b/api_docs/kbn_apm_synthtrace.mdx index ccedd1ba70618..d502f8d13582f 100644 --- a/api_docs/kbn_apm_synthtrace.mdx +++ b/api_docs/kbn_apm_synthtrace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace title: "@kbn/apm-synthtrace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace'] --- import kbnApmSynthtraceObj from './kbn_apm_synthtrace.devdocs.json'; diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index 863fd37e78ca9..e046c165b8ecb 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-utils title: "@kbn/apm-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-utils'] --- import kbnApmUtilsObj from './kbn_apm_utils.devdocs.json'; diff --git a/api_docs/kbn_axe_config.mdx b/api_docs/kbn_axe_config.mdx index 3681f5a89e232..bd5f5dcedef62 100644 --- a/api_docs/kbn_axe_config.mdx +++ b/api_docs/kbn_axe_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-axe-config title: "@kbn/axe-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/axe-config plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/axe-config'] --- import kbnAxeConfigObj from './kbn_axe_config.devdocs.json'; diff --git a/api_docs/kbn_cases_components.mdx b/api_docs/kbn_cases_components.mdx index d110ecd016d99..fef0f6ad01606 100644 --- a/api_docs/kbn_cases_components.mdx +++ b/api_docs/kbn_cases_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cases-components title: "@kbn/cases-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cases-components plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cases-components'] --- import kbnCasesComponentsObj from './kbn_cases_components.devdocs.json'; diff --git a/api_docs/kbn_chart_icons.mdx b/api_docs/kbn_chart_icons.mdx index 7b84d87c26494..1e9c4492db01a 100644 --- a/api_docs/kbn_chart_icons.mdx +++ b/api_docs/kbn_chart_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-icons title: "@kbn/chart-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-icons plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-icons'] --- import kbnChartIconsObj from './kbn_chart_icons.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_core.mdx b/api_docs/kbn_ci_stats_core.mdx index 2408fd1b5b214..b85f1dfd376fd 100644 --- a/api_docs/kbn_ci_stats_core.mdx +++ b/api_docs/kbn_ci_stats_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-core title: "@kbn/ci-stats-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-core plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-core'] --- import kbnCiStatsCoreObj from './kbn_ci_stats_core.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_performance_metrics.mdx b/api_docs/kbn_ci_stats_performance_metrics.mdx index 680ae2bfa1377..f21c88e2b677a 100644 --- a/api_docs/kbn_ci_stats_performance_metrics.mdx +++ b/api_docs/kbn_ci_stats_performance_metrics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-performance-metrics title: "@kbn/ci-stats-performance-metrics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-performance-metrics plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-performance-metrics'] --- import kbnCiStatsPerformanceMetricsObj from './kbn_ci_stats_performance_metrics.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_reporter.mdx b/api_docs/kbn_ci_stats_reporter.mdx index c6a8fd190af73..2eba37b850887 100644 --- a/api_docs/kbn_ci_stats_reporter.mdx +++ b/api_docs/kbn_ci_stats_reporter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-reporter title: "@kbn/ci-stats-reporter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-reporter plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-reporter'] --- import kbnCiStatsReporterObj from './kbn_ci_stats_reporter.devdocs.json'; diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index 4af90e50e3293..88071ab7201fa 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cli-dev-mode title: "@kbn/cli-dev-mode" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cli-dev-mode plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cli-dev-mode'] --- import kbnCliDevModeObj from './kbn_cli_dev_mode.devdocs.json'; diff --git a/api_docs/kbn_coloring.mdx b/api_docs/kbn_coloring.mdx index 1cc88ccde57ee..94a7ea3de28b8 100644 --- a/api_docs/kbn_coloring.mdx +++ b/api_docs/kbn_coloring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-coloring title: "@kbn/coloring" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/coloring plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/coloring'] --- import kbnColoringObj from './kbn_coloring.devdocs.json'; diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index ff06356a2dac1..a3fecb53f9ec4 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config title: "@kbn/config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config'] --- import kbnConfigObj from './kbn_config.devdocs.json'; diff --git a/api_docs/kbn_config_mocks.mdx b/api_docs/kbn_config_mocks.mdx index f9ae396315bd4..bf9fe4ca45262 100644 --- a/api_docs/kbn_config_mocks.mdx +++ b/api_docs/kbn_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-mocks title: "@kbn/config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-mocks'] --- import kbnConfigMocksObj from './kbn_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index e1cd8c3aa768c..72d10d6c2fb48 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-schema title: "@kbn/config-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-schema plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-schema'] --- import kbnConfigSchemaObj from './kbn_config_schema.devdocs.json'; diff --git a/api_docs/kbn_content_management_inspector.mdx b/api_docs/kbn_content_management_inspector.mdx index a8c0730274de0..f5ed54bcfee22 100644 --- a/api_docs/kbn_content_management_inspector.mdx +++ b/api_docs/kbn_content_management_inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-inspector title: "@kbn/content-management-inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-inspector plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-inspector'] --- import kbnContentManagementInspectorObj from './kbn_content_management_inspector.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list.mdx b/api_docs/kbn_content_management_table_list.mdx index 9f09e0a513d89..4ec0e4934d3c4 100644 --- a/api_docs/kbn_content_management_table_list.mdx +++ b/api_docs/kbn_content_management_table_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list title: "@kbn/content-management-table-list" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list'] --- import kbnContentManagementTableListObj from './kbn_content_management_table_list.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser.mdx b/api_docs/kbn_core_analytics_browser.mdx index 875de818de4f3..cf8f8684d40aa 100644 --- a/api_docs/kbn_core_analytics_browser.mdx +++ b/api_docs/kbn_core_analytics_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser title: "@kbn/core-analytics-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser'] --- import kbnCoreAnalyticsBrowserObj from './kbn_core_analytics_browser.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_internal.mdx b/api_docs/kbn_core_analytics_browser_internal.mdx index 3794293d58751..d6eb9af666611 100644 --- a/api_docs/kbn_core_analytics_browser_internal.mdx +++ b/api_docs/kbn_core_analytics_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-internal title: "@kbn/core-analytics-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-internal'] --- import kbnCoreAnalyticsBrowserInternalObj from './kbn_core_analytics_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_mocks.mdx b/api_docs/kbn_core_analytics_browser_mocks.mdx index 6766a269c01f6..5ac3068dd1821 100644 --- a/api_docs/kbn_core_analytics_browser_mocks.mdx +++ b/api_docs/kbn_core_analytics_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-mocks title: "@kbn/core-analytics-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-mocks'] --- import kbnCoreAnalyticsBrowserMocksObj from './kbn_core_analytics_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server.mdx b/api_docs/kbn_core_analytics_server.mdx index 43f8030e3dd3f..72c662c696552 100644 --- a/api_docs/kbn_core_analytics_server.mdx +++ b/api_docs/kbn_core_analytics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server title: "@kbn/core-analytics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server'] --- import kbnCoreAnalyticsServerObj from './kbn_core_analytics_server.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_internal.mdx b/api_docs/kbn_core_analytics_server_internal.mdx index 0a02b89aeaecc..84b199901a6e7 100644 --- a/api_docs/kbn_core_analytics_server_internal.mdx +++ b/api_docs/kbn_core_analytics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-internal title: "@kbn/core-analytics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-internal'] --- import kbnCoreAnalyticsServerInternalObj from './kbn_core_analytics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_mocks.mdx b/api_docs/kbn_core_analytics_server_mocks.mdx index 827b6b6f41424..3a136eb15c204 100644 --- a/api_docs/kbn_core_analytics_server_mocks.mdx +++ b/api_docs/kbn_core_analytics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-mocks title: "@kbn/core-analytics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-mocks'] --- import kbnCoreAnalyticsServerMocksObj from './kbn_core_analytics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser.mdx b/api_docs/kbn_core_application_browser.mdx index 2bb4635c3f8ce..1e15b0942a6d4 100644 --- a/api_docs/kbn_core_application_browser.mdx +++ b/api_docs/kbn_core_application_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser title: "@kbn/core-application-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser'] --- import kbnCoreApplicationBrowserObj from './kbn_core_application_browser.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_internal.mdx b/api_docs/kbn_core_application_browser_internal.mdx index ba5d25993cf3b..21393959c1daf 100644 --- a/api_docs/kbn_core_application_browser_internal.mdx +++ b/api_docs/kbn_core_application_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-internal title: "@kbn/core-application-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-internal'] --- import kbnCoreApplicationBrowserInternalObj from './kbn_core_application_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_mocks.mdx b/api_docs/kbn_core_application_browser_mocks.mdx index b564eae6df7f7..1b9e369f07cec 100644 --- a/api_docs/kbn_core_application_browser_mocks.mdx +++ b/api_docs/kbn_core_application_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-mocks title: "@kbn/core-application-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-mocks'] --- import kbnCoreApplicationBrowserMocksObj from './kbn_core_application_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_common.mdx b/api_docs/kbn_core_application_common.mdx index 55d244f74a445..13c278db4266c 100644 --- a/api_docs/kbn_core_application_common.mdx +++ b/api_docs/kbn_core_application_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-common title: "@kbn/core-application-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-common'] --- import kbnCoreApplicationCommonObj from './kbn_core_application_common.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_internal.mdx b/api_docs/kbn_core_apps_browser_internal.mdx index acee2b4135d1d..44b4ec4e5592b 100644 --- a/api_docs/kbn_core_apps_browser_internal.mdx +++ b/api_docs/kbn_core_apps_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-internal title: "@kbn/core-apps-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-internal'] --- import kbnCoreAppsBrowserInternalObj from './kbn_core_apps_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_mocks.mdx b/api_docs/kbn_core_apps_browser_mocks.mdx index ede459f998342..9d1e8bb646c9b 100644 --- a/api_docs/kbn_core_apps_browser_mocks.mdx +++ b/api_docs/kbn_core_apps_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-mocks title: "@kbn/core-apps-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-mocks'] --- import kbnCoreAppsBrowserMocksObj from './kbn_core_apps_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_apps_server_internal.mdx b/api_docs/kbn_core_apps_server_internal.mdx index 127b5f0931824..272fc6c8f6454 100644 --- a/api_docs/kbn_core_apps_server_internal.mdx +++ b/api_docs/kbn_core_apps_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-server-internal title: "@kbn/core-apps-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-server-internal'] --- import kbnCoreAppsServerInternalObj from './kbn_core_apps_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_browser_mocks.mdx b/api_docs/kbn_core_base_browser_mocks.mdx index 6ad1a247a18a6..5179876d4c547 100644 --- a/api_docs/kbn_core_base_browser_mocks.mdx +++ b/api_docs/kbn_core_base_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-browser-mocks title: "@kbn/core-base-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-browser-mocks'] --- import kbnCoreBaseBrowserMocksObj from './kbn_core_base_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_base_common.mdx b/api_docs/kbn_core_base_common.mdx index 2e04759505460..15147b51cea8f 100644 --- a/api_docs/kbn_core_base_common.mdx +++ b/api_docs/kbn_core_base_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-common title: "@kbn/core-base-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-common'] --- import kbnCoreBaseCommonObj from './kbn_core_base_common.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_internal.mdx b/api_docs/kbn_core_base_server_internal.mdx index 4905076a6fb10..46f8bc9d016b6 100644 --- a/api_docs/kbn_core_base_server_internal.mdx +++ b/api_docs/kbn_core_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-internal title: "@kbn/core-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-internal'] --- import kbnCoreBaseServerInternalObj from './kbn_core_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_mocks.mdx b/api_docs/kbn_core_base_server_mocks.mdx index fca66f945653f..0febf8d718334 100644 --- a/api_docs/kbn_core_base_server_mocks.mdx +++ b/api_docs/kbn_core_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-mocks title: "@kbn/core-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-mocks'] --- import kbnCoreBaseServerMocksObj from './kbn_core_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_browser_mocks.mdx b/api_docs/kbn_core_capabilities_browser_mocks.mdx index fd32b1567ea49..a378d5ac5609b 100644 --- a/api_docs/kbn_core_capabilities_browser_mocks.mdx +++ b/api_docs/kbn_core_capabilities_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-browser-mocks title: "@kbn/core-capabilities-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-browser-mocks'] --- import kbnCoreCapabilitiesBrowserMocksObj from './kbn_core_capabilities_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_common.mdx b/api_docs/kbn_core_capabilities_common.mdx index 72fd3912c1f45..f5e94a8f9023e 100644 --- a/api_docs/kbn_core_capabilities_common.mdx +++ b/api_docs/kbn_core_capabilities_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-common title: "@kbn/core-capabilities-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-common'] --- import kbnCoreCapabilitiesCommonObj from './kbn_core_capabilities_common.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server.mdx b/api_docs/kbn_core_capabilities_server.mdx index 8aefc1a4e5ccc..0330b052c4544 100644 --- a/api_docs/kbn_core_capabilities_server.mdx +++ b/api_docs/kbn_core_capabilities_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server title: "@kbn/core-capabilities-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server'] --- import kbnCoreCapabilitiesServerObj from './kbn_core_capabilities_server.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server_mocks.mdx b/api_docs/kbn_core_capabilities_server_mocks.mdx index 4a5a113c7fb90..6ffbdf177dba5 100644 --- a/api_docs/kbn_core_capabilities_server_mocks.mdx +++ b/api_docs/kbn_core_capabilities_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server-mocks title: "@kbn/core-capabilities-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server-mocks'] --- import kbnCoreCapabilitiesServerMocksObj from './kbn_core_capabilities_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser.mdx b/api_docs/kbn_core_chrome_browser.mdx index 6a3d1fb392f77..6a069eda30d7d 100644 --- a/api_docs/kbn_core_chrome_browser.mdx +++ b/api_docs/kbn_core_chrome_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser title: "@kbn/core-chrome-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser'] --- import kbnCoreChromeBrowserObj from './kbn_core_chrome_browser.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser_mocks.mdx b/api_docs/kbn_core_chrome_browser_mocks.mdx index 3f87d6133765e..eac0226a9fd81 100644 --- a/api_docs/kbn_core_chrome_browser_mocks.mdx +++ b/api_docs/kbn_core_chrome_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser-mocks title: "@kbn/core-chrome-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser-mocks'] --- import kbnCoreChromeBrowserMocksObj from './kbn_core_chrome_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_config_server_internal.mdx b/api_docs/kbn_core_config_server_internal.mdx index cc4a40b1d0856..0e290beddad8e 100644 --- a/api_docs/kbn_core_config_server_internal.mdx +++ b/api_docs/kbn_core_config_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-config-server-internal title: "@kbn/core-config-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-config-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-config-server-internal'] --- import kbnCoreConfigServerInternalObj from './kbn_core_config_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser.mdx b/api_docs/kbn_core_deprecations_browser.mdx index dd27aebd8affa..803871c56d43d 100644 --- a/api_docs/kbn_core_deprecations_browser.mdx +++ b/api_docs/kbn_core_deprecations_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser title: "@kbn/core-deprecations-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser'] --- import kbnCoreDeprecationsBrowserObj from './kbn_core_deprecations_browser.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_internal.mdx b/api_docs/kbn_core_deprecations_browser_internal.mdx index f3bf9d48c79dc..5e56e5f431e7b 100644 --- a/api_docs/kbn_core_deprecations_browser_internal.mdx +++ b/api_docs/kbn_core_deprecations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-internal title: "@kbn/core-deprecations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-internal'] --- import kbnCoreDeprecationsBrowserInternalObj from './kbn_core_deprecations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_mocks.mdx b/api_docs/kbn_core_deprecations_browser_mocks.mdx index 34849151df6d2..63976afc7a138 100644 --- a/api_docs/kbn_core_deprecations_browser_mocks.mdx +++ b/api_docs/kbn_core_deprecations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-mocks title: "@kbn/core-deprecations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-mocks'] --- import kbnCoreDeprecationsBrowserMocksObj from './kbn_core_deprecations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_common.mdx b/api_docs/kbn_core_deprecations_common.mdx index 45d449c391b89..4790db66868ea 100644 --- a/api_docs/kbn_core_deprecations_common.mdx +++ b/api_docs/kbn_core_deprecations_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-common title: "@kbn/core-deprecations-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-common'] --- import kbnCoreDeprecationsCommonObj from './kbn_core_deprecations_common.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server.mdx b/api_docs/kbn_core_deprecations_server.mdx index cc304fb6e0e49..483d758fbe23b 100644 --- a/api_docs/kbn_core_deprecations_server.mdx +++ b/api_docs/kbn_core_deprecations_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server title: "@kbn/core-deprecations-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server'] --- import kbnCoreDeprecationsServerObj from './kbn_core_deprecations_server.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_internal.mdx b/api_docs/kbn_core_deprecations_server_internal.mdx index fee356f36f657..ace30afc04df0 100644 --- a/api_docs/kbn_core_deprecations_server_internal.mdx +++ b/api_docs/kbn_core_deprecations_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-internal title: "@kbn/core-deprecations-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-internal'] --- import kbnCoreDeprecationsServerInternalObj from './kbn_core_deprecations_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_mocks.mdx b/api_docs/kbn_core_deprecations_server_mocks.mdx index 2854b4991c5c2..cda23356d8bc0 100644 --- a/api_docs/kbn_core_deprecations_server_mocks.mdx +++ b/api_docs/kbn_core_deprecations_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-mocks title: "@kbn/core-deprecations-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-mocks'] --- import kbnCoreDeprecationsServerMocksObj from './kbn_core_deprecations_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser.mdx b/api_docs/kbn_core_doc_links_browser.mdx index 378fc061fb0bb..2a4b0a7ffa661 100644 --- a/api_docs/kbn_core_doc_links_browser.mdx +++ b/api_docs/kbn_core_doc_links_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser title: "@kbn/core-doc-links-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser'] --- import kbnCoreDocLinksBrowserObj from './kbn_core_doc_links_browser.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser_mocks.mdx b/api_docs/kbn_core_doc_links_browser_mocks.mdx index 48a86f2ecc671..a91c3e460e9af 100644 --- a/api_docs/kbn_core_doc_links_browser_mocks.mdx +++ b/api_docs/kbn_core_doc_links_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser-mocks title: "@kbn/core-doc-links-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser-mocks'] --- import kbnCoreDocLinksBrowserMocksObj from './kbn_core_doc_links_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server.mdx b/api_docs/kbn_core_doc_links_server.mdx index 78b86ea1747b7..645398d0f6c49 100644 --- a/api_docs/kbn_core_doc_links_server.mdx +++ b/api_docs/kbn_core_doc_links_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server title: "@kbn/core-doc-links-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server'] --- import kbnCoreDocLinksServerObj from './kbn_core_doc_links_server.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server_mocks.mdx b/api_docs/kbn_core_doc_links_server_mocks.mdx index db8d686dfd2f7..653230a0be1ee 100644 --- a/api_docs/kbn_core_doc_links_server_mocks.mdx +++ b/api_docs/kbn_core_doc_links_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server-mocks title: "@kbn/core-doc-links-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server-mocks'] --- import kbnCoreDocLinksServerMocksObj from './kbn_core_doc_links_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx index 0ade7d0bedf52..92b7b55972688 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-internal title: "@kbn/core-elasticsearch-client-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-internal'] --- import kbnCoreElasticsearchClientServerInternalObj from './kbn_core_elasticsearch_client_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx index 3ca423d822747..cadabab0b2044 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-mocks title: "@kbn/core-elasticsearch-client-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-mocks'] --- import kbnCoreElasticsearchClientServerMocksObj from './kbn_core_elasticsearch_client_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server.mdx b/api_docs/kbn_core_elasticsearch_server.mdx index 875a79b830759..2c9af9f88271b 100644 --- a/api_docs/kbn_core_elasticsearch_server.mdx +++ b/api_docs/kbn_core_elasticsearch_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server title: "@kbn/core-elasticsearch-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server'] --- import kbnCoreElasticsearchServerObj from './kbn_core_elasticsearch_server.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_internal.mdx b/api_docs/kbn_core_elasticsearch_server_internal.mdx index a311169bb707d..5b564e6faa049 100644 --- a/api_docs/kbn_core_elasticsearch_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-internal title: "@kbn/core-elasticsearch-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-internal'] --- import kbnCoreElasticsearchServerInternalObj from './kbn_core_elasticsearch_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_server_mocks.mdx index aa829eb5af1ab..9f5e23e8f81f5 100644 --- a/api_docs/kbn_core_elasticsearch_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-mocks title: "@kbn/core-elasticsearch-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-mocks'] --- import kbnCoreElasticsearchServerMocksObj from './kbn_core_elasticsearch_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_internal.mdx b/api_docs/kbn_core_environment_server_internal.mdx index e3db0cb91f69d..fddbda150d25d 100644 --- a/api_docs/kbn_core_environment_server_internal.mdx +++ b/api_docs/kbn_core_environment_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-internal title: "@kbn/core-environment-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-internal'] --- import kbnCoreEnvironmentServerInternalObj from './kbn_core_environment_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_mocks.mdx b/api_docs/kbn_core_environment_server_mocks.mdx index e3ad0f4b32da0..83b34b72515c7 100644 --- a/api_docs/kbn_core_environment_server_mocks.mdx +++ b/api_docs/kbn_core_environment_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-mocks title: "@kbn/core-environment-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-mocks'] --- import kbnCoreEnvironmentServerMocksObj from './kbn_core_environment_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser.mdx b/api_docs/kbn_core_execution_context_browser.mdx index 0dbe495d2af91..6db7944efec99 100644 --- a/api_docs/kbn_core_execution_context_browser.mdx +++ b/api_docs/kbn_core_execution_context_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser title: "@kbn/core-execution-context-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser'] --- import kbnCoreExecutionContextBrowserObj from './kbn_core_execution_context_browser.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_internal.mdx b/api_docs/kbn_core_execution_context_browser_internal.mdx index ecb0528216d50..523d0e20b76ee 100644 --- a/api_docs/kbn_core_execution_context_browser_internal.mdx +++ b/api_docs/kbn_core_execution_context_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-internal title: "@kbn/core-execution-context-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-internal'] --- import kbnCoreExecutionContextBrowserInternalObj from './kbn_core_execution_context_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_mocks.mdx b/api_docs/kbn_core_execution_context_browser_mocks.mdx index ad6f4f59c5cb6..ba06a16948ea9 100644 --- a/api_docs/kbn_core_execution_context_browser_mocks.mdx +++ b/api_docs/kbn_core_execution_context_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-mocks title: "@kbn/core-execution-context-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-mocks'] --- import kbnCoreExecutionContextBrowserMocksObj from './kbn_core_execution_context_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_common.mdx b/api_docs/kbn_core_execution_context_common.mdx index 427736e24ab9f..7c84a8260ca13 100644 --- a/api_docs/kbn_core_execution_context_common.mdx +++ b/api_docs/kbn_core_execution_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-common title: "@kbn/core-execution-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-common'] --- import kbnCoreExecutionContextCommonObj from './kbn_core_execution_context_common.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server.mdx b/api_docs/kbn_core_execution_context_server.mdx index 20ba82f1c86e8..a2dd7f735b7fa 100644 --- a/api_docs/kbn_core_execution_context_server.mdx +++ b/api_docs/kbn_core_execution_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server title: "@kbn/core-execution-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server'] --- import kbnCoreExecutionContextServerObj from './kbn_core_execution_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_internal.mdx b/api_docs/kbn_core_execution_context_server_internal.mdx index fa7a0d14c3b74..c880720afc777 100644 --- a/api_docs/kbn_core_execution_context_server_internal.mdx +++ b/api_docs/kbn_core_execution_context_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-internal title: "@kbn/core-execution-context-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-internal'] --- import kbnCoreExecutionContextServerInternalObj from './kbn_core_execution_context_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_mocks.mdx b/api_docs/kbn_core_execution_context_server_mocks.mdx index 3d0ec76fefe5c..0b0725d0b2e5b 100644 --- a/api_docs/kbn_core_execution_context_server_mocks.mdx +++ b/api_docs/kbn_core_execution_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-mocks title: "@kbn/core-execution-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-mocks'] --- import kbnCoreExecutionContextServerMocksObj from './kbn_core_execution_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser.mdx b/api_docs/kbn_core_fatal_errors_browser.mdx index 5fceaa18261f5..db665bd8219d8 100644 --- a/api_docs/kbn_core_fatal_errors_browser.mdx +++ b/api_docs/kbn_core_fatal_errors_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser title: "@kbn/core-fatal-errors-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser'] --- import kbnCoreFatalErrorsBrowserObj from './kbn_core_fatal_errors_browser.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx index 48070b198cf09..ccfd4b424da06 100644 --- a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx +++ b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser-mocks title: "@kbn/core-fatal-errors-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser-mocks'] --- import kbnCoreFatalErrorsBrowserMocksObj from './kbn_core_fatal_errors_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser.mdx b/api_docs/kbn_core_http_browser.mdx index e3a3b2e9053e1..b5520fe29a3aa 100644 --- a/api_docs/kbn_core_http_browser.mdx +++ b/api_docs/kbn_core_http_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser title: "@kbn/core-http-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser'] --- import kbnCoreHttpBrowserObj from './kbn_core_http_browser.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_internal.mdx b/api_docs/kbn_core_http_browser_internal.mdx index 105b5cc529624..97c7bcd91c867 100644 --- a/api_docs/kbn_core_http_browser_internal.mdx +++ b/api_docs/kbn_core_http_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-internal title: "@kbn/core-http-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-internal'] --- import kbnCoreHttpBrowserInternalObj from './kbn_core_http_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_mocks.mdx b/api_docs/kbn_core_http_browser_mocks.mdx index 9c90617eea6be..2efee38384519 100644 --- a/api_docs/kbn_core_http_browser_mocks.mdx +++ b/api_docs/kbn_core_http_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-mocks title: "@kbn/core-http-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-mocks'] --- import kbnCoreHttpBrowserMocksObj from './kbn_core_http_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_common.mdx b/api_docs/kbn_core_http_common.mdx index 3ae9159df376c..de422951c1a19 100644 --- a/api_docs/kbn_core_http_common.mdx +++ b/api_docs/kbn_core_http_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-common title: "@kbn/core-http-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-common'] --- import kbnCoreHttpCommonObj from './kbn_core_http_common.devdocs.json'; diff --git a/api_docs/kbn_core_http_context_server_mocks.mdx b/api_docs/kbn_core_http_context_server_mocks.mdx index d1e8a9a7ace0e..e64329ef5e3fc 100644 --- a/api_docs/kbn_core_http_context_server_mocks.mdx +++ b/api_docs/kbn_core_http_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-context-server-mocks title: "@kbn/core-http-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-context-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-context-server-mocks'] --- import kbnCoreHttpContextServerMocksObj from './kbn_core_http_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_request_handler_context_server.mdx b/api_docs/kbn_core_http_request_handler_context_server.mdx index 1e865809c32b0..ee0a45707e20a 100644 --- a/api_docs/kbn_core_http_request_handler_context_server.mdx +++ b/api_docs/kbn_core_http_request_handler_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-request-handler-context-server title: "@kbn/core-http-request-handler-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-request-handler-context-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-request-handler-context-server'] --- import kbnCoreHttpRequestHandlerContextServerObj from './kbn_core_http_request_handler_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server.mdx b/api_docs/kbn_core_http_resources_server.mdx index 9fb8f5cdd38c9..f0be1808cf7e6 100644 --- a/api_docs/kbn_core_http_resources_server.mdx +++ b/api_docs/kbn_core_http_resources_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server title: "@kbn/core-http-resources-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server'] --- import kbnCoreHttpResourcesServerObj from './kbn_core_http_resources_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_internal.mdx b/api_docs/kbn_core_http_resources_server_internal.mdx index 344eeb3905ed6..82cdd307a111f 100644 --- a/api_docs/kbn_core_http_resources_server_internal.mdx +++ b/api_docs/kbn_core_http_resources_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-internal title: "@kbn/core-http-resources-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-internal'] --- import kbnCoreHttpResourcesServerInternalObj from './kbn_core_http_resources_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_mocks.mdx b/api_docs/kbn_core_http_resources_server_mocks.mdx index cbb033e64daab..c72d935b915b9 100644 --- a/api_docs/kbn_core_http_resources_server_mocks.mdx +++ b/api_docs/kbn_core_http_resources_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-mocks title: "@kbn/core-http-resources-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-mocks'] --- import kbnCoreHttpResourcesServerMocksObj from './kbn_core_http_resources_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_internal.mdx b/api_docs/kbn_core_http_router_server_internal.mdx index ab53f41426d2f..1bae12e6e4920 100644 --- a/api_docs/kbn_core_http_router_server_internal.mdx +++ b/api_docs/kbn_core_http_router_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-internal title: "@kbn/core-http-router-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-internal'] --- import kbnCoreHttpRouterServerInternalObj from './kbn_core_http_router_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_mocks.mdx b/api_docs/kbn_core_http_router_server_mocks.mdx index f10198c7767b4..f015b204bca44 100644 --- a/api_docs/kbn_core_http_router_server_mocks.mdx +++ b/api_docs/kbn_core_http_router_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-mocks title: "@kbn/core-http-router-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-mocks'] --- import kbnCoreHttpRouterServerMocksObj from './kbn_core_http_router_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server.mdx b/api_docs/kbn_core_http_server.mdx index 667d24ae601b7..91ea02fa34aa9 100644 --- a/api_docs/kbn_core_http_server.mdx +++ b/api_docs/kbn_core_http_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server title: "@kbn/core-http-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server'] --- import kbnCoreHttpServerObj from './kbn_core_http_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_internal.mdx b/api_docs/kbn_core_http_server_internal.mdx index 733eed156a215..1372aee32e9b7 100644 --- a/api_docs/kbn_core_http_server_internal.mdx +++ b/api_docs/kbn_core_http_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-internal title: "@kbn/core-http-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-internal'] --- import kbnCoreHttpServerInternalObj from './kbn_core_http_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_mocks.mdx b/api_docs/kbn_core_http_server_mocks.mdx index 430e5135d8f43..e871c2f244688 100644 --- a/api_docs/kbn_core_http_server_mocks.mdx +++ b/api_docs/kbn_core_http_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-mocks title: "@kbn/core-http-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-mocks'] --- import kbnCoreHttpServerMocksObj from './kbn_core_http_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser.mdx b/api_docs/kbn_core_i18n_browser.mdx index 1bdbc08b3e0f1..e11a27e41ba54 100644 --- a/api_docs/kbn_core_i18n_browser.mdx +++ b/api_docs/kbn_core_i18n_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser title: "@kbn/core-i18n-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser'] --- import kbnCoreI18nBrowserObj from './kbn_core_i18n_browser.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser_mocks.mdx b/api_docs/kbn_core_i18n_browser_mocks.mdx index 198fb0efd058a..61795e604304c 100644 --- a/api_docs/kbn_core_i18n_browser_mocks.mdx +++ b/api_docs/kbn_core_i18n_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser-mocks title: "@kbn/core-i18n-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser-mocks'] --- import kbnCoreI18nBrowserMocksObj from './kbn_core_i18n_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server.mdx b/api_docs/kbn_core_i18n_server.mdx index d5b1ba8eff546..7d7b83a3b542a 100644 --- a/api_docs/kbn_core_i18n_server.mdx +++ b/api_docs/kbn_core_i18n_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server title: "@kbn/core-i18n-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server'] --- import kbnCoreI18nServerObj from './kbn_core_i18n_server.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_internal.mdx b/api_docs/kbn_core_i18n_server_internal.mdx index adb7425b404bd..b68af7cf8ee99 100644 --- a/api_docs/kbn_core_i18n_server_internal.mdx +++ b/api_docs/kbn_core_i18n_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-internal title: "@kbn/core-i18n-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-internal'] --- import kbnCoreI18nServerInternalObj from './kbn_core_i18n_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_mocks.mdx b/api_docs/kbn_core_i18n_server_mocks.mdx index 5623325298117..c7369b0c8824b 100644 --- a/api_docs/kbn_core_i18n_server_mocks.mdx +++ b/api_docs/kbn_core_i18n_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-mocks title: "@kbn/core-i18n-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-mocks'] --- import kbnCoreI18nServerMocksObj from './kbn_core_i18n_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser.mdx b/api_docs/kbn_core_injected_metadata_browser.mdx index b9ce28b26de09..6e0fa4a13a8bc 100644 --- a/api_docs/kbn_core_injected_metadata_browser.mdx +++ b/api_docs/kbn_core_injected_metadata_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser title: "@kbn/core-injected-metadata-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser'] --- import kbnCoreInjectedMetadataBrowserObj from './kbn_core_injected_metadata_browser.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx index 049881ccafb3f..164874c87be99 100644 --- a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx +++ b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser-mocks title: "@kbn/core-injected-metadata-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser-mocks'] --- import kbnCoreInjectedMetadataBrowserMocksObj from './kbn_core_injected_metadata_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_internal.mdx b/api_docs/kbn_core_integrations_browser_internal.mdx index 0414e458c1e9b..a071d672a6dd7 100644 --- a/api_docs/kbn_core_integrations_browser_internal.mdx +++ b/api_docs/kbn_core_integrations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-internal title: "@kbn/core-integrations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-internal'] --- import kbnCoreIntegrationsBrowserInternalObj from './kbn_core_integrations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_mocks.mdx b/api_docs/kbn_core_integrations_browser_mocks.mdx index 060e3dc0b89b5..31e50bf6440a3 100644 --- a/api_docs/kbn_core_integrations_browser_mocks.mdx +++ b/api_docs/kbn_core_integrations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-mocks title: "@kbn/core-integrations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-mocks'] --- import kbnCoreIntegrationsBrowserMocksObj from './kbn_core_integrations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser.mdx b/api_docs/kbn_core_lifecycle_browser.mdx index bc95e1fede524..a5d74401f2861 100644 --- a/api_docs/kbn_core_lifecycle_browser.mdx +++ b/api_docs/kbn_core_lifecycle_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser title: "@kbn/core-lifecycle-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser'] --- import kbnCoreLifecycleBrowserObj from './kbn_core_lifecycle_browser.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser_mocks.mdx b/api_docs/kbn_core_lifecycle_browser_mocks.mdx index 36de2a6fdcf30..ba97e46ad5f57 100644 --- a/api_docs/kbn_core_lifecycle_browser_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser-mocks title: "@kbn/core-lifecycle-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser-mocks'] --- import kbnCoreLifecycleBrowserMocksObj from './kbn_core_lifecycle_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server.mdx b/api_docs/kbn_core_lifecycle_server.mdx index 19e0d73e87b61..0daaa26aa95af 100644 --- a/api_docs/kbn_core_lifecycle_server.mdx +++ b/api_docs/kbn_core_lifecycle_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server title: "@kbn/core-lifecycle-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server'] --- import kbnCoreLifecycleServerObj from './kbn_core_lifecycle_server.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server_mocks.mdx b/api_docs/kbn_core_lifecycle_server_mocks.mdx index 46ec4e3d55bd6..7ac838497df08 100644 --- a/api_docs/kbn_core_lifecycle_server_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server-mocks title: "@kbn/core-lifecycle-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server-mocks'] --- import kbnCoreLifecycleServerMocksObj from './kbn_core_lifecycle_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_browser_mocks.mdx b/api_docs/kbn_core_logging_browser_mocks.mdx index 90961a021a9dd..b52d0620d3664 100644 --- a/api_docs/kbn_core_logging_browser_mocks.mdx +++ b/api_docs/kbn_core_logging_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-browser-mocks title: "@kbn/core-logging-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-browser-mocks'] --- import kbnCoreLoggingBrowserMocksObj from './kbn_core_logging_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_common_internal.mdx b/api_docs/kbn_core_logging_common_internal.mdx index b9e44aa6db296..1534665fc6131 100644 --- a/api_docs/kbn_core_logging_common_internal.mdx +++ b/api_docs/kbn_core_logging_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-common-internal title: "@kbn/core-logging-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-common-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-common-internal'] --- import kbnCoreLoggingCommonInternalObj from './kbn_core_logging_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server.mdx b/api_docs/kbn_core_logging_server.mdx index ddc1fee1c9a90..03578472b9d6c 100644 --- a/api_docs/kbn_core_logging_server.mdx +++ b/api_docs/kbn_core_logging_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server title: "@kbn/core-logging-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server'] --- import kbnCoreLoggingServerObj from './kbn_core_logging_server.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_internal.mdx b/api_docs/kbn_core_logging_server_internal.mdx index b9fa0553eadd9..52fd16277eeac 100644 --- a/api_docs/kbn_core_logging_server_internal.mdx +++ b/api_docs/kbn_core_logging_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-internal title: "@kbn/core-logging-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-internal'] --- import kbnCoreLoggingServerInternalObj from './kbn_core_logging_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_mocks.mdx b/api_docs/kbn_core_logging_server_mocks.mdx index 567b81e2398b4..a804a573fb03a 100644 --- a/api_docs/kbn_core_logging_server_mocks.mdx +++ b/api_docs/kbn_core_logging_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-mocks title: "@kbn/core-logging-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-mocks'] --- import kbnCoreLoggingServerMocksObj from './kbn_core_logging_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_internal.mdx b/api_docs/kbn_core_metrics_collectors_server_internal.mdx index fc5c03efbf86e..d72bd2160bad9 100644 --- a/api_docs/kbn_core_metrics_collectors_server_internal.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-internal title: "@kbn/core-metrics-collectors-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-internal'] --- import kbnCoreMetricsCollectorsServerInternalObj from './kbn_core_metrics_collectors_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx index a1f14833111a0..107a60d9f79cf 100644 --- a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-mocks title: "@kbn/core-metrics-collectors-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-mocks'] --- import kbnCoreMetricsCollectorsServerMocksObj from './kbn_core_metrics_collectors_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server.mdx b/api_docs/kbn_core_metrics_server.mdx index 24edd4fd7db9f..c087cbac36649 100644 --- a/api_docs/kbn_core_metrics_server.mdx +++ b/api_docs/kbn_core_metrics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server title: "@kbn/core-metrics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server'] --- import kbnCoreMetricsServerObj from './kbn_core_metrics_server.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_internal.mdx b/api_docs/kbn_core_metrics_server_internal.mdx index ab09bdbce9061..7ee5d310f9f01 100644 --- a/api_docs/kbn_core_metrics_server_internal.mdx +++ b/api_docs/kbn_core_metrics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-internal title: "@kbn/core-metrics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-internal'] --- import kbnCoreMetricsServerInternalObj from './kbn_core_metrics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_mocks.mdx b/api_docs/kbn_core_metrics_server_mocks.mdx index daa80142440ee..ce6e8f068d67e 100644 --- a/api_docs/kbn_core_metrics_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-mocks title: "@kbn/core-metrics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-mocks'] --- import kbnCoreMetricsServerMocksObj from './kbn_core_metrics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_mount_utils_browser.mdx b/api_docs/kbn_core_mount_utils_browser.mdx index f84109d617877..9715ac106cbf6 100644 --- a/api_docs/kbn_core_mount_utils_browser.mdx +++ b/api_docs/kbn_core_mount_utils_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-mount-utils-browser title: "@kbn/core-mount-utils-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-mount-utils-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-mount-utils-browser'] --- import kbnCoreMountUtilsBrowserObj from './kbn_core_mount_utils_browser.devdocs.json'; diff --git a/api_docs/kbn_core_node_server.mdx b/api_docs/kbn_core_node_server.mdx index 2b897ab8bd2d7..b2298da8cee77 100644 --- a/api_docs/kbn_core_node_server.mdx +++ b/api_docs/kbn_core_node_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server title: "@kbn/core-node-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server'] --- import kbnCoreNodeServerObj from './kbn_core_node_server.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_internal.mdx b/api_docs/kbn_core_node_server_internal.mdx index 7718b79e3269e..c0307e364da54 100644 --- a/api_docs/kbn_core_node_server_internal.mdx +++ b/api_docs/kbn_core_node_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-internal title: "@kbn/core-node-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-internal'] --- import kbnCoreNodeServerInternalObj from './kbn_core_node_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_mocks.mdx b/api_docs/kbn_core_node_server_mocks.mdx index 313e7e0d33b1f..f217cfcd74bc7 100644 --- a/api_docs/kbn_core_node_server_mocks.mdx +++ b/api_docs/kbn_core_node_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-mocks title: "@kbn/core-node-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-mocks'] --- import kbnCoreNodeServerMocksObj from './kbn_core_node_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser.mdx b/api_docs/kbn_core_notifications_browser.mdx index 8226ae0261625..07d18861d6e7e 100644 --- a/api_docs/kbn_core_notifications_browser.mdx +++ b/api_docs/kbn_core_notifications_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser title: "@kbn/core-notifications-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser'] --- import kbnCoreNotificationsBrowserObj from './kbn_core_notifications_browser.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_internal.mdx b/api_docs/kbn_core_notifications_browser_internal.mdx index 2688e7cfff62f..fa0312f4faa04 100644 --- a/api_docs/kbn_core_notifications_browser_internal.mdx +++ b/api_docs/kbn_core_notifications_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-internal title: "@kbn/core-notifications-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-internal'] --- import kbnCoreNotificationsBrowserInternalObj from './kbn_core_notifications_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_mocks.mdx b/api_docs/kbn_core_notifications_browser_mocks.mdx index b558157b788ca..f66d9868d01a3 100644 --- a/api_docs/kbn_core_notifications_browser_mocks.mdx +++ b/api_docs/kbn_core_notifications_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-mocks title: "@kbn/core-notifications-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-mocks'] --- import kbnCoreNotificationsBrowserMocksObj from './kbn_core_notifications_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser.mdx b/api_docs/kbn_core_overlays_browser.mdx index 15c2aef58a153..77645be4fbf35 100644 --- a/api_docs/kbn_core_overlays_browser.mdx +++ b/api_docs/kbn_core_overlays_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser title: "@kbn/core-overlays-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser'] --- import kbnCoreOverlaysBrowserObj from './kbn_core_overlays_browser.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_internal.mdx b/api_docs/kbn_core_overlays_browser_internal.mdx index 863fcd416372c..7e5c48d8655c4 100644 --- a/api_docs/kbn_core_overlays_browser_internal.mdx +++ b/api_docs/kbn_core_overlays_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-internal title: "@kbn/core-overlays-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-internal'] --- import kbnCoreOverlaysBrowserInternalObj from './kbn_core_overlays_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_mocks.mdx b/api_docs/kbn_core_overlays_browser_mocks.mdx index 7cb3f94a4d2ae..5700bf42c5381 100644 --- a/api_docs/kbn_core_overlays_browser_mocks.mdx +++ b/api_docs/kbn_core_overlays_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-mocks title: "@kbn/core-overlays-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-mocks'] --- import kbnCoreOverlaysBrowserMocksObj from './kbn_core_overlays_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser.mdx b/api_docs/kbn_core_plugins_browser.mdx index 999c9711d93d6..69584bcb69665 100644 --- a/api_docs/kbn_core_plugins_browser.mdx +++ b/api_docs/kbn_core_plugins_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser title: "@kbn/core-plugins-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser'] --- import kbnCorePluginsBrowserObj from './kbn_core_plugins_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser_mocks.mdx b/api_docs/kbn_core_plugins_browser_mocks.mdx index 48933e4b49584..c5aa8a0680dad 100644 --- a/api_docs/kbn_core_plugins_browser_mocks.mdx +++ b/api_docs/kbn_core_plugins_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser-mocks title: "@kbn/core-plugins-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser-mocks'] --- import kbnCorePluginsBrowserMocksObj from './kbn_core_plugins_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server.mdx b/api_docs/kbn_core_plugins_server.mdx index 1818e510e9808..d53e8884b95c6 100644 --- a/api_docs/kbn_core_plugins_server.mdx +++ b/api_docs/kbn_core_plugins_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server title: "@kbn/core-plugins-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server'] --- import kbnCorePluginsServerObj from './kbn_core_plugins_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server_mocks.mdx b/api_docs/kbn_core_plugins_server_mocks.mdx index 7d049953a1805..3da831d9b4825 100644 --- a/api_docs/kbn_core_plugins_server_mocks.mdx +++ b/api_docs/kbn_core_plugins_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server-mocks title: "@kbn/core-plugins-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server-mocks'] --- import kbnCorePluginsServerMocksObj from './kbn_core_plugins_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server.mdx b/api_docs/kbn_core_preboot_server.mdx index a8a6093775a77..7d002c4705c1d 100644 --- a/api_docs/kbn_core_preboot_server.mdx +++ b/api_docs/kbn_core_preboot_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server title: "@kbn/core-preboot-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server'] --- import kbnCorePrebootServerObj from './kbn_core_preboot_server.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server_mocks.mdx b/api_docs/kbn_core_preboot_server_mocks.mdx index 3b5fe7586bbd4..751ee68a88eee 100644 --- a/api_docs/kbn_core_preboot_server_mocks.mdx +++ b/api_docs/kbn_core_preboot_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server-mocks title: "@kbn/core-preboot-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server-mocks'] --- import kbnCorePrebootServerMocksObj from './kbn_core_preboot_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser_mocks.mdx b/api_docs/kbn_core_rendering_browser_mocks.mdx index f7df7fc55628d..b9acc79df9dd3 100644 --- a/api_docs/kbn_core_rendering_browser_mocks.mdx +++ b/api_docs/kbn_core_rendering_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser-mocks title: "@kbn/core-rendering-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser-mocks'] --- import kbnCoreRenderingBrowserMocksObj from './kbn_core_rendering_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_internal.mdx b/api_docs/kbn_core_rendering_server_internal.mdx index 20de1df675f15..00d11df38ac06 100644 --- a/api_docs/kbn_core_rendering_server_internal.mdx +++ b/api_docs/kbn_core_rendering_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-internal title: "@kbn/core-rendering-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-internal'] --- import kbnCoreRenderingServerInternalObj from './kbn_core_rendering_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_mocks.mdx b/api_docs/kbn_core_rendering_server_mocks.mdx index d2ecdbd943edd..90f967bc2d448 100644 --- a/api_docs/kbn_core_rendering_server_mocks.mdx +++ b/api_docs/kbn_core_rendering_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-mocks title: "@kbn/core-rendering-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-mocks'] --- import kbnCoreRenderingServerMocksObj from './kbn_core_rendering_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_root_server_internal.mdx b/api_docs/kbn_core_root_server_internal.mdx index 05a44e1048b41..224231400434a 100644 --- a/api_docs/kbn_core_root_server_internal.mdx +++ b/api_docs/kbn_core_root_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-root-server-internal title: "@kbn/core-root-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-root-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-root-server-internal'] --- import kbnCoreRootServerInternalObj from './kbn_core_root_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_browser.mdx b/api_docs/kbn_core_saved_objects_api_browser.mdx index 33ed01e540e7d..dbcfce8c8206e 100644 --- a/api_docs/kbn_core_saved_objects_api_browser.mdx +++ b/api_docs/kbn_core_saved_objects_api_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-browser title: "@kbn/core-saved-objects-api-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-browser'] --- import kbnCoreSavedObjectsApiBrowserObj from './kbn_core_saved_objects_api_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server.mdx b/api_docs/kbn_core_saved_objects_api_server.mdx index 09f39cef8606f..bf6b054205af7 100644 --- a/api_docs/kbn_core_saved_objects_api_server.mdx +++ b/api_docs/kbn_core_saved_objects_api_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server title: "@kbn/core-saved-objects-api-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server'] --- import kbnCoreSavedObjectsApiServerObj from './kbn_core_saved_objects_api_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_internal.mdx b/api_docs/kbn_core_saved_objects_api_server_internal.mdx index f51d3393eb5bf..c0fc488c9e432 100644 --- a/api_docs/kbn_core_saved_objects_api_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-internal title: "@kbn/core-saved-objects-api-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-internal'] --- import kbnCoreSavedObjectsApiServerInternalObj from './kbn_core_saved_objects_api_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx index 6bc31950f2371..df8fede2ff202 100644 --- a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-mocks title: "@kbn/core-saved-objects-api-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-mocks'] --- import kbnCoreSavedObjectsApiServerMocksObj from './kbn_core_saved_objects_api_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_internal.mdx b/api_docs/kbn_core_saved_objects_base_server_internal.mdx index d37c347e49a0e..e537ab207bfda 100644 --- a/api_docs/kbn_core_saved_objects_base_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-internal title: "@kbn/core-saved-objects-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-internal'] --- import kbnCoreSavedObjectsBaseServerInternalObj from './kbn_core_saved_objects_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx index d6e3ef6e3441b..d7f0bc71c8c9d 100644 --- a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-mocks title: "@kbn/core-saved-objects-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-mocks'] --- import kbnCoreSavedObjectsBaseServerMocksObj from './kbn_core_saved_objects_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser.mdx b/api_docs/kbn_core_saved_objects_browser.mdx index 6f571ab6405fa..ca6022060f975 100644 --- a/api_docs/kbn_core_saved_objects_browser.mdx +++ b/api_docs/kbn_core_saved_objects_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser title: "@kbn/core-saved-objects-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser'] --- import kbnCoreSavedObjectsBrowserObj from './kbn_core_saved_objects_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_internal.mdx b/api_docs/kbn_core_saved_objects_browser_internal.mdx index 2baee7f52199d..4f88fde2fc5f5 100644 --- a/api_docs/kbn_core_saved_objects_browser_internal.mdx +++ b/api_docs/kbn_core_saved_objects_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-internal title: "@kbn/core-saved-objects-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-internal'] --- import kbnCoreSavedObjectsBrowserInternalObj from './kbn_core_saved_objects_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_mocks.mdx b/api_docs/kbn_core_saved_objects_browser_mocks.mdx index 024145f6c7025..d9af64a620651 100644 --- a/api_docs/kbn_core_saved_objects_browser_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-mocks title: "@kbn/core-saved-objects-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-mocks'] --- import kbnCoreSavedObjectsBrowserMocksObj from './kbn_core_saved_objects_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_common.mdx b/api_docs/kbn_core_saved_objects_common.mdx index d75e2388a8d2f..dcb49e3ffb3b2 100644 --- a/api_docs/kbn_core_saved_objects_common.mdx +++ b/api_docs/kbn_core_saved_objects_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-common title: "@kbn/core-saved-objects-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-common'] --- import kbnCoreSavedObjectsCommonObj from './kbn_core_saved_objects_common.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx index 0c9fa19e0a21e..521b965780490 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-internal title: "@kbn/core-saved-objects-import-export-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-internal'] --- import kbnCoreSavedObjectsImportExportServerInternalObj from './kbn_core_saved_objects_import_export_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx index 1037858300e8a..31c84a32ac34b 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-mocks title: "@kbn/core-saved-objects-import-export-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-mocks'] --- import kbnCoreSavedObjectsImportExportServerMocksObj from './kbn_core_saved_objects_import_export_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx index 9b660a824af81..ac8eb257d5aec 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-internal title: "@kbn/core-saved-objects-migration-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-internal'] --- import kbnCoreSavedObjectsMigrationServerInternalObj from './kbn_core_saved_objects_migration_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx index 6011ab3c0c53b..1015ed353b838 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-mocks title: "@kbn/core-saved-objects-migration-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-mocks'] --- import kbnCoreSavedObjectsMigrationServerMocksObj from './kbn_core_saved_objects_migration_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server.mdx b/api_docs/kbn_core_saved_objects_server.mdx index 597ccde8de39d..7b90befc2ebec 100644 --- a/api_docs/kbn_core_saved_objects_server.mdx +++ b/api_docs/kbn_core_saved_objects_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server title: "@kbn/core-saved-objects-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server'] --- import kbnCoreSavedObjectsServerObj from './kbn_core_saved_objects_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_internal.mdx b/api_docs/kbn_core_saved_objects_server_internal.mdx index 9fd151c1e8098..1caba9ac9b5bc 100644 --- a/api_docs/kbn_core_saved_objects_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-internal title: "@kbn/core-saved-objects-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-internal'] --- import kbnCoreSavedObjectsServerInternalObj from './kbn_core_saved_objects_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_mocks.mdx b/api_docs/kbn_core_saved_objects_server_mocks.mdx index 743effe2ec263..d1f90485b010b 100644 --- a/api_docs/kbn_core_saved_objects_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-mocks title: "@kbn/core-saved-objects-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-mocks'] --- import kbnCoreSavedObjectsServerMocksObj from './kbn_core_saved_objects_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_utils_server.mdx b/api_docs/kbn_core_saved_objects_utils_server.mdx index a8de657964689..0c2011358bfd8 100644 --- a/api_docs/kbn_core_saved_objects_utils_server.mdx +++ b/api_docs/kbn_core_saved_objects_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-utils-server title: "@kbn/core-saved-objects-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-utils-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-utils-server'] --- import kbnCoreSavedObjectsUtilsServerObj from './kbn_core_saved_objects_utils_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_common.mdx b/api_docs/kbn_core_status_common.mdx index 384cd5373b06c..522dedb18c75f 100644 --- a/api_docs/kbn_core_status_common.mdx +++ b/api_docs/kbn_core_status_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common title: "@kbn/core-status-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common'] --- import kbnCoreStatusCommonObj from './kbn_core_status_common.devdocs.json'; diff --git a/api_docs/kbn_core_status_common_internal.mdx b/api_docs/kbn_core_status_common_internal.mdx index 098f113d5e5ee..79fb591d2dcd3 100644 --- a/api_docs/kbn_core_status_common_internal.mdx +++ b/api_docs/kbn_core_status_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common-internal title: "@kbn/core-status-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common-internal'] --- import kbnCoreStatusCommonInternalObj from './kbn_core_status_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server.mdx b/api_docs/kbn_core_status_server.mdx index 4f74e4d55ef48..e06c34b5bb14d 100644 --- a/api_docs/kbn_core_status_server.mdx +++ b/api_docs/kbn_core_status_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server title: "@kbn/core-status-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server'] --- import kbnCoreStatusServerObj from './kbn_core_status_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_internal.mdx b/api_docs/kbn_core_status_server_internal.mdx index af10ac080a940..b3980f82521e6 100644 --- a/api_docs/kbn_core_status_server_internal.mdx +++ b/api_docs/kbn_core_status_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-internal title: "@kbn/core-status-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-internal'] --- import kbnCoreStatusServerInternalObj from './kbn_core_status_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_mocks.mdx b/api_docs/kbn_core_status_server_mocks.mdx index 3f509e0c08940..238ab8ddab418 100644 --- a/api_docs/kbn_core_status_server_mocks.mdx +++ b/api_docs/kbn_core_status_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-mocks title: "@kbn/core-status-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-mocks'] --- import kbnCoreStatusServerMocksObj from './kbn_core_status_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx index d6308322de08b..aef12aef9d11b 100644 --- a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx +++ b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-deprecations-getters title: "@kbn/core-test-helpers-deprecations-getters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-deprecations-getters plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-deprecations-getters'] --- import kbnCoreTestHelpersDeprecationsGettersObj from './kbn_core_test_helpers_deprecations_getters.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx index f60201fce4cef..ed8e98ec20dd8 100644 --- a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx +++ b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-http-setup-browser title: "@kbn/core-test-helpers-http-setup-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-http-setup-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-http-setup-browser'] --- import kbnCoreTestHelpersHttpSetupBrowserObj from './kbn_core_test_helpers_http_setup_browser.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_kbn_server.mdx b/api_docs/kbn_core_test_helpers_kbn_server.mdx index f141f22774db4..9ef72e0488abc 100644 --- a/api_docs/kbn_core_test_helpers_kbn_server.mdx +++ b/api_docs/kbn_core_test_helpers_kbn_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-kbn-server title: "@kbn/core-test-helpers-kbn-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-kbn-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-kbn-server'] --- import kbnCoreTestHelpersKbnServerObj from './kbn_core_test_helpers_kbn_server.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx index e041960a2a5e3..d66b60dde19bf 100644 --- a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx +++ b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-so-type-serializer title: "@kbn/core-test-helpers-so-type-serializer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-so-type-serializer plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-so-type-serializer'] --- import kbnCoreTestHelpersSoTypeSerializerObj from './kbn_core_test_helpers_so_type_serializer.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_test_utils.mdx b/api_docs/kbn_core_test_helpers_test_utils.mdx index c87e29eaa59a6..59bb3aa50c2fa 100644 --- a/api_docs/kbn_core_test_helpers_test_utils.mdx +++ b/api_docs/kbn_core_test_helpers_test_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-test-utils title: "@kbn/core-test-helpers-test-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-test-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-test-utils'] --- import kbnCoreTestHelpersTestUtilsObj from './kbn_core_test_helpers_test_utils.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser.mdx b/api_docs/kbn_core_theme_browser.mdx index 490d64b62882a..c28bf1059a8d9 100644 --- a/api_docs/kbn_core_theme_browser.mdx +++ b/api_docs/kbn_core_theme_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser title: "@kbn/core-theme-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser'] --- import kbnCoreThemeBrowserObj from './kbn_core_theme_browser.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_internal.mdx b/api_docs/kbn_core_theme_browser_internal.mdx index 4bf2ccfe09b4d..49109c87d61d7 100644 --- a/api_docs/kbn_core_theme_browser_internal.mdx +++ b/api_docs/kbn_core_theme_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-internal title: "@kbn/core-theme-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-internal'] --- import kbnCoreThemeBrowserInternalObj from './kbn_core_theme_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_mocks.mdx b/api_docs/kbn_core_theme_browser_mocks.mdx index 0badc020a0eb4..7fe2a0926a37b 100644 --- a/api_docs/kbn_core_theme_browser_mocks.mdx +++ b/api_docs/kbn_core_theme_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-mocks title: "@kbn/core-theme-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-mocks'] --- import kbnCoreThemeBrowserMocksObj from './kbn_core_theme_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser.mdx b/api_docs/kbn_core_ui_settings_browser.mdx index 8057e87eb5cd6..850edf6464098 100644 --- a/api_docs/kbn_core_ui_settings_browser.mdx +++ b/api_docs/kbn_core_ui_settings_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser title: "@kbn/core-ui-settings-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser'] --- import kbnCoreUiSettingsBrowserObj from './kbn_core_ui_settings_browser.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_internal.devdocs.json b/api_docs/kbn_core_ui_settings_browser_internal.devdocs.json index 93f9f2cc2eb55..ce945a9de4752 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.devdocs.json +++ b/api_docs/kbn_core_ui_settings_browser_internal.devdocs.json @@ -33,14 +33,8 @@ "section": "def-common.UiSettingsClient", "text": "UiSettingsClient" }, - " implements ", - { - "pluginId": "@kbn/core-ui-settings-browser", - "scope": "common", - "docId": "kibKbnCoreUiSettingsBrowserPluginApi", - "section": "def-common.IUiSettingsClient", - "text": "IUiSettingsClient" - } + " extends ", + "UiSettingsClientCommon" ], "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", "deprecated": false, @@ -80,141 +74,13 @@ }, { "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.getAll", - "type": "Function", - "tags": [], - "label": "getAll", - "description": [], - "signature": [ - "() => Record>" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.get", - "type": "Function", - "tags": [], - "label": "get", - "description": [], - "signature": [ - "(key: string, defaultOverride?: T | undefined) => any" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.get.$1", - "type": "string", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "string" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.get.$2", - "type": "Uncategorized", - "tags": [], - "label": "defaultOverride", - "description": [], - "signature": [ - "T | undefined" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": false - } - ], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.get$", - "type": "Function", - "tags": [], - "label": "get$", - "description": [], - "signature": [ - "(key: string, defaultOverride?: T | undefined) => ", - "Observable", - "" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.get$.$1", - "type": "string", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "string" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.get$.$2", - "type": "Uncategorized", - "tags": [], - "label": "defaultOverride", - "description": [], - "signature": [ - "T | undefined" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": false - } - ], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.set", + "id": "def-common.UiSettingsClient.update", "type": "Function", "tags": [], - "label": "set", + "label": "update", "description": [], "signature": [ - "(key: string, value: any) => Promise" + "(key: string, newVal: any) => Promise" ], "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", "deprecated": false, @@ -222,7 +88,7 @@ "children": [ { "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.set.$1", + "id": "def-common.UiSettingsClient.update.$1", "type": "string", "tags": [], "label": "key", @@ -237,10 +103,10 @@ }, { "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.set.$2", + "id": "def-common.UiSettingsClient.update.$2", "type": "Any", "tags": [], - "label": "value", + "label": "newVal", "description": [], "signature": [ "any" @@ -252,202 +118,6 @@ } ], "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.remove", - "type": "Function", - "tags": [], - "label": "remove", - "description": [], - "signature": [ - "(key: string) => Promise" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.remove.$1", - "type": "string", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "string" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isDeclared", - "type": "Function", - "tags": [], - "label": "isDeclared", - "description": [], - "signature": [ - "(key: string) => boolean" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isDeclared.$1", - "type": "string", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "string" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isDefault", - "type": "Function", - "tags": [], - "label": "isDefault", - "description": [], - "signature": [ - "(key: string) => boolean" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isDefault.$1", - "type": "string", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "string" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isCustom", - "type": "Function", - "tags": [], - "label": "isCustom", - "description": [], - "signature": [ - "(key: string) => boolean" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isCustom.$1", - "type": "string", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "string" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isOverridden", - "type": "Function", - "tags": [], - "label": "isOverridden", - "description": [], - "signature": [ - "(key: string) => boolean" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.isOverridden.$1", - "type": "string", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "string" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.getUpdate$", - "type": "Function", - "tags": [], - "label": "getUpdate$", - "description": [], - "signature": [ - "() => ", - "Observable", - "<{ key: string; newValue: any; oldValue: any; }>" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "@kbn/core-ui-settings-browser-internal", - "id": "def-common.UiSettingsClient.getUpdateErrors$", - "type": "Function", - "tags": [], - "label": "getUpdateErrors$", - "description": [], - "signature": [ - "() => ", - "Observable", - "" - ], - "path": "packages/core/ui-settings/core-ui-settings-browser-internal/src/ui_settings_client.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] } ], "initialIsOpen": false diff --git a/api_docs/kbn_core_ui_settings_browser_internal.mdx b/api_docs/kbn_core_ui_settings_browser_internal.mdx index 9ceeb0bdb0f9a..dcc9ab7f6ab47 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.mdx +++ b/api_docs/kbn_core_ui_settings_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-internal title: "@kbn/core-ui-settings-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-internal'] --- import kbnCoreUiSettingsBrowserInternalObj from './kbn_core_ui_settings_browser_internal.devdocs.json'; @@ -21,7 +21,7 @@ Contact Kibana Core for questions regarding this plugin. | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 25 | 1 | 25 | 0 | +| 6 | 1 | 6 | 2 | ## Common diff --git a/api_docs/kbn_core_ui_settings_browser_mocks.mdx b/api_docs/kbn_core_ui_settings_browser_mocks.mdx index a576b48cc523c..d6086cdea7e42 100644 --- a/api_docs/kbn_core_ui_settings_browser_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-mocks title: "@kbn/core-ui-settings-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-mocks'] --- import kbnCoreUiSettingsBrowserMocksObj from './kbn_core_ui_settings_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_common.mdx b/api_docs/kbn_core_ui_settings_common.mdx index 9141ef50719d7..3e5e165f69e8a 100644 --- a/api_docs/kbn_core_ui_settings_common.mdx +++ b/api_docs/kbn_core_ui_settings_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-common title: "@kbn/core-ui-settings-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-common plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-common'] --- import kbnCoreUiSettingsCommonObj from './kbn_core_ui_settings_common.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server.devdocs.json b/api_docs/kbn_core_ui_settings_server.devdocs.json index c1bb08ade2aca..6541970dc8bdb 100644 --- a/api_docs/kbn_core_ui_settings_server.devdocs.json +++ b/api_docs/kbn_core_ui_settings_server.devdocs.json @@ -383,6 +383,26 @@ "path": "packages/core/ui-settings/core-ui-settings-server/src/request_handler_context.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "@kbn/core-ui-settings-server", + "id": "def-server.UiSettingsRequestHandlerContext.globalClient", + "type": "Object", + "tags": [], + "label": "globalClient", + "description": [], + "signature": [ + { + "pluginId": "@kbn/core-ui-settings-server", + "scope": "server", + "docId": "kibKbnCoreUiSettingsServerPluginApi", + "section": "def-server.IUiSettingsClient", + "text": "IUiSettingsClient" + } + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/request_handler_context.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false @@ -405,7 +425,7 @@ "tags": [], "label": "register", "description": [ - "\nSets settings with default values for the uiSettings." + "\nSets settings with default values for the uiSettings" ], "signature": [ "(settings: Record>) => void" + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "@kbn/core-ui-settings-server", + "id": "def-server.UiSettingsServiceSetup.registerGlobal.$1", + "type": "Object", + "tags": [], + "label": "settings", + "description": [], + "signature": [ + "Record>" + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [] } ], "initialIsOpen": false @@ -516,6 +586,61 @@ } ], "returnComment": [] + }, + { + "parentPluginId": "@kbn/core-ui-settings-server", + "id": "def-server.UiSettingsServiceStart.globalAsScopedToClient", + "type": "Function", + "tags": [], + "label": "globalAsScopedToClient", + "description": [ + "\nCreates a global {@link IUiSettingsClient} with provided *scoped* saved objects client.\n\nThis should only be used in the specific case where the client needs to be accessed\nfrom outside of the scope of a {@link RequestHandler}.\n" + ], + "signature": [ + "(savedObjectsClient: ", + { + "pluginId": "@kbn/core-saved-objects-api-server", + "scope": "server", + "docId": "kibKbnCoreSavedObjectsApiServerPluginApi", + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + }, + ") => ", + { + "pluginId": "@kbn/core-ui-settings-server", + "scope": "server", + "docId": "kibKbnCoreUiSettingsServerPluginApi", + "section": "def-server.IUiSettingsClient", + "text": "IUiSettingsClient" + } + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "@kbn/core-ui-settings-server", + "id": "def-server.UiSettingsServiceStart.globalAsScopedToClient.$1", + "type": "Object", + "tags": [], + "label": "savedObjectsClient", + "description": [], + "signature": [ + { + "pluginId": "@kbn/core-saved-objects-api-server", + "scope": "server", + "docId": "kibKbnCoreSavedObjectsApiServerPluginApi", + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } + ], + "path": "packages/core/ui-settings/core-ui-settings-server/src/contracts.ts", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [] } ], "initialIsOpen": false diff --git a/api_docs/kbn_core_ui_settings_server.mdx b/api_docs/kbn_core_ui_settings_server.mdx index 415def8b8a0a7..2c357ff4a4d3a 100644 --- a/api_docs/kbn_core_ui_settings_server.mdx +++ b/api_docs/kbn_core_ui_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server title: "@kbn/core-ui-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server'] --- import kbnCoreUiSettingsServerObj from './kbn_core_ui_settings_server.devdocs.json'; @@ -21,7 +21,7 @@ Contact Kibana Core for questions regarding this plugin. | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 27 | 1 | 13 | 0 | +| 32 | 1 | 16 | 0 | ## Server diff --git a/api_docs/kbn_core_ui_settings_server_internal.mdx b/api_docs/kbn_core_ui_settings_server_internal.mdx index bd28003890d14..93658700d76f9 100644 --- a/api_docs/kbn_core_ui_settings_server_internal.mdx +++ b/api_docs/kbn_core_ui_settings_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-internal title: "@kbn/core-ui-settings-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-internal'] --- import kbnCoreUiSettingsServerInternalObj from './kbn_core_ui_settings_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_mocks.mdx b/api_docs/kbn_core_ui_settings_server_mocks.mdx index 082a49aa5ed16..c930faf523c69 100644 --- a/api_docs/kbn_core_ui_settings_server_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-mocks title: "@kbn/core-ui-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-mocks'] --- import kbnCoreUiSettingsServerMocksObj from './kbn_core_ui_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server.mdx b/api_docs/kbn_core_usage_data_server.mdx index 1a79381268566..b72f1e647596e 100644 --- a/api_docs/kbn_core_usage_data_server.mdx +++ b/api_docs/kbn_core_usage_data_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server title: "@kbn/core-usage-data-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server'] --- import kbnCoreUsageDataServerObj from './kbn_core_usage_data_server.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_internal.mdx b/api_docs/kbn_core_usage_data_server_internal.mdx index b99c41f5a05e2..d7afa68ed0c30 100644 --- a/api_docs/kbn_core_usage_data_server_internal.mdx +++ b/api_docs/kbn_core_usage_data_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-internal title: "@kbn/core-usage-data-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-internal plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-internal'] --- import kbnCoreUsageDataServerInternalObj from './kbn_core_usage_data_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_mocks.mdx b/api_docs/kbn_core_usage_data_server_mocks.mdx index ab42690b80ab3..f8a07244bb218 100644 --- a/api_docs/kbn_core_usage_data_server_mocks.mdx +++ b/api_docs/kbn_core_usage_data_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-mocks title: "@kbn/core-usage-data-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-mocks'] --- import kbnCoreUsageDataServerMocksObj from './kbn_core_usage_data_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index 7f17431a56f72..831cc7e86643b 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto title: "@kbn/crypto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto'] --- import kbnCryptoObj from './kbn_crypto.devdocs.json'; diff --git a/api_docs/kbn_crypto_browser.mdx b/api_docs/kbn_crypto_browser.mdx index faedf9fa701ac..671de105fa88e 100644 --- a/api_docs/kbn_crypto_browser.mdx +++ b/api_docs/kbn_crypto_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto-browser title: "@kbn/crypto-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto-browser plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto-browser'] --- import kbnCryptoBrowserObj from './kbn_crypto_browser.devdocs.json'; diff --git a/api_docs/kbn_datemath.mdx b/api_docs/kbn_datemath.mdx index bc84e1fae44d8..527599c474ddc 100644 --- a/api_docs/kbn_datemath.mdx +++ b/api_docs/kbn_datemath.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-datemath title: "@kbn/datemath" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/datemath plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/datemath'] --- import kbnDatemathObj from './kbn_datemath.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_errors.mdx b/api_docs/kbn_dev_cli_errors.mdx index 7272dc59cb4b0..ca2116e2208e9 100644 --- a/api_docs/kbn_dev_cli_errors.mdx +++ b/api_docs/kbn_dev_cli_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-errors title: "@kbn/dev-cli-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-errors plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-errors'] --- import kbnDevCliErrorsObj from './kbn_dev_cli_errors.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_runner.mdx b/api_docs/kbn_dev_cli_runner.mdx index 4a561c43f4aac..276ebb6cf78cc 100644 --- a/api_docs/kbn_dev_cli_runner.mdx +++ b/api_docs/kbn_dev_cli_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-runner title: "@kbn/dev-cli-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-runner plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-runner'] --- import kbnDevCliRunnerObj from './kbn_dev_cli_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_proc_runner.mdx b/api_docs/kbn_dev_proc_runner.mdx index 3aaced7b707aa..8f22c1e0e77c7 100644 --- a/api_docs/kbn_dev_proc_runner.mdx +++ b/api_docs/kbn_dev_proc_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-proc-runner title: "@kbn/dev-proc-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-proc-runner plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-proc-runner'] --- import kbnDevProcRunnerObj from './kbn_dev_proc_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index fda56be800720..c1823c554fe19 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-utils title: "@kbn/dev-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-utils'] --- import kbnDevUtilsObj from './kbn_dev_utils.devdocs.json'; diff --git a/api_docs/kbn_doc_links.mdx b/api_docs/kbn_doc_links.mdx index f53bdcaae17d0..ed69a951ddafd 100644 --- a/api_docs/kbn_doc_links.mdx +++ b/api_docs/kbn_doc_links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-doc-links title: "@kbn/doc-links" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/doc-links plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/doc-links'] --- import kbnDocLinksObj from './kbn_doc_links.devdocs.json'; diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index f1a449d9b1d73..e0372b9c4231b 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-docs-utils title: "@kbn/docs-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/docs-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/docs-utils'] --- import kbnDocsUtilsObj from './kbn_docs_utils.devdocs.json'; diff --git a/api_docs/kbn_ebt_tools.mdx b/api_docs/kbn_ebt_tools.mdx index 60921a34e5c08..aae4a6297b1f4 100644 --- a/api_docs/kbn_ebt_tools.mdx +++ b/api_docs/kbn_ebt_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ebt-tools title: "@kbn/ebt-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ebt-tools plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ebt-tools'] --- import kbnEbtToolsObj from './kbn_ebt_tools.devdocs.json'; diff --git a/api_docs/kbn_es.mdx b/api_docs/kbn_es.mdx index 85274e244f6c8..0bfd24df0dfed 100644 --- a/api_docs/kbn_es.mdx +++ b/api_docs/kbn_es.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es title: "@kbn/es" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es'] --- import kbnEsObj from './kbn_es.devdocs.json'; diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index 5d1d2de344049..eee138a88ec33 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-archiver title: "@kbn/es-archiver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-archiver plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-archiver'] --- import kbnEsArchiverObj from './kbn_es_archiver.devdocs.json'; diff --git a/api_docs/kbn_es_errors.mdx b/api_docs/kbn_es_errors.mdx index 04421466cda96..5319a14a932bd 100644 --- a/api_docs/kbn_es_errors.mdx +++ b/api_docs/kbn_es_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-errors title: "@kbn/es-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-errors plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-errors'] --- import kbnEsErrorsObj from './kbn_es_errors.devdocs.json'; diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index e3bf147690d6f..d14c82964af73 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-query title: "@kbn/es-query" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-query plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-query'] --- import kbnEsQueryObj from './kbn_es_query.devdocs.json'; diff --git a/api_docs/kbn_es_types.mdx b/api_docs/kbn_es_types.mdx index c114bba5dab9d..0d28b81dcbb4c 100644 --- a/api_docs/kbn_es_types.mdx +++ b/api_docs/kbn_es_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-types title: "@kbn/es-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-types plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-types'] --- import kbnEsTypesObj from './kbn_es_types.devdocs.json'; diff --git a/api_docs/kbn_eslint_plugin_imports.mdx b/api_docs/kbn_eslint_plugin_imports.mdx index 2bc0ff59420bd..d31be0876b46d 100644 --- a/api_docs/kbn_eslint_plugin_imports.mdx +++ b/api_docs/kbn_eslint_plugin_imports.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-eslint-plugin-imports title: "@kbn/eslint-plugin-imports" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/eslint-plugin-imports plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/eslint-plugin-imports'] --- import kbnEslintPluginImportsObj from './kbn_eslint_plugin_imports.devdocs.json'; diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index 7c3ca77e40700..072ccd54a06ac 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-types title: "@kbn/field-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-types plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-types'] --- import kbnFieldTypesObj from './kbn_field_types.devdocs.json'; diff --git a/api_docs/kbn_find_used_node_modules.mdx b/api_docs/kbn_find_used_node_modules.mdx index c7a74b4774b9b..cc8b540e36bd8 100644 --- a/api_docs/kbn_find_used_node_modules.mdx +++ b/api_docs/kbn_find_used_node_modules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-find-used-node-modules title: "@kbn/find-used-node-modules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/find-used-node-modules plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/find-used-node-modules'] --- import kbnFindUsedNodeModulesObj from './kbn_find_used_node_modules.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_services.mdx b/api_docs/kbn_ftr_common_functional_services.mdx index df0fd50ec32fa..5051fce71ea1c 100644 --- a/api_docs/kbn_ftr_common_functional_services.mdx +++ b/api_docs/kbn_ftr_common_functional_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-services title: "@kbn/ftr-common-functional-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-services plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-services'] --- import kbnFtrCommonFunctionalServicesObj from './kbn_ftr_common_functional_services.devdocs.json'; diff --git a/api_docs/kbn_generate.mdx b/api_docs/kbn_generate.mdx index 36b0750e354a9..c2900805fd35f 100644 --- a/api_docs/kbn_generate.mdx +++ b/api_docs/kbn_generate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate title: "@kbn/generate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate'] --- import kbnGenerateObj from './kbn_generate.devdocs.json'; diff --git a/api_docs/kbn_get_repo_files.mdx b/api_docs/kbn_get_repo_files.mdx index c0b5a21988711..679fd85e75686 100644 --- a/api_docs/kbn_get_repo_files.mdx +++ b/api_docs/kbn_get_repo_files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-get-repo-files title: "@kbn/get-repo-files" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/get-repo-files plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/get-repo-files'] --- import kbnGetRepoFilesObj from './kbn_get_repo_files.devdocs.json'; diff --git a/api_docs/kbn_guided_onboarding.mdx b/api_docs/kbn_guided_onboarding.mdx index 8f3f23c2de39d..2e40f23e8747f 100644 --- a/api_docs/kbn_guided_onboarding.mdx +++ b/api_docs/kbn_guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-guided-onboarding title: "@kbn/guided-onboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/guided-onboarding plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/guided-onboarding'] --- import kbnGuidedOnboardingObj from './kbn_guided_onboarding.devdocs.json'; diff --git a/api_docs/kbn_handlebars.mdx b/api_docs/kbn_handlebars.mdx index b742a9ec4185d..9e9a069bd0c5d 100644 --- a/api_docs/kbn_handlebars.mdx +++ b/api_docs/kbn_handlebars.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-handlebars title: "@kbn/handlebars" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/handlebars plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/handlebars'] --- import kbnHandlebarsObj from './kbn_handlebars.devdocs.json'; diff --git a/api_docs/kbn_hapi_mocks.mdx b/api_docs/kbn_hapi_mocks.mdx index 2106acf6e8162..9d741f7cc91c6 100644 --- a/api_docs/kbn_hapi_mocks.mdx +++ b/api_docs/kbn_hapi_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-hapi-mocks title: "@kbn/hapi-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/hapi-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/hapi-mocks'] --- import kbnHapiMocksObj from './kbn_hapi_mocks.devdocs.json'; diff --git a/api_docs/kbn_health_gateway_server.mdx b/api_docs/kbn_health_gateway_server.mdx index f34df6015260c..db2e24f6e7501 100644 --- a/api_docs/kbn_health_gateway_server.mdx +++ b/api_docs/kbn_health_gateway_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-health-gateway-server title: "@kbn/health-gateway-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/health-gateway-server plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/health-gateway-server'] --- import kbnHealthGatewayServerObj from './kbn_health_gateway_server.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_card.mdx b/api_docs/kbn_home_sample_data_card.mdx index 1067f19777337..ec6e420ede501 100644 --- a/api_docs/kbn_home_sample_data_card.mdx +++ b/api_docs/kbn_home_sample_data_card.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-card title: "@kbn/home-sample-data-card" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-card plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-card'] --- import kbnHomeSampleDataCardObj from './kbn_home_sample_data_card.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_tab.mdx b/api_docs/kbn_home_sample_data_tab.mdx index 6d6cf8c069e2d..88e02cee86ae9 100644 --- a/api_docs/kbn_home_sample_data_tab.mdx +++ b/api_docs/kbn_home_sample_data_tab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-tab title: "@kbn/home-sample-data-tab" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-tab plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-tab'] --- import kbnHomeSampleDataTabObj from './kbn_home_sample_data_tab.devdocs.json'; diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index 14d495ad8995f..eeddbc27dfe96 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n title: "@kbn/i18n" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n'] --- import kbnI18nObj from './kbn_i18n.devdocs.json'; diff --git a/api_docs/kbn_i18n_react.mdx b/api_docs/kbn_i18n_react.mdx index 2627e2e58c155..9028e34284ddd 100644 --- a/api_docs/kbn_i18n_react.mdx +++ b/api_docs/kbn_i18n_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n-react title: "@kbn/i18n-react" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n-react plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n-react'] --- import kbnI18nReactObj from './kbn_i18n_react.devdocs.json'; diff --git a/api_docs/kbn_import_resolver.mdx b/api_docs/kbn_import_resolver.mdx index 97cfb60a00997..9ee692f589f0c 100644 --- a/api_docs/kbn_import_resolver.mdx +++ b/api_docs/kbn_import_resolver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-import-resolver title: "@kbn/import-resolver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/import-resolver plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/import-resolver'] --- import kbnImportResolverObj from './kbn_import_resolver.devdocs.json'; diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx index 9c7b065d93a3e..81e48c821d8c5 100644 --- a/api_docs/kbn_interpreter.mdx +++ b/api_docs/kbn_interpreter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-interpreter title: "@kbn/interpreter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/interpreter plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] --- import kbnInterpreterObj from './kbn_interpreter.devdocs.json'; diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index 1f6a30da69f48..983096abb49ed 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-io-ts-utils title: "@kbn/io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/io-ts-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/io-ts-utils'] --- import kbnIoTsUtilsObj from './kbn_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_jest_serializers.mdx b/api_docs/kbn_jest_serializers.mdx index 7e6c69b911a85..127e23c252863 100644 --- a/api_docs/kbn_jest_serializers.mdx +++ b/api_docs/kbn_jest_serializers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-jest-serializers title: "@kbn/jest-serializers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/jest-serializers plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/jest-serializers'] --- import kbnJestSerializersObj from './kbn_jest_serializers.devdocs.json'; diff --git a/api_docs/kbn_journeys.mdx b/api_docs/kbn_journeys.mdx index e708822aedfea..317e94d13c36f 100644 --- a/api_docs/kbn_journeys.mdx +++ b/api_docs/kbn_journeys.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-journeys title: "@kbn/journeys" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/journeys plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/journeys'] --- import kbnJourneysObj from './kbn_journeys.devdocs.json'; diff --git a/api_docs/kbn_kibana_manifest_schema.mdx b/api_docs/kbn_kibana_manifest_schema.mdx index 7a7022f17e862..877bdbcbdb9f2 100644 --- a/api_docs/kbn_kibana_manifest_schema.mdx +++ b/api_docs/kbn_kibana_manifest_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-kibana-manifest-schema title: "@kbn/kibana-manifest-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/kibana-manifest-schema plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/kibana-manifest-schema'] --- import kbnKibanaManifestSchemaObj from './kbn_kibana_manifest_schema.devdocs.json'; diff --git a/api_docs/kbn_language_documentation_popover.mdx b/api_docs/kbn_language_documentation_popover.mdx index 3f3d3acb9b655..69b42f2f9fbdf 100644 --- a/api_docs/kbn_language_documentation_popover.mdx +++ b/api_docs/kbn_language_documentation_popover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-language-documentation-popover title: "@kbn/language-documentation-popover" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/language-documentation-popover plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/language-documentation-popover'] --- import kbnLanguageDocumentationPopoverObj from './kbn_language_documentation_popover.devdocs.json'; diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index a0775d477a36a..326f002c04396 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging title: "@kbn/logging" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging'] --- import kbnLoggingObj from './kbn_logging.devdocs.json'; diff --git a/api_docs/kbn_logging_mocks.mdx b/api_docs/kbn_logging_mocks.mdx index 3bb564314ca3d..bb8c81cb4519e 100644 --- a/api_docs/kbn_logging_mocks.mdx +++ b/api_docs/kbn_logging_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging-mocks title: "@kbn/logging-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging-mocks'] --- import kbnLoggingMocksObj from './kbn_logging_mocks.devdocs.json'; diff --git a/api_docs/kbn_managed_vscode_config.mdx b/api_docs/kbn_managed_vscode_config.mdx index 0e1fa4e3eeb7e..e0c19f4073abb 100644 --- a/api_docs/kbn_managed_vscode_config.mdx +++ b/api_docs/kbn_managed_vscode_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-vscode-config title: "@kbn/managed-vscode-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-vscode-config plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-vscode-config'] --- import kbnManagedVscodeConfigObj from './kbn_managed_vscode_config.devdocs.json'; diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index 33f3d9f18b2d3..6f7508d62daa6 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mapbox-gl title: "@kbn/mapbox-gl" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mapbox-gl plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mapbox-gl'] --- import kbnMapboxGlObj from './kbn_mapbox_gl.devdocs.json'; diff --git a/api_docs/kbn_ml_agg_utils.mdx b/api_docs/kbn_ml_agg_utils.mdx index 1553c9b144f43..7ca951be1ac7e 100644 --- a/api_docs/kbn_ml_agg_utils.mdx +++ b/api_docs/kbn_ml_agg_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-agg-utils title: "@kbn/ml-agg-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-agg-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-agg-utils'] --- import kbnMlAggUtilsObj from './kbn_ml_agg_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_is_populated_object.mdx b/api_docs/kbn_ml_is_populated_object.mdx index 612d7fbbe11fc..1bf6c6dcf93e5 100644 --- a/api_docs/kbn_ml_is_populated_object.mdx +++ b/api_docs/kbn_ml_is_populated_object.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-populated-object title: "@kbn/ml-is-populated-object" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-populated-object plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-populated-object'] --- import kbnMlIsPopulatedObjectObj from './kbn_ml_is_populated_object.devdocs.json'; diff --git a/api_docs/kbn_ml_string_hash.mdx b/api_docs/kbn_ml_string_hash.mdx index 3c937a50e66b4..c032a851cf7ff 100644 --- a/api_docs/kbn_ml_string_hash.mdx +++ b/api_docs/kbn_ml_string_hash.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-string-hash title: "@kbn/ml-string-hash" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-string-hash plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-string-hash'] --- import kbnMlStringHashObj from './kbn_ml_string_hash.devdocs.json'; diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index 6bb3d41bd64ee..9e00515364114 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-monaco title: "@kbn/monaco" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/monaco plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/monaco'] --- import kbnMonacoObj from './kbn_monaco.devdocs.json'; diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index aee94cf8cbce9..006d814a00b96 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer title: "@kbn/optimizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer'] --- import kbnOptimizerObj from './kbn_optimizer.devdocs.json'; diff --git a/api_docs/kbn_optimizer_webpack_helpers.mdx b/api_docs/kbn_optimizer_webpack_helpers.mdx index a07101650d083..6c41dbafd3eda 100644 --- a/api_docs/kbn_optimizer_webpack_helpers.mdx +++ b/api_docs/kbn_optimizer_webpack_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer-webpack-helpers title: "@kbn/optimizer-webpack-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer-webpack-helpers plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer-webpack-helpers'] --- import kbnOptimizerWebpackHelpersObj from './kbn_optimizer_webpack_helpers.devdocs.json'; diff --git a/api_docs/kbn_osquery_io_ts_types.mdx b/api_docs/kbn_osquery_io_ts_types.mdx index dd0fd41b965ef..8929b0da537b2 100644 --- a/api_docs/kbn_osquery_io_ts_types.mdx +++ b/api_docs/kbn_osquery_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-osquery-io-ts-types title: "@kbn/osquery-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/osquery-io-ts-types plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/osquery-io-ts-types'] --- import kbnOsqueryIoTsTypesObj from './kbn_osquery_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_peggy.mdx b/api_docs/kbn_peggy.mdx index cdf7c1370ead6..39579cb92bcac 100644 --- a/api_docs/kbn_peggy.mdx +++ b/api_docs/kbn_peggy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-peggy title: "@kbn/peggy" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/peggy plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/peggy'] --- import kbnPeggyObj from './kbn_peggy.devdocs.json'; diff --git a/api_docs/kbn_performance_testing_dataset_extractor.mdx b/api_docs/kbn_performance_testing_dataset_extractor.mdx index b7d64df60d5c6..dec38561e676e 100644 --- a/api_docs/kbn_performance_testing_dataset_extractor.mdx +++ b/api_docs/kbn_performance_testing_dataset_extractor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-performance-testing-dataset-extractor title: "@kbn/performance-testing-dataset-extractor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/performance-testing-dataset-extractor plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/performance-testing-dataset-extractor'] --- import kbnPerformanceTestingDatasetExtractorObj from './kbn_performance_testing_dataset_extractor.devdocs.json'; diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index 3ca5688c21c86..2138a7c05f3b6 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-generator title: "@kbn/plugin-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-generator plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-generator'] --- import kbnPluginGeneratorObj from './kbn_plugin_generator.devdocs.json'; diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index 73e2462094952..b30f6768b6cd0 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-helpers title: "@kbn/plugin-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-helpers plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-helpers'] --- import kbnPluginHelpersObj from './kbn_plugin_helpers.devdocs.json'; diff --git a/api_docs/kbn_react_field.mdx b/api_docs/kbn_react_field.mdx index eaee1b559db38..e607846298af6 100644 --- a/api_docs/kbn_react_field.mdx +++ b/api_docs/kbn_react_field.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-field title: "@kbn/react-field" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-field plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-field'] --- import kbnReactFieldObj from './kbn_react_field.devdocs.json'; diff --git a/api_docs/kbn_repo_source_classifier.mdx b/api_docs/kbn_repo_source_classifier.mdx index 9133c1377eb95..7730fb52aaa18 100644 --- a/api_docs/kbn_repo_source_classifier.mdx +++ b/api_docs/kbn_repo_source_classifier.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-source-classifier title: "@kbn/repo-source-classifier" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-source-classifier plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-source-classifier'] --- import kbnRepoSourceClassifierObj from './kbn_repo_source_classifier.devdocs.json'; diff --git a/api_docs/kbn_rison.mdx b/api_docs/kbn_rison.mdx index f1f9120c79261..cadaec15d6b23 100644 --- a/api_docs/kbn_rison.mdx +++ b/api_docs/kbn_rison.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rison title: "@kbn/rison" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rison plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rison'] --- import kbnRisonObj from './kbn_rison.devdocs.json'; diff --git a/api_docs/kbn_rule_data_utils.mdx b/api_docs/kbn_rule_data_utils.mdx index 77d8a832af766..b4543b572bfc5 100644 --- a/api_docs/kbn_rule_data_utils.mdx +++ b/api_docs/kbn_rule_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rule-data-utils title: "@kbn/rule-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rule-data-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rule-data-utils'] --- import kbnRuleDataUtilsObj from './kbn_rule_data_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_autocomplete.mdx b/api_docs/kbn_securitysolution_autocomplete.mdx index 43d909fc89ffb..1ffbd7ac6cec6 100644 --- a/api_docs/kbn_securitysolution_autocomplete.mdx +++ b/api_docs/kbn_securitysolution_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-autocomplete title: "@kbn/securitysolution-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-autocomplete plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-autocomplete'] --- import kbnSecuritysolutionAutocompleteObj from './kbn_securitysolution_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_es_utils.mdx b/api_docs/kbn_securitysolution_es_utils.mdx index a76bb26753df9..b08cde67a7c77 100644 --- a/api_docs/kbn_securitysolution_es_utils.mdx +++ b/api_docs/kbn_securitysolution_es_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-es-utils title: "@kbn/securitysolution-es-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-es-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-es-utils'] --- import kbnSecuritysolutionEsUtilsObj from './kbn_securitysolution_es_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_exception_list_components.mdx b/api_docs/kbn_securitysolution_exception_list_components.mdx index 115771988455d..628991fe07731 100644 --- a/api_docs/kbn_securitysolution_exception_list_components.mdx +++ b/api_docs/kbn_securitysolution_exception_list_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-exception-list-components title: "@kbn/securitysolution-exception-list-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-exception-list-components plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-exception-list-components'] --- import kbnSecuritysolutionExceptionListComponentsObj from './kbn_securitysolution_exception_list_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_hook_utils.mdx b/api_docs/kbn_securitysolution_hook_utils.mdx index 37b4b57615d14..338bf28a9b0b5 100644 --- a/api_docs/kbn_securitysolution_hook_utils.mdx +++ b/api_docs/kbn_securitysolution_hook_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-hook-utils title: "@kbn/securitysolution-hook-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-hook-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-hook-utils'] --- import kbnSecuritysolutionHookUtilsObj from './kbn_securitysolution_hook_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx index 1ca7397a98be0..f4cbe1152511a 100644 --- a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-alerting-types title: "@kbn/securitysolution-io-ts-alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-alerting-types plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-alerting-types'] --- import kbnSecuritysolutionIoTsAlertingTypesObj from './kbn_securitysolution_io_ts_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_list_types.mdx b/api_docs/kbn_securitysolution_io_ts_list_types.mdx index f7c384dc84217..4cec7c7a2a1d7 100644 --- a/api_docs/kbn_securitysolution_io_ts_list_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_list_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-list-types title: "@kbn/securitysolution-io-ts-list-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-list-types plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-list-types'] --- import kbnSecuritysolutionIoTsListTypesObj from './kbn_securitysolution_io_ts_list_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_types.mdx b/api_docs/kbn_securitysolution_io_ts_types.mdx index fd2a78216be34..de2f55116eb90 100644 --- a/api_docs/kbn_securitysolution_io_ts_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-types title: "@kbn/securitysolution-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-types plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-types'] --- import kbnSecuritysolutionIoTsTypesObj from './kbn_securitysolution_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_utils.mdx b/api_docs/kbn_securitysolution_io_ts_utils.mdx index 8f5b3978bd8ed..d2fe4ed97e713 100644 --- a/api_docs/kbn_securitysolution_io_ts_utils.mdx +++ b/api_docs/kbn_securitysolution_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-utils title: "@kbn/securitysolution-io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-utils'] --- import kbnSecuritysolutionIoTsUtilsObj from './kbn_securitysolution_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_api.mdx b/api_docs/kbn_securitysolution_list_api.mdx index 697b0af8dcea9..01760b358aa69 100644 --- a/api_docs/kbn_securitysolution_list_api.mdx +++ b/api_docs/kbn_securitysolution_list_api.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-api title: "@kbn/securitysolution-list-api" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-api plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-api'] --- import kbnSecuritysolutionListApiObj from './kbn_securitysolution_list_api.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_constants.mdx b/api_docs/kbn_securitysolution_list_constants.mdx index 3e2a3678210e7..e698ff32b087b 100644 --- a/api_docs/kbn_securitysolution_list_constants.mdx +++ b/api_docs/kbn_securitysolution_list_constants.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-constants title: "@kbn/securitysolution-list-constants" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-constants plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-constants'] --- import kbnSecuritysolutionListConstantsObj from './kbn_securitysolution_list_constants.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_hooks.mdx b/api_docs/kbn_securitysolution_list_hooks.mdx index 43a7ba047c1b0..39851ec1981a7 100644 --- a/api_docs/kbn_securitysolution_list_hooks.mdx +++ b/api_docs/kbn_securitysolution_list_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-hooks title: "@kbn/securitysolution-list-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-hooks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-hooks'] --- import kbnSecuritysolutionListHooksObj from './kbn_securitysolution_list_hooks.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_utils.mdx b/api_docs/kbn_securitysolution_list_utils.mdx index cdc54f34e92a7..9108a28d735d1 100644 --- a/api_docs/kbn_securitysolution_list_utils.mdx +++ b/api_docs/kbn_securitysolution_list_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-utils title: "@kbn/securitysolution-list-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-utils'] --- import kbnSecuritysolutionListUtilsObj from './kbn_securitysolution_list_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_rules.mdx b/api_docs/kbn_securitysolution_rules.mdx index a295805f9dcee..552d02d29fd2d 100644 --- a/api_docs/kbn_securitysolution_rules.mdx +++ b/api_docs/kbn_securitysolution_rules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-rules title: "@kbn/securitysolution-rules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-rules plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-rules'] --- import kbnSecuritysolutionRulesObj from './kbn_securitysolution_rules.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_t_grid.mdx b/api_docs/kbn_securitysolution_t_grid.mdx index 90df79701d76f..94dd091ee30b4 100644 --- a/api_docs/kbn_securitysolution_t_grid.mdx +++ b/api_docs/kbn_securitysolution_t_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-t-grid title: "@kbn/securitysolution-t-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-t-grid plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-t-grid'] --- import kbnSecuritysolutionTGridObj from './kbn_securitysolution_t_grid.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_utils.mdx b/api_docs/kbn_securitysolution_utils.mdx index fc8ba0f82395a..153471c55a26e 100644 --- a/api_docs/kbn_securitysolution_utils.mdx +++ b/api_docs/kbn_securitysolution_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-utils title: "@kbn/securitysolution-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-utils'] --- import kbnSecuritysolutionUtilsObj from './kbn_securitysolution_utils.devdocs.json'; diff --git a/api_docs/kbn_server_http_tools.mdx b/api_docs/kbn_server_http_tools.mdx index 50c4313aa41af..0d81e069b3f32 100644 --- a/api_docs/kbn_server_http_tools.mdx +++ b/api_docs/kbn_server_http_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-http-tools title: "@kbn/server-http-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-http-tools plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-http-tools'] --- import kbnServerHttpToolsObj from './kbn_server_http_tools.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository.mdx b/api_docs/kbn_server_route_repository.mdx index 1343f1ebfaa84..97d80f5bdb2e5 100644 --- a/api_docs/kbn_server_route_repository.mdx +++ b/api_docs/kbn_server_route_repository.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository title: "@kbn/server-route-repository" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository'] --- import kbnServerRouteRepositoryObj from './kbn_server_route_repository.devdocs.json'; diff --git a/api_docs/kbn_shared_svg.mdx b/api_docs/kbn_shared_svg.mdx index feb39740f2c24..f12fae518320f 100644 --- a/api_docs/kbn_shared_svg.mdx +++ b/api_docs/kbn_shared_svg.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-svg title: "@kbn/shared-svg" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-svg plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-svg'] --- import kbnSharedSvgObj from './kbn_shared_svg.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_solution.mdx b/api_docs/kbn_shared_ux_avatar_solution.mdx index 56f131d672912..0bedf281b371b 100644 --- a/api_docs/kbn_shared_ux_avatar_solution.mdx +++ b/api_docs/kbn_shared_ux_avatar_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-solution title: "@kbn/shared-ux-avatar-solution" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-solution plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-solution'] --- import kbnSharedUxAvatarSolutionObj from './kbn_shared_ux_avatar_solution.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx index 6048a1503ed65..da513e6f77069 100644 --- a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx +++ b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-user-profile-components title: "@kbn/shared-ux-avatar-user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-user-profile-components plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-user-profile-components'] --- import kbnSharedUxAvatarUserProfileComponentsObj from './kbn_shared_ux_avatar_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx index 02529f5eb1562..79fef92ae2fc8 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen title: "@kbn/shared-ux-button-exit-full-screen" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen'] --- import kbnSharedUxButtonExitFullScreenObj from './kbn_shared_ux_button_exit_full_screen.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx index 9fa4bf2141d3a..298518544a3ff 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen-mocks title: "@kbn/shared-ux-button-exit-full-screen-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen-mocks'] --- import kbnSharedUxButtonExitFullScreenMocksObj from './kbn_shared_ux_button_exit_full_screen_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_toolbar.mdx b/api_docs/kbn_shared_ux_button_toolbar.mdx index ce448bac7fb10..68f5ddbdb2a82 100644 --- a/api_docs/kbn_shared_ux_button_toolbar.mdx +++ b/api_docs/kbn_shared_ux_button_toolbar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-toolbar title: "@kbn/shared-ux-button-toolbar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-toolbar plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-toolbar'] --- import kbnSharedUxButtonToolbarObj from './kbn_shared_ux_button_toolbar.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data.mdx b/api_docs/kbn_shared_ux_card_no_data.mdx index afd91c9a887a5..120a085552ef7 100644 --- a/api_docs/kbn_shared_ux_card_no_data.mdx +++ b/api_docs/kbn_shared_ux_card_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data title: "@kbn/shared-ux-card-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data'] --- import kbnSharedUxCardNoDataObj from './kbn_shared_ux_card_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx index 01eca0aafc1fb..d106015cc05f9 100644 --- a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data-mocks title: "@kbn/shared-ux-card-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data-mocks'] --- import kbnSharedUxCardNoDataMocksObj from './kbn_shared_ux_card_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_context.mdx b/api_docs/kbn_shared_ux_file_context.mdx index ae66d93bbe208..18e8e9add57a7 100644 --- a/api_docs/kbn_shared_ux_file_context.mdx +++ b/api_docs/kbn_shared_ux_file_context.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-context title: "@kbn/shared-ux-file-context" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-context plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-context'] --- import kbnSharedUxFileContextObj from './kbn_shared_ux_file_context.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image.mdx b/api_docs/kbn_shared_ux_file_image.mdx index fe6d118da48b3..682a8d9e3ad18 100644 --- a/api_docs/kbn_shared_ux_file_image.mdx +++ b/api_docs/kbn_shared_ux_file_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image title: "@kbn/shared-ux-file-image" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image'] --- import kbnSharedUxFileImageObj from './kbn_shared_ux_file_image.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image_mocks.mdx b/api_docs/kbn_shared_ux_file_image_mocks.mdx index 3e9640d2b211d..fcf80db7d3d44 100644 --- a/api_docs/kbn_shared_ux_file_image_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_image_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image-mocks title: "@kbn/shared-ux-file-image-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image-mocks'] --- import kbnSharedUxFileImageMocksObj from './kbn_shared_ux_file_image_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_mocks.mdx b/api_docs/kbn_shared_ux_file_mocks.mdx index f1e9b4932045a..5775c028bb08f 100644 --- a/api_docs/kbn_shared_ux_file_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-mocks title: "@kbn/shared-ux-file-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-mocks'] --- import kbnSharedUxFileMocksObj from './kbn_shared_ux_file_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_util.mdx b/api_docs/kbn_shared_ux_file_util.mdx index cbb08b48dd82b..02a4fec7369e5 100644 --- a/api_docs/kbn_shared_ux_file_util.mdx +++ b/api_docs/kbn_shared_ux_file_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-util title: "@kbn/shared-ux-file-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-util plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-util'] --- import kbnSharedUxFileUtilObj from './kbn_shared_ux_file_util.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app.mdx b/api_docs/kbn_shared_ux_link_redirect_app.mdx index 2fa11f88060cc..7b2b2c93ba130 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app title: "@kbn/shared-ux-link-redirect-app" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app'] --- import kbnSharedUxLinkRedirectAppObj from './kbn_shared_ux_link_redirect_app.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx index 20b134fb1115b..a92d57533aba0 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app-mocks title: "@kbn/shared-ux-link-redirect-app-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app-mocks'] --- import kbnSharedUxLinkRedirectAppMocksObj from './kbn_shared_ux_link_redirect_app_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown.mdx b/api_docs/kbn_shared_ux_markdown.mdx index d7a4d5296a1ca..5753673ef1979 100644 --- a/api_docs/kbn_shared_ux_markdown.mdx +++ b/api_docs/kbn_shared_ux_markdown.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown title: "@kbn/shared-ux-markdown" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown'] --- import kbnSharedUxMarkdownObj from './kbn_shared_ux_markdown.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown_mocks.mdx b/api_docs/kbn_shared_ux_markdown_mocks.mdx index 8e57e2067217e..3fc79962999b8 100644 --- a/api_docs/kbn_shared_ux_markdown_mocks.mdx +++ b/api_docs/kbn_shared_ux_markdown_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown-mocks title: "@kbn/shared-ux-markdown-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown-mocks'] --- import kbnSharedUxMarkdownMocksObj from './kbn_shared_ux_markdown_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx index d799655908e0d..536517faa2452 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data title: "@kbn/shared-ux-page-analytics-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data'] --- import kbnSharedUxPageAnalyticsNoDataObj from './kbn_shared_ux_page_analytics_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx index 80b9a6f2bc428..0eebce7f34785 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data-mocks title: "@kbn/shared-ux-page-analytics-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data-mocks'] --- import kbnSharedUxPageAnalyticsNoDataMocksObj from './kbn_shared_ux_page_analytics_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx index f0b72cfe40b34..da1951d4af063 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data title: "@kbn/shared-ux-page-kibana-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data'] --- import kbnSharedUxPageKibanaNoDataObj from './kbn_shared_ux_page_kibana_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx index 361ae6d2a4f75..f47024079b4c5 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data-mocks title: "@kbn/shared-ux-page-kibana-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data-mocks'] --- import kbnSharedUxPageKibanaNoDataMocksObj from './kbn_shared_ux_page_kibana_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template.mdx b/api_docs/kbn_shared_ux_page_kibana_template.mdx index ecc73b2980485..b1af01ae621f4 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template title: "@kbn/shared-ux-page-kibana-template" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template'] --- import kbnSharedUxPageKibanaTemplateObj from './kbn_shared_ux_page_kibana_template.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx index bfb6cda50579a..ea96a7e73b7fe 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template-mocks title: "@kbn/shared-ux-page-kibana-template-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template-mocks'] --- import kbnSharedUxPageKibanaTemplateMocksObj from './kbn_shared_ux_page_kibana_template_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data.mdx b/api_docs/kbn_shared_ux_page_no_data.mdx index 7b56803a06446..59595bf3f6db6 100644 --- a/api_docs/kbn_shared_ux_page_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data title: "@kbn/shared-ux-page-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data'] --- import kbnSharedUxPageNoDataObj from './kbn_shared_ux_page_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config.mdx b/api_docs/kbn_shared_ux_page_no_data_config.mdx index de4c012609171..550ca8305463b 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config title: "@kbn/shared-ux-page-no-data-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config'] --- import kbnSharedUxPageNoDataConfigObj from './kbn_shared_ux_page_no_data_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx index 073bc4a02f9e5..150d7be9cfa36 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config-mocks title: "@kbn/shared-ux-page-no-data-config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config-mocks'] --- import kbnSharedUxPageNoDataConfigMocksObj from './kbn_shared_ux_page_no_data_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx index 747e89a7670ca..33eae3cf28c9e 100644 --- a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-mocks title: "@kbn/shared-ux-page-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-mocks'] --- import kbnSharedUxPageNoDataMocksObj from './kbn_shared_ux_page_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_solution_nav.mdx b/api_docs/kbn_shared_ux_page_solution_nav.mdx index ecdd786f08fcc..079ccf0dc2167 100644 --- a/api_docs/kbn_shared_ux_page_solution_nav.mdx +++ b/api_docs/kbn_shared_ux_page_solution_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-solution-nav title: "@kbn/shared-ux-page-solution-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-solution-nav plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-solution-nav'] --- import kbnSharedUxPageSolutionNavObj from './kbn_shared_ux_page_solution_nav.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx index 7bc589e1f91c5..d27161f71f173 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views title: "@kbn/shared-ux-prompt-no-data-views" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views'] --- import kbnSharedUxPromptNoDataViewsObj from './kbn_shared_ux_prompt_no_data_views.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx index 77fc06ee54a15..03621fc0fde4d 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views-mocks title: "@kbn/shared-ux-prompt-no-data-views-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views-mocks'] --- import kbnSharedUxPromptNoDataViewsMocksObj from './kbn_shared_ux_prompt_no_data_views_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_not_found.mdx b/api_docs/kbn_shared_ux_prompt_not_found.mdx index 0800d2782eebb..07c2569563649 100644 --- a/api_docs/kbn_shared_ux_prompt_not_found.mdx +++ b/api_docs/kbn_shared_ux_prompt_not_found.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-not-found title: "@kbn/shared-ux-prompt-not-found" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-not-found plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-not-found'] --- import kbnSharedUxPromptNotFoundObj from './kbn_shared_ux_prompt_not_found.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router.mdx b/api_docs/kbn_shared_ux_router.mdx index 631c31363e45c..aa2a61e049244 100644 --- a/api_docs/kbn_shared_ux_router.mdx +++ b/api_docs/kbn_shared_ux_router.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router title: "@kbn/shared-ux-router" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router'] --- import kbnSharedUxRouterObj from './kbn_shared_ux_router.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router_mocks.mdx b/api_docs/kbn_shared_ux_router_mocks.mdx index 856341d3c8724..d57b2a679df7a 100644 --- a/api_docs/kbn_shared_ux_router_mocks.mdx +++ b/api_docs/kbn_shared_ux_router_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router-mocks title: "@kbn/shared-ux-router-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router-mocks plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router-mocks'] --- import kbnSharedUxRouterMocksObj from './kbn_shared_ux_router_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_config.mdx b/api_docs/kbn_shared_ux_storybook_config.mdx index 8de2cc806aafa..8e95465d7f796 100644 --- a/api_docs/kbn_shared_ux_storybook_config.mdx +++ b/api_docs/kbn_shared_ux_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-config title: "@kbn/shared-ux-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-config plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-config'] --- import kbnSharedUxStorybookConfigObj from './kbn_shared_ux_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_mock.mdx b/api_docs/kbn_shared_ux_storybook_mock.mdx index 42ff1726f2622..fe4cd085df490 100644 --- a/api_docs/kbn_shared_ux_storybook_mock.mdx +++ b/api_docs/kbn_shared_ux_storybook_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-mock title: "@kbn/shared-ux-storybook-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-mock plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-mock'] --- import kbnSharedUxStorybookMockObj from './kbn_shared_ux_storybook_mock.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_utility.mdx b/api_docs/kbn_shared_ux_utility.mdx index 117805b315520..c6743b355a614 100644 --- a/api_docs/kbn_shared_ux_utility.mdx +++ b/api_docs/kbn_shared_ux_utility.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-utility title: "@kbn/shared-ux-utility" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-utility plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-utility'] --- import kbnSharedUxUtilityObj from './kbn_shared_ux_utility.devdocs.json'; diff --git a/api_docs/kbn_some_dev_log.mdx b/api_docs/kbn_some_dev_log.mdx index 4e2fae817bf94..b3dd94becfb93 100644 --- a/api_docs/kbn_some_dev_log.mdx +++ b/api_docs/kbn_some_dev_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-some-dev-log title: "@kbn/some-dev-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/some-dev-log plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/some-dev-log'] --- import kbnSomeDevLogObj from './kbn_some_dev_log.devdocs.json'; diff --git a/api_docs/kbn_sort_package_json.mdx b/api_docs/kbn_sort_package_json.mdx index 87c15a389ffe9..dbd2189707c55 100644 --- a/api_docs/kbn_sort_package_json.mdx +++ b/api_docs/kbn_sort_package_json.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sort-package-json title: "@kbn/sort-package-json" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sort-package-json plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sort-package-json'] --- import kbnSortPackageJsonObj from './kbn_sort_package_json.devdocs.json'; diff --git a/api_docs/kbn_std.mdx b/api_docs/kbn_std.mdx index 116b31639670e..045d7a307ffa8 100644 --- a/api_docs/kbn_std.mdx +++ b/api_docs/kbn_std.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-std title: "@kbn/std" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/std plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/std'] --- import kbnStdObj from './kbn_std.devdocs.json'; diff --git a/api_docs/kbn_stdio_dev_helpers.mdx b/api_docs/kbn_stdio_dev_helpers.mdx index 08a43817b5dd2..668df4f82c2bc 100644 --- a/api_docs/kbn_stdio_dev_helpers.mdx +++ b/api_docs/kbn_stdio_dev_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-stdio-dev-helpers title: "@kbn/stdio-dev-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/stdio-dev-helpers plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/stdio-dev-helpers'] --- import kbnStdioDevHelpersObj from './kbn_stdio_dev_helpers.devdocs.json'; diff --git a/api_docs/kbn_storybook.mdx b/api_docs/kbn_storybook.mdx index 7ff24f8533573..e5d1aaca8759c 100644 --- a/api_docs/kbn_storybook.mdx +++ b/api_docs/kbn_storybook.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-storybook title: "@kbn/storybook" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/storybook plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/storybook'] --- import kbnStorybookObj from './kbn_storybook.devdocs.json'; diff --git a/api_docs/kbn_telemetry_tools.mdx b/api_docs/kbn_telemetry_tools.mdx index ccf6dd8f1be6d..421bb43999239 100644 --- a/api_docs/kbn_telemetry_tools.mdx +++ b/api_docs/kbn_telemetry_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-telemetry-tools title: "@kbn/telemetry-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/telemetry-tools plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/telemetry-tools'] --- import kbnTelemetryToolsObj from './kbn_telemetry_tools.devdocs.json'; diff --git a/api_docs/kbn_test.mdx b/api_docs/kbn_test.mdx index 412dd4370b641..23596142f8a65 100644 --- a/api_docs/kbn_test.mdx +++ b/api_docs/kbn_test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test title: "@kbn/test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test'] --- import kbnTestObj from './kbn_test.devdocs.json'; diff --git a/api_docs/kbn_test_jest_helpers.mdx b/api_docs/kbn_test_jest_helpers.mdx index d4381a626b2b8..a47ce4af04a20 100644 --- a/api_docs/kbn_test_jest_helpers.mdx +++ b/api_docs/kbn_test_jest_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-jest-helpers title: "@kbn/test-jest-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-jest-helpers plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-jest-helpers'] --- import kbnTestJestHelpersObj from './kbn_test_jest_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_subj_selector.mdx b/api_docs/kbn_test_subj_selector.mdx index 7661bf10788f5..f433397ad39e9 100644 --- a/api_docs/kbn_test_subj_selector.mdx +++ b/api_docs/kbn_test_subj_selector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-subj-selector title: "@kbn/test-subj-selector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-subj-selector plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-subj-selector'] --- import kbnTestSubjSelectorObj from './kbn_test_subj_selector.devdocs.json'; diff --git a/api_docs/kbn_tooling_log.mdx b/api_docs/kbn_tooling_log.mdx index e10f102b5fd90..94a97cf06cbb9 100644 --- a/api_docs/kbn_tooling_log.mdx +++ b/api_docs/kbn_tooling_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-tooling-log title: "@kbn/tooling-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/tooling-log plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/tooling-log'] --- import kbnToolingLogObj from './kbn_tooling_log.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer.mdx b/api_docs/kbn_type_summarizer.mdx index 59d6ac0e7370a..5868f2868e845 100644 --- a/api_docs/kbn_type_summarizer.mdx +++ b/api_docs/kbn_type_summarizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer title: "@kbn/type-summarizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer'] --- import kbnTypeSummarizerObj from './kbn_type_summarizer.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer_core.mdx b/api_docs/kbn_type_summarizer_core.mdx index e31f2f3f0d7d5..e08a13d7659e0 100644 --- a/api_docs/kbn_type_summarizer_core.mdx +++ b/api_docs/kbn_type_summarizer_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer-core title: "@kbn/type-summarizer-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer-core plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer-core'] --- import kbnTypeSummarizerCoreObj from './kbn_type_summarizer_core.devdocs.json'; diff --git a/api_docs/kbn_typed_react_router_config.mdx b/api_docs/kbn_typed_react_router_config.mdx index 364a264633a06..80abed426351f 100644 --- a/api_docs/kbn_typed_react_router_config.mdx +++ b/api_docs/kbn_typed_react_router_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-typed-react-router-config title: "@kbn/typed-react-router-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/typed-react-router-config plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/typed-react-router-config'] --- import kbnTypedReactRouterConfigObj from './kbn_typed_react_router_config.devdocs.json'; diff --git a/api_docs/kbn_ui_shared_deps_src.mdx b/api_docs/kbn_ui_shared_deps_src.mdx index 9806e36fe1876..69370fbd02e09 100644 --- a/api_docs/kbn_ui_shared_deps_src.mdx +++ b/api_docs/kbn_ui_shared_deps_src.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-shared-deps-src title: "@kbn/ui-shared-deps-src" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-shared-deps-src plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-shared-deps-src'] --- import kbnUiSharedDepsSrcObj from './kbn_ui_shared_deps_src.devdocs.json'; diff --git a/api_docs/kbn_ui_theme.mdx b/api_docs/kbn_ui_theme.mdx index 69f17829eec96..aba5f941119c1 100644 --- a/api_docs/kbn_ui_theme.mdx +++ b/api_docs/kbn_ui_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-theme title: "@kbn/ui-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-theme plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-theme'] --- import kbnUiThemeObj from './kbn_ui_theme.devdocs.json'; diff --git a/api_docs/kbn_user_profile_components.mdx b/api_docs/kbn_user_profile_components.mdx index 59175574d7dfa..54f77c398b408 100644 --- a/api_docs/kbn_user_profile_components.mdx +++ b/api_docs/kbn_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-user-profile-components title: "@kbn/user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/user-profile-components plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/user-profile-components'] --- import kbnUserProfileComponentsObj from './kbn_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_utility_types.mdx b/api_docs/kbn_utility_types.mdx index 11d126b41db53..74942a5701f76 100644 --- a/api_docs/kbn_utility_types.mdx +++ b/api_docs/kbn_utility_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types title: "@kbn/utility-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types'] --- import kbnUtilityTypesObj from './kbn_utility_types.devdocs.json'; diff --git a/api_docs/kbn_utility_types_jest.mdx b/api_docs/kbn_utility_types_jest.mdx index 575fd7c9c0335..f461e415da72d 100644 --- a/api_docs/kbn_utility_types_jest.mdx +++ b/api_docs/kbn_utility_types_jest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types-jest title: "@kbn/utility-types-jest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types-jest plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types-jest'] --- import kbnUtilityTypesJestObj from './kbn_utility_types_jest.devdocs.json'; diff --git a/api_docs/kbn_utils.mdx b/api_docs/kbn_utils.mdx index 4d070f49d8f44..3f16006d25ebc 100644 --- a/api_docs/kbn_utils.mdx +++ b/api_docs/kbn_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utils title: "@kbn/utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utils'] --- import kbnUtilsObj from './kbn_utils.devdocs.json'; diff --git a/api_docs/kbn_yarn_lock_validator.mdx b/api_docs/kbn_yarn_lock_validator.mdx index 152cb6467b704..c3f5c1b299e75 100644 --- a/api_docs/kbn_yarn_lock_validator.mdx +++ b/api_docs/kbn_yarn_lock_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-yarn-lock-validator title: "@kbn/yarn-lock-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/yarn-lock-validator plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/yarn-lock-validator'] --- import kbnYarnLockValidatorObj from './kbn_yarn_lock_validator.devdocs.json'; diff --git a/api_docs/kibana_overview.mdx b/api_docs/kibana_overview.mdx index 443df579969d1..a7cb9d3011e7a 100644 --- a/api_docs/kibana_overview.mdx +++ b/api_docs/kibana_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaOverview title: "kibanaOverview" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaOverview plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaOverview'] --- import kibanaOverviewObj from './kibana_overview.devdocs.json'; diff --git a/api_docs/kibana_react.mdx b/api_docs/kibana_react.mdx index 5f113ddcf0e6f..533b10e658cdd 100644 --- a/api_docs/kibana_react.mdx +++ b/api_docs/kibana_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaReact title: "kibanaReact" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaReact plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaReact'] --- import kibanaReactObj from './kibana_react.devdocs.json'; diff --git a/api_docs/kibana_utils.mdx b/api_docs/kibana_utils.mdx index 644f6083ff6bf..bc1526490a856 100644 --- a/api_docs/kibana_utils.mdx +++ b/api_docs/kibana_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaUtils title: "kibanaUtils" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaUtils plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaUtils'] --- import kibanaUtilsObj from './kibana_utils.devdocs.json'; diff --git a/api_docs/kubernetes_security.mdx b/api_docs/kubernetes_security.mdx index 671a5e0244f0b..34488283f5e9b 100644 --- a/api_docs/kubernetes_security.mdx +++ b/api_docs/kubernetes_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kubernetesSecurity title: "kubernetesSecurity" image: https://source.unsplash.com/400x175/?github description: API docs for the kubernetesSecurity plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kubernetesSecurity'] --- import kubernetesSecurityObj from './kubernetes_security.devdocs.json'; diff --git a/api_docs/lens.mdx b/api_docs/lens.mdx index f616758783f69..f19c7795948b7 100644 --- a/api_docs/lens.mdx +++ b/api_docs/lens.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lens title: "lens" image: https://source.unsplash.com/400x175/?github description: API docs for the lens plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lens'] --- import lensObj from './lens.devdocs.json'; diff --git a/api_docs/license_api_guard.mdx b/api_docs/license_api_guard.mdx index 142b5d4fcba3b..157ea8b0da5af 100644 --- a/api_docs/license_api_guard.mdx +++ b/api_docs/license_api_guard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseApiGuard title: "licenseApiGuard" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseApiGuard plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseApiGuard'] --- import licenseApiGuardObj from './license_api_guard.devdocs.json'; diff --git a/api_docs/license_management.mdx b/api_docs/license_management.mdx index a2d42dce0ff96..1b97d514dd7ca 100644 --- a/api_docs/license_management.mdx +++ b/api_docs/license_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseManagement title: "licenseManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseManagement plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseManagement'] --- import licenseManagementObj from './license_management.devdocs.json'; diff --git a/api_docs/licensing.mdx b/api_docs/licensing.mdx index 5205aca1c51a1..0fa9bb133f6be 100644 --- a/api_docs/licensing.mdx +++ b/api_docs/licensing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licensing title: "licensing" image: https://source.unsplash.com/400x175/?github description: API docs for the licensing plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licensing'] --- import licensingObj from './licensing.devdocs.json'; diff --git a/api_docs/lists.mdx b/api_docs/lists.mdx index 364583ce7a582..2b8feb92bddaf 100644 --- a/api_docs/lists.mdx +++ b/api_docs/lists.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lists title: "lists" image: https://source.unsplash.com/400x175/?github description: API docs for the lists plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lists'] --- import listsObj from './lists.devdocs.json'; diff --git a/api_docs/management.mdx b/api_docs/management.mdx index a7cf85af82ffe..7c4431018e0d7 100644 --- a/api_docs/management.mdx +++ b/api_docs/management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/management title: "management" image: https://source.unsplash.com/400x175/?github description: API docs for the management plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'management'] --- import managementObj from './management.devdocs.json'; diff --git a/api_docs/maps.mdx b/api_docs/maps.mdx index 98fdf907a8418..57a0ed0bc29cb 100644 --- a/api_docs/maps.mdx +++ b/api_docs/maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/maps title: "maps" image: https://source.unsplash.com/400x175/?github description: API docs for the maps plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'maps'] --- import mapsObj from './maps.devdocs.json'; diff --git a/api_docs/maps_ems.mdx b/api_docs/maps_ems.mdx index 0e8dbfa9d3e18..b2083f616718d 100644 --- a/api_docs/maps_ems.mdx +++ b/api_docs/maps_ems.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mapsEms title: "mapsEms" image: https://source.unsplash.com/400x175/?github description: API docs for the mapsEms plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mapsEms'] --- import mapsEmsObj from './maps_ems.devdocs.json'; diff --git a/api_docs/ml.mdx b/api_docs/ml.mdx index daff92fbd9253..89df9b683e7ee 100644 --- a/api_docs/ml.mdx +++ b/api_docs/ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ml title: "ml" image: https://source.unsplash.com/400x175/?github description: API docs for the ml plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ml'] --- import mlObj from './ml.devdocs.json'; diff --git a/api_docs/monitoring.mdx b/api_docs/monitoring.mdx index ac221cc77dd9d..8d26511e28839 100644 --- a/api_docs/monitoring.mdx +++ b/api_docs/monitoring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoring title: "monitoring" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoring plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoring'] --- import monitoringObj from './monitoring.devdocs.json'; diff --git a/api_docs/monitoring_collection.mdx b/api_docs/monitoring_collection.mdx index 2a045f17e5131..85299ef0d659c 100644 --- a/api_docs/monitoring_collection.mdx +++ b/api_docs/monitoring_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoringCollection title: "monitoringCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoringCollection plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoringCollection'] --- import monitoringCollectionObj from './monitoring_collection.devdocs.json'; diff --git a/api_docs/navigation.mdx b/api_docs/navigation.mdx index c0cde511d36ad..c19c07f102d06 100644 --- a/api_docs/navigation.mdx +++ b/api_docs/navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/navigation title: "navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the navigation plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'navigation'] --- import navigationObj from './navigation.devdocs.json'; diff --git a/api_docs/newsfeed.mdx b/api_docs/newsfeed.mdx index a05ccf3aed8eb..255e0cc22950b 100644 --- a/api_docs/newsfeed.mdx +++ b/api_docs/newsfeed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/newsfeed title: "newsfeed" image: https://source.unsplash.com/400x175/?github description: API docs for the newsfeed plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'newsfeed'] --- import newsfeedObj from './newsfeed.devdocs.json'; diff --git a/api_docs/notifications.mdx b/api_docs/notifications.mdx index c6d05d225771c..c915a56b8ad2c 100644 --- a/api_docs/notifications.mdx +++ b/api_docs/notifications.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/notifications title: "notifications" image: https://source.unsplash.com/400x175/?github description: API docs for the notifications plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'notifications'] --- import notificationsObj from './notifications.devdocs.json'; diff --git a/api_docs/observability.mdx b/api_docs/observability.mdx index df317960f6629..82fa2552cb2f0 100644 --- a/api_docs/observability.mdx +++ b/api_docs/observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observability title: "observability" image: https://source.unsplash.com/400x175/?github description: API docs for the observability plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observability'] --- import observabilityObj from './observability.devdocs.json'; diff --git a/api_docs/osquery.mdx b/api_docs/osquery.mdx index 7ba3a4f2f231f..5ee69e07da21b 100644 --- a/api_docs/osquery.mdx +++ b/api_docs/osquery.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/osquery title: "osquery" image: https://source.unsplash.com/400x175/?github description: API docs for the osquery plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'osquery'] --- import osqueryObj from './osquery.devdocs.json'; diff --git a/api_docs/plugin_directory.mdx b/api_docs/plugin_directory.mdx index da13f780e79f1..056db52af91df 100644 --- a/api_docs/plugin_directory.mdx +++ b/api_docs/plugin_directory.mdx @@ -7,7 +7,7 @@ id: kibDevDocsPluginDirectory slug: /kibana-dev-docs/api-meta/plugin-api-directory title: Directory description: Directory of public APIs available through plugins or packages. -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- @@ -21,7 +21,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | API Count | Any Count | Missing comments | Missing exports | |--------------|----------|-----------------|--------| -| 33682 | 520 | 23458 | 1150 | +| 33673 | 520 | 23445 | 1152 | ## Plugin Directory @@ -46,7 +46,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [Cloud Security Posture](https://github.com/orgs/elastic/teams/cloud-posture-security) | The cloud security posture plugin | 17 | 0 | 2 | 2 | | | [Stack Management](https://github.com/orgs/elastic/teams/kibana-stack-management) | - | 13 | 0 | 13 | 1 | | | [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | The Controls Plugin contains embeddable components intended to create a simple query interface for end users, and a powerful editing suite that allows dashboard authors to build controls | 268 | 0 | 259 | 10 | -| | [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) | - | 2798 | 17 | 1007 | 0 | +| | [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) | - | 2803 | 17 | 1010 | 0 | | crossClusterReplication | [Stack Management](https://github.com/orgs/elastic/teams/kibana-stack-management) | - | 0 | 0 | 0 | 0 | | customBranding | [global-experience](https://github.com/orgs/elastic/teams/kibana-global-experience) | Enables customization of Kibana | 0 | 0 | 0 | 0 | | | [Fleet](https://github.com/orgs/elastic/teams/fleet) | Add custom data integrations so they can be displayed in the Fleet integrations app | 107 | 0 | 88 | 1 | @@ -357,10 +357,10 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | Kibana Core | - | 2 | 0 | 1 | 0 | | | Kibana Core | - | 6 | 0 | 6 | 0 | | | Kibana Core | - | 25 | 1 | 13 | 0 | -| | Kibana Core | - | 25 | 1 | 25 | 0 | +| | Kibana Core | - | 6 | 1 | 6 | 2 | | | Kibana Core | - | 4 | 0 | 4 | 0 | | | Kibana Core | - | 25 | 0 | 3 | 0 | -| | Kibana Core | - | 27 | 1 | 13 | 0 | +| | Kibana Core | - | 32 | 1 | 16 | 0 | | | Kibana Core | - | 18 | 1 | 17 | 3 | | | Kibana Core | - | 6 | 0 | 6 | 0 | | | Kibana Core | - | 153 | 0 | 142 | 0 | diff --git a/api_docs/presentation_util.mdx b/api_docs/presentation_util.mdx index 853be996619c1..d218332104c9b 100644 --- a/api_docs/presentation_util.mdx +++ b/api_docs/presentation_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationUtil title: "presentationUtil" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationUtil plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationUtil'] --- import presentationUtilObj from './presentation_util.devdocs.json'; diff --git a/api_docs/profiling.mdx b/api_docs/profiling.mdx index 3fa6776a1c843..da97ffcab78f0 100644 --- a/api_docs/profiling.mdx +++ b/api_docs/profiling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profiling title: "profiling" image: https://source.unsplash.com/400x175/?github description: API docs for the profiling plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profiling'] --- import profilingObj from './profiling.devdocs.json'; diff --git a/api_docs/remote_clusters.mdx b/api_docs/remote_clusters.mdx index b7e56abc94d60..a2f758fb92617 100644 --- a/api_docs/remote_clusters.mdx +++ b/api_docs/remote_clusters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/remoteClusters title: "remoteClusters" image: https://source.unsplash.com/400x175/?github description: API docs for the remoteClusters plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'remoteClusters'] --- import remoteClustersObj from './remote_clusters.devdocs.json'; diff --git a/api_docs/reporting.mdx b/api_docs/reporting.mdx index f57b2cc147469..4d528bf8f0d9a 100644 --- a/api_docs/reporting.mdx +++ b/api_docs/reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/reporting title: "reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the reporting plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'reporting'] --- import reportingObj from './reporting.devdocs.json'; diff --git a/api_docs/rollup.mdx b/api_docs/rollup.mdx index 5d562d6185385..a095f648a1d7a 100644 --- a/api_docs/rollup.mdx +++ b/api_docs/rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/rollup title: "rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the rollup plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'rollup'] --- import rollupObj from './rollup.devdocs.json'; diff --git a/api_docs/rule_registry.mdx b/api_docs/rule_registry.mdx index 7cbedc3c97f09..2f5fedf9c573e 100644 --- a/api_docs/rule_registry.mdx +++ b/api_docs/rule_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ruleRegistry title: "ruleRegistry" image: https://source.unsplash.com/400x175/?github description: API docs for the ruleRegistry plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ruleRegistry'] --- import ruleRegistryObj from './rule_registry.devdocs.json'; diff --git a/api_docs/runtime_fields.mdx b/api_docs/runtime_fields.mdx index 438d81ea8f12b..41a0af05f87c1 100644 --- a/api_docs/runtime_fields.mdx +++ b/api_docs/runtime_fields.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/runtimeFields title: "runtimeFields" image: https://source.unsplash.com/400x175/?github description: API docs for the runtimeFields plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'runtimeFields'] --- import runtimeFieldsObj from './runtime_fields.devdocs.json'; diff --git a/api_docs/saved_objects.mdx b/api_docs/saved_objects.mdx index a5bdcf46e6113..4460fa85f7bcd 100644 --- a/api_docs/saved_objects.mdx +++ b/api_docs/saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjects title: "savedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjects plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjects'] --- import savedObjectsObj from './saved_objects.devdocs.json'; diff --git a/api_docs/saved_objects_finder.mdx b/api_docs/saved_objects_finder.mdx index 957e82a7f0226..e7f076e3ff86d 100644 --- a/api_docs/saved_objects_finder.mdx +++ b/api_docs/saved_objects_finder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsFinder title: "savedObjectsFinder" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsFinder plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsFinder'] --- import savedObjectsFinderObj from './saved_objects_finder.devdocs.json'; diff --git a/api_docs/saved_objects_management.mdx b/api_docs/saved_objects_management.mdx index a616890c63fd3..63ccf52d98624 100644 --- a/api_docs/saved_objects_management.mdx +++ b/api_docs/saved_objects_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsManagement title: "savedObjectsManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsManagement plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsManagement'] --- import savedObjectsManagementObj from './saved_objects_management.devdocs.json'; diff --git a/api_docs/saved_objects_tagging.mdx b/api_docs/saved_objects_tagging.mdx index 567a6ac2badf4..281d0d84c4f18 100644 --- a/api_docs/saved_objects_tagging.mdx +++ b/api_docs/saved_objects_tagging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTagging title: "savedObjectsTagging" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTagging plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTagging'] --- import savedObjectsTaggingObj from './saved_objects_tagging.devdocs.json'; diff --git a/api_docs/saved_objects_tagging_oss.mdx b/api_docs/saved_objects_tagging_oss.mdx index 97b22df6bdd41..95fc08a8840fc 100644 --- a/api_docs/saved_objects_tagging_oss.mdx +++ b/api_docs/saved_objects_tagging_oss.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTaggingOss title: "savedObjectsTaggingOss" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTaggingOss plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTaggingOss'] --- import savedObjectsTaggingOssObj from './saved_objects_tagging_oss.devdocs.json'; diff --git a/api_docs/saved_search.mdx b/api_docs/saved_search.mdx index 7bd7a5ac90e17..631608246e9a7 100644 --- a/api_docs/saved_search.mdx +++ b/api_docs/saved_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedSearch title: "savedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the savedSearch plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedSearch'] --- import savedSearchObj from './saved_search.devdocs.json'; diff --git a/api_docs/screenshot_mode.mdx b/api_docs/screenshot_mode.mdx index 9e69a31dcbdb6..2ebf46db90826 100644 --- a/api_docs/screenshot_mode.mdx +++ b/api_docs/screenshot_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotMode title: "screenshotMode" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotMode plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotMode'] --- import screenshotModeObj from './screenshot_mode.devdocs.json'; diff --git a/api_docs/screenshotting.mdx b/api_docs/screenshotting.mdx index acc1db440ea91..34df3fa8bc0ae 100644 --- a/api_docs/screenshotting.mdx +++ b/api_docs/screenshotting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotting title: "screenshotting" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotting plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotting'] --- import screenshottingObj from './screenshotting.devdocs.json'; diff --git a/api_docs/security.mdx b/api_docs/security.mdx index cf7e42ea51a61..2c317ff5b047f 100644 --- a/api_docs/security.mdx +++ b/api_docs/security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/security title: "security" image: https://source.unsplash.com/400x175/?github description: API docs for the security plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'security'] --- import securityObj from './security.devdocs.json'; diff --git a/api_docs/security_solution.mdx b/api_docs/security_solution.mdx index 1206afb7eece1..5d92ee4f66c26 100644 --- a/api_docs/security_solution.mdx +++ b/api_docs/security_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolution title: "securitySolution" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolution plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolution'] --- import securitySolutionObj from './security_solution.devdocs.json'; diff --git a/api_docs/session_view.mdx b/api_docs/session_view.mdx index f0e3c333d9458..e517cd2ce8bf3 100644 --- a/api_docs/session_view.mdx +++ b/api_docs/session_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/sessionView title: "sessionView" image: https://source.unsplash.com/400x175/?github description: API docs for the sessionView plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'sessionView'] --- import sessionViewObj from './session_view.devdocs.json'; diff --git a/api_docs/share.mdx b/api_docs/share.mdx index e0aa5e75714a2..04e1af20281ac 100644 --- a/api_docs/share.mdx +++ b/api_docs/share.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/share title: "share" image: https://source.unsplash.com/400x175/?github description: API docs for the share plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'share'] --- import shareObj from './share.devdocs.json'; diff --git a/api_docs/snapshot_restore.mdx b/api_docs/snapshot_restore.mdx index c9f07d8476a07..b6dbc19821477 100644 --- a/api_docs/snapshot_restore.mdx +++ b/api_docs/snapshot_restore.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/snapshotRestore title: "snapshotRestore" image: https://source.unsplash.com/400x175/?github description: API docs for the snapshotRestore plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'snapshotRestore'] --- import snapshotRestoreObj from './snapshot_restore.devdocs.json'; diff --git a/api_docs/spaces.mdx b/api_docs/spaces.mdx index d9e72a901faed..9e69fde4e6076 100644 --- a/api_docs/spaces.mdx +++ b/api_docs/spaces.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/spaces title: "spaces" image: https://source.unsplash.com/400x175/?github description: API docs for the spaces plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'spaces'] --- import spacesObj from './spaces.devdocs.json'; diff --git a/api_docs/stack_alerts.mdx b/api_docs/stack_alerts.mdx index 1b28caf700042..f528bfd52c783 100644 --- a/api_docs/stack_alerts.mdx +++ b/api_docs/stack_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackAlerts title: "stackAlerts" image: https://source.unsplash.com/400x175/?github description: API docs for the stackAlerts plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackAlerts'] --- import stackAlertsObj from './stack_alerts.devdocs.json'; diff --git a/api_docs/stack_connectors.mdx b/api_docs/stack_connectors.mdx index 81f3766ee0d97..65b2190f7011f 100644 --- a/api_docs/stack_connectors.mdx +++ b/api_docs/stack_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackConnectors title: "stackConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the stackConnectors plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackConnectors'] --- import stackConnectorsObj from './stack_connectors.devdocs.json'; diff --git a/api_docs/task_manager.mdx b/api_docs/task_manager.mdx index b78aba637baeb..56bfeb82725fd 100644 --- a/api_docs/task_manager.mdx +++ b/api_docs/task_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/taskManager title: "taskManager" image: https://source.unsplash.com/400x175/?github description: API docs for the taskManager plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'taskManager'] --- import taskManagerObj from './task_manager.devdocs.json'; diff --git a/api_docs/telemetry.mdx b/api_docs/telemetry.mdx index 28f2601065878..ddadbc88bba88 100644 --- a/api_docs/telemetry.mdx +++ b/api_docs/telemetry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetry title: "telemetry" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetry plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetry'] --- import telemetryObj from './telemetry.devdocs.json'; diff --git a/api_docs/telemetry_collection_manager.mdx b/api_docs/telemetry_collection_manager.mdx index f3fb764316241..9995e10206232 100644 --- a/api_docs/telemetry_collection_manager.mdx +++ b/api_docs/telemetry_collection_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionManager title: "telemetryCollectionManager" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionManager plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionManager'] --- import telemetryCollectionManagerObj from './telemetry_collection_manager.devdocs.json'; diff --git a/api_docs/telemetry_collection_xpack.mdx b/api_docs/telemetry_collection_xpack.mdx index 6a7be74ea719a..82fd1a40fc626 100644 --- a/api_docs/telemetry_collection_xpack.mdx +++ b/api_docs/telemetry_collection_xpack.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionXpack title: "telemetryCollectionXpack" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionXpack plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionXpack'] --- import telemetryCollectionXpackObj from './telemetry_collection_xpack.devdocs.json'; diff --git a/api_docs/telemetry_management_section.mdx b/api_docs/telemetry_management_section.mdx index 8305c1cf83d42..2e70e40e5f4a0 100644 --- a/api_docs/telemetry_management_section.mdx +++ b/api_docs/telemetry_management_section.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryManagementSection title: "telemetryManagementSection" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryManagementSection plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryManagementSection'] --- import telemetryManagementSectionObj from './telemetry_management_section.devdocs.json'; diff --git a/api_docs/threat_intelligence.mdx b/api_docs/threat_intelligence.mdx index 731ed603c2ade..1457c8726e2a0 100644 --- a/api_docs/threat_intelligence.mdx +++ b/api_docs/threat_intelligence.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/threatIntelligence title: "threatIntelligence" image: https://source.unsplash.com/400x175/?github description: API docs for the threatIntelligence plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'threatIntelligence'] --- import threatIntelligenceObj from './threat_intelligence.devdocs.json'; diff --git a/api_docs/timelines.mdx b/api_docs/timelines.mdx index 482878aa675f5..02973fd422853 100644 --- a/api_docs/timelines.mdx +++ b/api_docs/timelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/timelines title: "timelines" image: https://source.unsplash.com/400x175/?github description: API docs for the timelines plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'timelines'] --- import timelinesObj from './timelines.devdocs.json'; diff --git a/api_docs/transform.mdx b/api_docs/transform.mdx index 6fbb110400c77..18c1fe5fb5c8a 100644 --- a/api_docs/transform.mdx +++ b/api_docs/transform.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/transform title: "transform" image: https://source.unsplash.com/400x175/?github description: API docs for the transform plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'transform'] --- import transformObj from './transform.devdocs.json'; diff --git a/api_docs/triggers_actions_ui.mdx b/api_docs/triggers_actions_ui.mdx index 3b1d164b98bed..8ec12eee95560 100644 --- a/api_docs/triggers_actions_ui.mdx +++ b/api_docs/triggers_actions_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/triggersActionsUi title: "triggersActionsUi" image: https://source.unsplash.com/400x175/?github description: API docs for the triggersActionsUi plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'triggersActionsUi'] --- import triggersActionsUiObj from './triggers_actions_ui.devdocs.json'; diff --git a/api_docs/ui_actions.mdx b/api_docs/ui_actions.mdx index 807bf67b00b7b..0f923369f5656 100644 --- a/api_docs/ui_actions.mdx +++ b/api_docs/ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActions title: "uiActions" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActions plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActions'] --- import uiActionsObj from './ui_actions.devdocs.json'; diff --git a/api_docs/ui_actions_enhanced.mdx b/api_docs/ui_actions_enhanced.mdx index 54999262e22a1..1908c2de9b9c7 100644 --- a/api_docs/ui_actions_enhanced.mdx +++ b/api_docs/ui_actions_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActionsEnhanced title: "uiActionsEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActionsEnhanced plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActionsEnhanced'] --- import uiActionsEnhancedObj from './ui_actions_enhanced.devdocs.json'; diff --git a/api_docs/unified_field_list.mdx b/api_docs/unified_field_list.mdx index 9c451a90c12f9..7563a3a30c983 100644 --- a/api_docs/unified_field_list.mdx +++ b/api_docs/unified_field_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedFieldList title: "unifiedFieldList" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedFieldList plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedFieldList'] --- import unifiedFieldListObj from './unified_field_list.devdocs.json'; diff --git a/api_docs/unified_histogram.mdx b/api_docs/unified_histogram.mdx index 47d213c3a43d0..7a8cc4fe78052 100644 --- a/api_docs/unified_histogram.mdx +++ b/api_docs/unified_histogram.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedHistogram title: "unifiedHistogram" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedHistogram plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedHistogram'] --- import unifiedHistogramObj from './unified_histogram.devdocs.json'; diff --git a/api_docs/unified_search.mdx b/api_docs/unified_search.mdx index 583defb247b0e..4dea69e239678 100644 --- a/api_docs/unified_search.mdx +++ b/api_docs/unified_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch title: "unifiedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch'] --- import unifiedSearchObj from './unified_search.devdocs.json'; diff --git a/api_docs/unified_search_autocomplete.mdx b/api_docs/unified_search_autocomplete.mdx index 78fa7ede18c62..e95b872b7ae03 100644 --- a/api_docs/unified_search_autocomplete.mdx +++ b/api_docs/unified_search_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch-autocomplete title: "unifiedSearch.autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch.autocomplete plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch.autocomplete'] --- import unifiedSearchAutocompleteObj from './unified_search_autocomplete.devdocs.json'; diff --git a/api_docs/url_forwarding.mdx b/api_docs/url_forwarding.mdx index 01cc5d9cf3658..d7a164f9ea46e 100644 --- a/api_docs/url_forwarding.mdx +++ b/api_docs/url_forwarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/urlForwarding title: "urlForwarding" image: https://source.unsplash.com/400x175/?github description: API docs for the urlForwarding plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'urlForwarding'] --- import urlForwardingObj from './url_forwarding.devdocs.json'; diff --git a/api_docs/usage_collection.mdx b/api_docs/usage_collection.mdx index e5088ee9dfdfb..8aa786bc26706 100644 --- a/api_docs/usage_collection.mdx +++ b/api_docs/usage_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/usageCollection title: "usageCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the usageCollection plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'usageCollection'] --- import usageCollectionObj from './usage_collection.devdocs.json'; diff --git a/api_docs/ux.mdx b/api_docs/ux.mdx index 61f7dbce948c5..380f2af081ce3 100644 --- a/api_docs/ux.mdx +++ b/api_docs/ux.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ux title: "ux" image: https://source.unsplash.com/400x175/?github description: API docs for the ux plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ux'] --- import uxObj from './ux.devdocs.json'; diff --git a/api_docs/vis_default_editor.mdx b/api_docs/vis_default_editor.mdx index ae59b3963bdbc..5637051d5d16d 100644 --- a/api_docs/vis_default_editor.mdx +++ b/api_docs/vis_default_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visDefaultEditor title: "visDefaultEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the visDefaultEditor plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visDefaultEditor'] --- import visDefaultEditorObj from './vis_default_editor.devdocs.json'; diff --git a/api_docs/vis_type_gauge.mdx b/api_docs/vis_type_gauge.mdx index 02873519e4be4..69546d3c9a552 100644 --- a/api_docs/vis_type_gauge.mdx +++ b/api_docs/vis_type_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeGauge title: "visTypeGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeGauge plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeGauge'] --- import visTypeGaugeObj from './vis_type_gauge.devdocs.json'; diff --git a/api_docs/vis_type_heatmap.mdx b/api_docs/vis_type_heatmap.mdx index 43501f3d7edb7..6c7926ecfc4e4 100644 --- a/api_docs/vis_type_heatmap.mdx +++ b/api_docs/vis_type_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeHeatmap title: "visTypeHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeHeatmap plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeHeatmap'] --- import visTypeHeatmapObj from './vis_type_heatmap.devdocs.json'; diff --git a/api_docs/vis_type_pie.mdx b/api_docs/vis_type_pie.mdx index 16a97238a2c32..54c4a138bca81 100644 --- a/api_docs/vis_type_pie.mdx +++ b/api_docs/vis_type_pie.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypePie title: "visTypePie" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypePie plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypePie'] --- import visTypePieObj from './vis_type_pie.devdocs.json'; diff --git a/api_docs/vis_type_table.mdx b/api_docs/vis_type_table.mdx index 9add7c7a351a9..ba8f50ce8a467 100644 --- a/api_docs/vis_type_table.mdx +++ b/api_docs/vis_type_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTable title: "visTypeTable" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTable plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTable'] --- import visTypeTableObj from './vis_type_table.devdocs.json'; diff --git a/api_docs/vis_type_timelion.mdx b/api_docs/vis_type_timelion.mdx index dd785a58913b1..9035a7b7a3b54 100644 --- a/api_docs/vis_type_timelion.mdx +++ b/api_docs/vis_type_timelion.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimelion title: "visTypeTimelion" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimelion plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimelion'] --- import visTypeTimelionObj from './vis_type_timelion.devdocs.json'; diff --git a/api_docs/vis_type_timeseries.mdx b/api_docs/vis_type_timeseries.mdx index 07a7467cd46e4..87819656fc379 100644 --- a/api_docs/vis_type_timeseries.mdx +++ b/api_docs/vis_type_timeseries.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimeseries title: "visTypeTimeseries" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimeseries plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimeseries'] --- import visTypeTimeseriesObj from './vis_type_timeseries.devdocs.json'; diff --git a/api_docs/vis_type_vega.mdx b/api_docs/vis_type_vega.mdx index cf7c0266026fd..c2e201dceee96 100644 --- a/api_docs/vis_type_vega.mdx +++ b/api_docs/vis_type_vega.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVega title: "visTypeVega" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVega plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVega'] --- import visTypeVegaObj from './vis_type_vega.devdocs.json'; diff --git a/api_docs/vis_type_vislib.mdx b/api_docs/vis_type_vislib.mdx index 0603b97022083..9ab2eaec1b8c0 100644 --- a/api_docs/vis_type_vislib.mdx +++ b/api_docs/vis_type_vislib.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVislib title: "visTypeVislib" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVislib plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVislib'] --- import visTypeVislibObj from './vis_type_vislib.devdocs.json'; diff --git a/api_docs/vis_type_xy.mdx b/api_docs/vis_type_xy.mdx index ac1811b9d272b..0b04345b5d045 100644 --- a/api_docs/vis_type_xy.mdx +++ b/api_docs/vis_type_xy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeXy title: "visTypeXy" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeXy plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeXy'] --- import visTypeXyObj from './vis_type_xy.devdocs.json'; diff --git a/api_docs/visualizations.mdx b/api_docs/visualizations.mdx index ac4d22d9f16d8..c4e9481e1fb77 100644 --- a/api_docs/visualizations.mdx +++ b/api_docs/visualizations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visualizations title: "visualizations" image: https://source.unsplash.com/400x175/?github description: API docs for the visualizations plugin -date: 2022-12-08 +date: 2022-12-09 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visualizations'] --- import visualizationsObj from './visualizations.devdocs.json'; From ab2a0cfaad8586dc26e23b970aebe3f0d91513a1 Mon Sep 17 00:00:00 2001 From: "renovate[bot]" <29139614+renovate[bot]@users.noreply.github.com> Date: Fri, 9 Dec 2022 09:24:01 +0100 Subject: [PATCH 12/20] Update @storybook to ^6.5.14 (main) (#147304) --- package.json | 34 +-- yarn.lock | 662 +++++++++++++++++++++++++-------------------------- 2 files changed, 348 insertions(+), 348 deletions(-) diff --git a/package.json b/package.json index d72dd572f09ad..8d14fd74a3990 100644 --- a/package.json +++ b/package.json @@ -795,26 +795,26 @@ "@mapbox/vector-tile": "1.3.1", "@octokit/rest": "^16.35.0", "@openpgp/web-stream-tools": "^0.0.10", - "@storybook/addon-a11y": "^6.5.13", - "@storybook/addon-actions": "^6.5.13", - "@storybook/addon-controls": "^6.5.13", - "@storybook/addon-docs": "^6.5.13", - "@storybook/addon-essentials": "^6.5.13", + "@storybook/addon-a11y": "^6.5.14", + "@storybook/addon-actions": "^6.5.14", + "@storybook/addon-controls": "^6.5.14", + "@storybook/addon-docs": "^6.5.14", + "@storybook/addon-essentials": "^6.5.14", "@storybook/addon-knobs": "^6.4.0", - "@storybook/addon-storyshots": "^6.5.13", - "@storybook/addons": "^6.5.13", - "@storybook/api": "^6.5.13", - "@storybook/client-api": "^6.5.13", - "@storybook/components": "^6.5.13", - "@storybook/core": "^6.5.13", - "@storybook/core-common": "^6.5.13", - "@storybook/core-events": "^6.5.13", - "@storybook/node-logger": "^6.5.13", - "@storybook/preview-web": "^6.5.13", - "@storybook/react": "^6.5.13", + "@storybook/addon-storyshots": "^6.5.14", + "@storybook/addons": "^6.5.14", + "@storybook/api": "^6.5.14", + "@storybook/client-api": "^6.5.14", + "@storybook/components": "^6.5.14", + "@storybook/core": "^6.5.14", + "@storybook/core-common": "^6.5.14", + "@storybook/core-events": "^6.5.14", + "@storybook/node-logger": "^6.5.14", + "@storybook/preview-web": "^6.5.14", + "@storybook/react": "^6.5.14", "@storybook/react-docgen-typescript-plugin": "^1.0.1", "@storybook/testing-react": "^1.3.0", - "@storybook/theming": "^6.5.13", + "@storybook/theming": "^6.5.14", "@testing-library/dom": "^8.19.0", "@testing-library/jest-dom": "^5.16.5", "@testing-library/react": "^12.1.5", diff --git a/yarn.lock b/yarn.lock index c0968101f2fe9..7c39ab5ead157 100644 --- a/yarn.lock +++ b/yarn.lock @@ -5144,19 +5144,19 @@ "@types/node" ">=8.9.0" axios "^0.21.1" -"@storybook/addon-a11y@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-a11y/-/addon-a11y-6.5.13.tgz#3934b12dc2f3bf7a1a1bc660aa7b84b856bc2b6c" - integrity sha512-+Tcl/4LWRh3ygLUZFGvkjT42CF/tJcP+kgsIho7i2MxpgZyD6+BUhL9srPZusjbR+uHcHXJ/yxw/vxFQ+UCTLA== - dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/channels" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-events" "6.5.13" +"@storybook/addon-a11y@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-a11y/-/addon-a11y-6.5.14.tgz#3095f87396955f64d86110636e6e2fdf603dd10e" + integrity sha512-nQf+pTcIXZr4dnrn4eDQoIeR62P6aHFFLoNBTcKFsESmHO3KYMC709j6uU1N+GNFMj9SEZYMav3iQC1Ue9BUnw== + dependencies: + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/channels" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/theming" "6.5.13" + "@storybook/theming" "6.5.14" axe-core "^4.2.0" core-js "^3.8.2" global "^4.4.0" @@ -5166,18 +5166,18 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/addon-actions@6.5.13", "@storybook/addon-actions@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-actions/-/addon-actions-6.5.13.tgz#84535dda78c7fe15fc61f19a23ed1440952f3c76" - integrity sha512-3Tji0gIy95havhTpSc6CsFl5lNxGn4O5Y1U9fyji+GRkKqDFOrvVLYAHPtLOpYdEI5tF0bDo+akiqfDouY8+eA== +"@storybook/addon-actions@6.5.14", "@storybook/addon-actions@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-actions/-/addon-actions-6.5.14.tgz#29dd6a27e4b373513190ffd8bc89c7a89a7e071c" + integrity sha512-fZt8bn+oCsVDv9yuZfKL4lq77V5EqW60khHpOxLRRK69hMsE+gaylK0O5l/pelVf3Jf3+TablUG+2xWTaJHGlQ== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/theming" "6.5.13" + "@storybook/theming" "6.5.14" core-js "^3.8.2" fast-deep-equal "^3.1.3" global "^4.4.0" @@ -5191,18 +5191,18 @@ util-deprecate "^1.0.2" uuid-browser "^3.1.0" -"@storybook/addon-backgrounds@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-backgrounds/-/addon-backgrounds-6.5.13.tgz#37629db582501aa22bddf492a9f01d6614aaa993" - integrity sha512-b4JX7JMY7e50y1l6g71D+2XWV3GO0TO2z1ta8J6W4OQt8f44V7sSkRQaJUzXdLjQMrA+Anojuy1ZwPjVeLC6vg== +"@storybook/addon-backgrounds@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-backgrounds/-/addon-backgrounds-6.5.14.tgz#de34ae41d2700d05acff2929b6b421ee78be417a" + integrity sha512-DZY8oizDTiNLsknyrCyjf6OirwyfrXB4+UCXKXT7Xp+S5PHsdHwBZUADgM6yIwLUjDXzcsL7Ok00C1zI9qERdg== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/theming" "6.5.13" + "@storybook/theming" "6.5.14" core-js "^3.8.2" global "^4.4.0" memoizerific "^1.11.3" @@ -5210,47 +5210,47 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/addon-controls@6.5.13", "@storybook/addon-controls@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-controls/-/addon-controls-6.5.13.tgz#14c8f9379337768bf03f59d19f1a16f3c41418ab" - integrity sha512-lYq3uf2mlVevm0bi6ueL3H6TpUMRYW9s/pTNTVJT225l27kLdFR9wEKxAkCBrlKaTgDLJmzzDRsJE3NLZlR/5Q== +"@storybook/addon-controls@6.5.14", "@storybook/addon-controls@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-controls/-/addon-controls-6.5.14.tgz#c3ad5f716a43032cb982f7b863d5a453ba73c788" + integrity sha512-p16k/69GjwVtnpEiz0fmb1qoqp/H2d5aaSGDt7VleeXsdhs4Kh0kJyxfLpekHmlzT+5IkO08Nm/U8tJOHbw4Hw== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-common" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-common" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/node-logger" "6.5.13" - "@storybook/store" "6.5.13" - "@storybook/theming" "6.5.13" + "@storybook/node-logger" "6.5.14" + "@storybook/store" "6.5.14" + "@storybook/theming" "6.5.14" core-js "^3.8.2" lodash "^4.17.21" ts-dedent "^2.0.0" -"@storybook/addon-docs@6.5.13", "@storybook/addon-docs@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-docs/-/addon-docs-6.5.13.tgz#fd82893946b0fa6f0657f16bf6a94637ab4b7532" - integrity sha512-RG/NjsheD9FixZ789RJlNyNccaR2Cuy7CtAwph4oUNi3aDFjtOI8Oe9L+FOT7qtVnZLw/YMjF+pZxoDqJNKLPw== +"@storybook/addon-docs@6.5.14", "@storybook/addon-docs@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-docs/-/addon-docs-6.5.14.tgz#5df8bd132890828320cfb5b4769f098142e57a4c" + integrity sha512-gapuzDY+dqgS4/Ap9zj5L76OSExBYtVNYej9xTiF+v0Gh4/kty9FIGlVWiqskffOmixL4nlyImpfsSH8V0JnCw== dependencies: "@babel/plugin-transform-react-jsx" "^7.12.12" "@babel/preset-env" "^7.12.11" "@jest/transform" "^26.6.2" "@mdx-js/react" "^1.6.22" - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-common" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-common" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/docs-tools" "6.5.13" + "@storybook/docs-tools" "6.5.14" "@storybook/mdx1-csf" "^0.0.1" - "@storybook/node-logger" "6.5.13" - "@storybook/postinstall" "6.5.13" - "@storybook/preview-web" "6.5.13" - "@storybook/source-loader" "6.5.13" - "@storybook/store" "6.5.13" - "@storybook/theming" "6.5.13" + "@storybook/node-logger" "6.5.14" + "@storybook/postinstall" "6.5.14" + "@storybook/preview-web" "6.5.14" + "@storybook/source-loader" "6.5.14" + "@storybook/store" "6.5.14" + "@storybook/theming" "6.5.14" babel-loader "^8.0.0" core-js "^3.8.2" fast-deep-equal "^3.1.3" @@ -5262,23 +5262,23 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/addon-essentials@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-essentials/-/addon-essentials-6.5.13.tgz#274b8e6b556af4cd43b63fab361fa7d19c704e76" - integrity sha512-G9FVAWV7ixjVLWeLgIX+VT90tcAk6yQxfZQegfg5ucRilGysJCDaNnoab4xuuvm1R40TfFhba3iAGZtQYsddmw== - dependencies: - "@storybook/addon-actions" "6.5.13" - "@storybook/addon-backgrounds" "6.5.13" - "@storybook/addon-controls" "6.5.13" - "@storybook/addon-docs" "6.5.13" - "@storybook/addon-measure" "6.5.13" - "@storybook/addon-outline" "6.5.13" - "@storybook/addon-toolbars" "6.5.13" - "@storybook/addon-viewport" "6.5.13" - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/core-common" "6.5.13" - "@storybook/node-logger" "6.5.13" +"@storybook/addon-essentials@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-essentials/-/addon-essentials-6.5.14.tgz#f0fb5738878e62d58dc9ce0e9305aa7b4488ff8c" + integrity sha512-6fmfDHbp1y/hF0GU0W95RLw4rzN3KGcEcpAZ8HbgTyXIF528j0hhlvkD5AjnQ5dVarlHdKAtMRZA9Y3OCEZD6A== + dependencies: + "@storybook/addon-actions" "6.5.14" + "@storybook/addon-backgrounds" "6.5.14" + "@storybook/addon-controls" "6.5.14" + "@storybook/addon-docs" "6.5.14" + "@storybook/addon-measure" "6.5.14" + "@storybook/addon-outline" "6.5.14" + "@storybook/addon-toolbars" "6.5.14" + "@storybook/addon-viewport" "6.5.14" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/core-common" "6.5.14" + "@storybook/node-logger" "6.5.14" core-js "^3.8.2" regenerator-runtime "^0.13.7" ts-dedent "^2.0.0" @@ -5300,48 +5300,48 @@ react-lifecycles-compat "^3.0.4" react-select "^3.2.0" -"@storybook/addon-measure@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-measure/-/addon-measure-6.5.13.tgz#05c0e9813fee84a13ba1172444ea99ee083acdbd" - integrity sha512-pi5RFB9YTnESRFtYHAVRUrgEI5to0TFc4KndtwcCKt1fMJ8OFjXQeznEfdj95PFeUvW5TNUwjL38vK4LhicB+g== +"@storybook/addon-measure@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-measure/-/addon-measure-6.5.14.tgz#3dc5989dd540d23992eadc35e91e6d3a5122c97e" + integrity sha512-7JH35z7NRaNiOMYIG+tJQrQdV2fdURUK94g9x58rNBT4GCtXTclFvhWiwKHHT2CnM8xdYuKGMt3DY9U0urq3Gg== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" core-js "^3.8.2" global "^4.4.0" -"@storybook/addon-outline@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-outline/-/addon-outline-6.5.13.tgz#e4233e7d268cd0e1b814c253e8756fb459a341bf" - integrity sha512-8d8taPheO/tryflzXbj2QRuxHOIS8CtzRzcaglCcioqHEMhOIDOx9BdXKdheq54gdk/UN94HdGJUoVxYyXwZ4Q== +"@storybook/addon-outline@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-outline/-/addon-outline-6.5.14.tgz#b14fe67e90efc2757f406f01841f63686b8f3c41" + integrity sha512-eXkkRmSxfPIcztfcLxGO1Cj61Ohx4qKuYSjNh25CRc+HYbBjQkWyxOXZP+x4Ritx4IuQsgWiCJJO3/zdgXLRgw== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" core-js "^3.8.2" global "^4.4.0" regenerator-runtime "^0.13.7" ts-dedent "^2.0.0" -"@storybook/addon-storyshots@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-storyshots/-/addon-storyshots-6.5.13.tgz#7c9e4bb64a26221a374d9e84d35d9c1fba7cdad1" - integrity sha512-K8t3wB1wD6NrPebdMoG4gXltr26BI2HeQjGo3sVG8B+RNBxJo7leVkCqsTel2qsECiENcr8EFGWclxRgGHuRog== +"@storybook/addon-storyshots@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-storyshots/-/addon-storyshots-6.5.14.tgz#b8c083e0f327d406527eef0c90adb68f09ce6973" + integrity sha512-BSYt+GyMeTlxCwMNVwsmfetKjeIZVVRFdhvtyTuSf9MvikBq+SXw6IihkeWbX2g6pssCz9Wc+s6rRK/HJpqTlA== dependencies: "@jest/transform" "^26.6.2" - "@storybook/addons" "6.5.13" + "@storybook/addons" "6.5.14" "@storybook/babel-plugin-require-context-hook" "1.0.1" - "@storybook/client-api" "6.5.13" - "@storybook/core" "6.5.13" - "@storybook/core-client" "6.5.13" - "@storybook/core-common" "6.5.13" + "@storybook/client-api" "6.5.14" + "@storybook/core" "6.5.14" + "@storybook/core-client" "6.5.14" + "@storybook/core-common" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" "@types/glob" "^7.1.3" "@types/jest" "^26.0.16" @@ -5357,65 +5357,65 @@ regenerator-runtime "^0.13.7" ts-dedent "^2.0.0" -"@storybook/addon-toolbars@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-toolbars/-/addon-toolbars-6.5.13.tgz#0e67552786f08a6c0a443eaaef21ee565acca839" - integrity sha512-Qgr4wKRSP+gY1VaN7PYT4TM1um7KY341X3GHTglXLFHd8nDsCweawfV2shaX3WxCfZmVro8g4G+Oest30kLLCw== +"@storybook/addon-toolbars@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-toolbars/-/addon-toolbars-6.5.14.tgz#200bb8cfc771bb8d14c61d7810b02765a473458e" + integrity sha512-BZGQ9YadVRtSd5mpmrwnJta0wK1leX/vgziJX4gUKX2A5JX7VWsiswUGVukLVtE9Oa1jp3fJXE3O5Ip9moj0Ag== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/theming" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/theming" "6.5.14" core-js "^3.8.2" regenerator-runtime "^0.13.7" -"@storybook/addon-viewport@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addon-viewport/-/addon-viewport-6.5.13.tgz#97771ed2f4ca1bef83d25174ce07db8557cdf795" - integrity sha512-KSfeuCSIjncwWGnUu6cZBx8WNqYvm5gHyFvkSPKEu0+MJtgncbUy7pl53lrEEr6QmIq0GRXvS3A0XzV8RCnrSA== - dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-events" "6.5.13" - "@storybook/theming" "6.5.13" +"@storybook/addon-viewport@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addon-viewport/-/addon-viewport-6.5.14.tgz#992cc3a61cd231a6c5cdb76c9c206aad8d1ffdfb" + integrity sha512-QtcQZe5ahWcMr4oRgfjeCIJtweTitArc8x1cDfS8maEEy965JJGjrR9xBIOLaw6IEiRtBuvrewYAWbRLLsUE+g== + dependencies: + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-events" "6.5.14" + "@storybook/theming" "6.5.14" core-js "^3.8.2" global "^4.4.0" memoizerific "^1.11.3" prop-types "^15.7.2" regenerator-runtime "^0.13.7" -"@storybook/addons@6.5.13", "@storybook/addons@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.5.13.tgz#61ec5eab07879400d423d60bb397880d10ee5e73" - integrity sha512-18CqzNnrGMfeZtiKz+R/3rHtSNnfNwz6y6prIQIbWseK16jY8ELTfIFGviwO5V2OqpbHDQi5+xQQ63QAIb89YA== +"@storybook/addons@6.5.14", "@storybook/addons@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.5.14.tgz#855ddd85533ffa596b7684f3df7b91b833fdf3f7" + integrity sha512-8wVy1eDKipj+dmWpVmmPa1p2jYVqDvrkWll4IsP/KU7AYFCiyCiVAd1ZPDv9EhDnwArfYYjrdJjAl6gmP0UMag== dependencies: - "@storybook/api" "6.5.13" - "@storybook/channels" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/api" "6.5.14" + "@storybook/channels" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/router" "6.5.13" - "@storybook/theming" "6.5.13" + "@storybook/router" "6.5.14" + "@storybook/theming" "6.5.14" "@types/webpack-env" "^1.16.0" core-js "^3.8.2" global "^4.4.0" regenerator-runtime "^0.13.7" -"@storybook/api@6.5.13", "@storybook/api@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/api/-/api-6.5.13.tgz#8671e580721ff68d209fcde2975f967ae79b7d64" - integrity sha512-xVSmB7/IuFd6G7eiJjbI2MuS7SZunoUM6d+YCWpjiehfMeX47MXt1gZtOwFrgJC1ShZlefXFahq/dvxwtmWs+w== +"@storybook/api@6.5.14", "@storybook/api@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/api/-/api-6.5.14.tgz#e0caaee2d8634857ac428acc93db62aba744c1c1" + integrity sha512-RpgEWV4mxD1mNsGWkjSNq3+B/LFNIhXZc4OapEEK5u0jgCZKB7OCsRL9NJZB5WfpyN+vx8SwbUTgo8DIkes3qw== dependencies: - "@storybook/channels" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/channels" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/router" "6.5.13" + "@storybook/router" "6.5.14" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.5.13" + "@storybook/theming" "6.5.14" core-js "^3.8.2" fast-deep-equal "^3.1.3" global "^4.4.0" @@ -5432,28 +5432,28 @@ resolved "https://registry.yarnpkg.com/@storybook/babel-plugin-require-context-hook/-/babel-plugin-require-context-hook-1.0.1.tgz#0a4ec9816f6c7296ebc97dd8de3d2b7ae76f2e26" integrity sha512-WM4vjgSVi8epvGiYfru7BtC3f0tGwNs7QK3Uc4xQn4t5hHQvISnCqbNrHdDYmNW56Do+bBztE8SwP6NGUvd7ww== -"@storybook/builder-webpack4@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/builder-webpack4/-/builder-webpack4-6.5.13.tgz#35b22c49562d72934a0bc311657989f3b43be575" - integrity sha512-Agqy3IKPv3Nl8QqdS7PjtqLp+c0BD8+/3A2ki/YfKqVz+F+J34EpbZlh3uU053avm1EoNQHSmhZok3ZlWH6O7A== +"@storybook/builder-webpack4@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/builder-webpack4/-/builder-webpack4-6.5.14.tgz#ff9e1f7b08c112462596ca9a30ce935669147894" + integrity sha512-0pv8BlsMeiP9VYU2CbCZaa3yXDt1ssb8OeTRDbFC0uFFb3eqslsH68I7XsC8ap/dr0RZR0Edtw0OW3HhkjUXXw== dependencies: "@babel/core" "^7.12.10" - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/channel-postmessage" "6.5.13" - "@storybook/channels" "6.5.13" - "@storybook/client-api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-common" "6.5.13" - "@storybook/core-events" "6.5.13" - "@storybook/node-logger" "6.5.13" - "@storybook/preview-web" "6.5.13" - "@storybook/router" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/channel-postmessage" "6.5.14" + "@storybook/channels" "6.5.14" + "@storybook/client-api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-common" "6.5.14" + "@storybook/core-events" "6.5.14" + "@storybook/node-logger" "6.5.14" + "@storybook/preview-web" "6.5.14" + "@storybook/router" "6.5.14" "@storybook/semver" "^7.3.2" - "@storybook/store" "6.5.13" - "@storybook/theming" "6.5.13" - "@storybook/ui" "6.5.13" + "@storybook/store" "6.5.14" + "@storybook/theming" "6.5.14" + "@storybook/ui" "6.5.14" "@types/node" "^14.0.10 || ^16.0.0" "@types/webpack" "^4.41.26" autoprefixer "^9.8.6" @@ -5485,51 +5485,51 @@ webpack-hot-middleware "^2.25.1" webpack-virtual-modules "^0.2.2" -"@storybook/channel-postmessage@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/channel-postmessage/-/channel-postmessage-6.5.13.tgz#cdb36cf4180bd75687c0c4ec75248044ac975828" - integrity sha512-R79MBs0mQ7TV8M/a6x/SiTRyvZBidDfMEEthG7Cyo9p35JYiKOhj2535zhW4qlVMESBu95pwKYBibTjASoStPw== +"@storybook/channel-postmessage@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/channel-postmessage/-/channel-postmessage-6.5.14.tgz#17d6071b3563819092ef3e18f8ca7946c2532823" + integrity sha512-0Cmdze5G3Qwxf7yYPGlJxGiY+KiEUQ+8GfpohsKGfvrP8cfSrx6VhxupHA7hDNyRh75hqZq5BrkW4HO9Ypbt5A== dependencies: - "@storybook/channels" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/channels" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core-events" "6.5.14" core-js "^3.8.2" global "^4.4.0" qs "^6.10.0" telejson "^6.0.8" -"@storybook/channel-websocket@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/channel-websocket/-/channel-websocket-6.5.13.tgz#b7a55149295a77004bb156a4ceefc44839f52bb3" - integrity sha512-kwh667H+tzCiNvs92GNwYOwVXdj9uHZyieRAN5rJtTBJ7XgLzGkpTEU50mWlbc0nDKhgE0qYvzyr5H393Iy5ug== +"@storybook/channel-websocket@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/channel-websocket/-/channel-websocket-6.5.14.tgz#8b24fcf61a32623f2d03c6f3f962fc24855cff6e" + integrity sha512-ZyDL5PBFWuFQ15NBljhbOaD/3FAijXvLj5oxfNris2khdkqlP6/8JmcIvfohJJcqepGZHUF9H29OaUsRC35ftA== dependencies: - "@storybook/channels" "6.5.13" - "@storybook/client-logger" "6.5.13" + "@storybook/channels" "6.5.14" + "@storybook/client-logger" "6.5.14" core-js "^3.8.2" global "^4.4.0" telejson "^6.0.8" -"@storybook/channels@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/channels/-/channels-6.5.13.tgz#f3f86b90a7832484ee3dcbc6845f5a47f62f028f" - integrity sha512-sGYSilE30bz0jG+HdHnkv0B4XkAv2hP+KRZr4xmnv+MOOQpRnZpJ5Z3HVU16s17cj/83NWihKj6BuKcEVzyilg== +"@storybook/channels@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/channels/-/channels-6.5.14.tgz#dcb73496a771dafb77a9e25dce2ba1adaa352df9" + integrity sha512-hHpr4Sya6fuEDhy7vnfD2QnL5wy1CaAK9BC0FLupndXnQyKJtygfIaUP4a0B2KntuNPbzPhclb2Hb4yM7CExmQ== dependencies: core-js "^3.8.2" ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/client-api@6.5.13", "@storybook/client-api@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/client-api/-/client-api-6.5.13.tgz#0bd89339c08898e0409c5a1dd719ed4807b400cb" - integrity sha512-uH1mAWbidPiuuTdMUVEiuaNOfrYXm+9QLSP1MMYTKULqEOZI5MSOGkEDqRfVWxbYv/iWBOPTQ+OM9TQ6ecYacg== +"@storybook/client-api@6.5.14", "@storybook/client-api@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/client-api/-/client-api-6.5.14.tgz#57a660810165126cdf3380cd04bf6c5f027eab5c" + integrity sha512-G5mBQCKn8/VqE9XDCL19ixcvu8YhaQZ0AE+EXGYXUsvPpyQ43oGoGJry5IqOzeRlc7dbglFWpMkB6PeeUD7aCw== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/channel-postmessage" "6.5.13" - "@storybook/channels" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/channel-postmessage" "6.5.14" + "@storybook/channels" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/store" "6.5.13" + "@storybook/store" "6.5.14" "@types/qs" "^6.9.5" "@types/webpack-env" "^1.16.0" core-js "^3.8.2" @@ -5544,43 +5544,43 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/client-logger@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/client-logger/-/client-logger-6.5.13.tgz#83f332dd9bb4ff1696d16b0cc24561df90905264" - integrity sha512-F2SMW3LWFGXLm2ENTwTitrLWJgmMXRf3CWQXdN2EbkNCIBHy5Zcbt+91K4OX8e2e5h9gjGfrdYbyYDYOoUCEfA== +"@storybook/client-logger@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/client-logger/-/client-logger-6.5.14.tgz#ec178f31e70969ae22399ce4207c05e4f1d480a8" + integrity sha512-r1pY69DGKzX9/GngkudthaaPxPlka16zjG7Y58psunwcoUuH3riAP1cjqhXt5+S8FKCNI/MGb82PLlCPX2Liuw== dependencies: core-js "^3.8.2" global "^4.4.0" -"@storybook/components@6.5.13", "@storybook/components@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.5.13.tgz#a05fc969458760b348d640f26c2cad310ab35030" - integrity sha512-6Hhx70JK5pGfKCkqMU4yq/BBH+vRTmzj7tZKfPwba+f8VmTMoOr/2ysTQFRtXryiHB6Z15xBYgfq5x2pIwQzLQ== +"@storybook/components@6.5.14", "@storybook/components@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.5.14.tgz#e4d35b689674a16d88d0d16f50319865387497dd" + integrity sha512-wqB9CF3sjxtgffnDW1G/W5SsKumsFQ0ftn/3PdrsvKULu5LM5bjNEqC2cTCWrk9vQhj+EVQxzdVM/BlPl/lSwg== dependencies: - "@storybook/client-logger" "6.5.13" + "@storybook/client-logger" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/theming" "6.5.13" + "@storybook/theming" "6.5.14" core-js "^3.8.2" memoizerific "^1.11.3" qs "^6.10.0" regenerator-runtime "^0.13.7" util-deprecate "^1.0.2" -"@storybook/core-client@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/core-client/-/core-client-6.5.13.tgz#5e2a155af5773c4211a0e1fcd72e0cefea52b7ae" - integrity sha512-YuELbRokTBdqjbx/R4/7O4rou9kvbBIOJjlUkor9hdLLuJ3P0yGianERGNkZFfvcfMBAxU0p52o7QvDldSR3kA== - dependencies: - "@storybook/addons" "6.5.13" - "@storybook/channel-postmessage" "6.5.13" - "@storybook/channel-websocket" "6.5.13" - "@storybook/client-api" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core-events" "6.5.13" +"@storybook/core-client@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/core-client/-/core-client-6.5.14.tgz#ff8bd155750ca4644dba7e8ac53ed3ad1c414bda" + integrity sha512-d5mUgz1xSvrAdal8XKI5YOZOM/XUly90vis3DboeZRO58qSp+NH5xFYIBBED5qefDgmGU0Yv4rXHQlph96LSHQ== + dependencies: + "@storybook/addons" "6.5.14" + "@storybook/channel-postmessage" "6.5.14" + "@storybook/channel-websocket" "6.5.14" + "@storybook/client-api" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/preview-web" "6.5.13" - "@storybook/store" "6.5.13" - "@storybook/ui" "6.5.13" + "@storybook/preview-web" "6.5.14" + "@storybook/store" "6.5.14" + "@storybook/ui" "6.5.14" airbnb-js-shims "^2.2.1" ansi-to-html "^0.6.11" core-js "^3.8.2" @@ -5592,10 +5592,10 @@ unfetch "^4.2.0" util-deprecate "^1.0.2" -"@storybook/core-common@6.5.13", "@storybook/core-common@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/core-common/-/core-common-6.5.13.tgz#941fe2aea3326c2d524d095870a4150b9f9b1845" - integrity sha512-+DVZrRsteE9pw0X5MNffkdBgejQnbnL+UOG3qXkE9xxUamQALnuqS/w1BzpHE9WmOHuf7RWMKflyQEW3OLKAJg== +"@storybook/core-common@6.5.14", "@storybook/core-common@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/core-common/-/core-common-6.5.14.tgz#162f321d0c3011ece84b324f584c641c474e20d9" + integrity sha512-MrxhYXYrtN6z/+tydjPkCIwDQm5q8Jx+w4TPdLKBZu7vzfp6T3sT12Ym96j9MJ42CvE4vSDl/Njbw6C0D+yEVw== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-proposal-class-properties" "^7.12.1" @@ -5619,7 +5619,7 @@ "@babel/preset-react" "^7.12.10" "@babel/preset-typescript" "^7.12.7" "@babel/register" "^7.12.1" - "@storybook/node-logger" "6.5.13" + "@storybook/node-logger" "6.5.14" "@storybook/semver" "^7.3.2" "@types/node" "^14.0.10 || ^16.0.0" "@types/pretty-hrtime" "^1.0.0" @@ -5648,30 +5648,30 @@ util-deprecate "^1.0.2" webpack "4" -"@storybook/core-events@6.5.13", "@storybook/core-events@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/core-events/-/core-events-6.5.13.tgz#a8c0cc92694f09981ca6501d5c5ef328db18db8a" - integrity sha512-kL745tPpRKejzHToA3/CoBNbI+NPRVk186vGxXBmk95OEg0TlwgQExP8BnqEtLlRZMbW08e4+6kilc1M1M4N5w== +"@storybook/core-events@6.5.14", "@storybook/core-events@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/core-events/-/core-events-6.5.14.tgz#5b4f94d336cd14f0e8e213a0f3cf9a098c45d1dc" + integrity sha512-PLu0M8Mqt9ruN5RupgcFKHEybiSm3CdWQyylWO5FRGg+WZV3BCm0aI8ujvO1GAm+YEi57Lull+M9d6NUycTpRg== dependencies: core-js "^3.8.2" -"@storybook/core-server@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/core-server/-/core-server-6.5.13.tgz#5f0f13b73122f73b9d27962616815305da2a5b28" - integrity sha512-vs7tu3kAnFwuINio1p87WyqDNlFyZESmeh9s7vvrZVbe/xS/ElqDscr9DT5seW+jbtxufAaHsx+JUTver1dheQ== +"@storybook/core-server@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/core-server/-/core-server-6.5.14.tgz#ba9ca39b41879aa657c524e3c0ac4c7b1abe9bbd" + integrity sha512-+Z3lHEsDpiBXt6xBwU5AVBoEkicndnHoiLwhEGPkfixy7POYEEny3cm54tteVxV8O5AHMwsHs54/QD+hHxAXnQ== dependencies: "@discoveryjs/json-ext" "^0.5.3" - "@storybook/builder-webpack4" "6.5.13" - "@storybook/core-client" "6.5.13" - "@storybook/core-common" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/builder-webpack4" "6.5.14" + "@storybook/core-client" "6.5.14" + "@storybook/core-common" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/csf-tools" "6.5.13" - "@storybook/manager-webpack4" "6.5.13" - "@storybook/node-logger" "6.5.13" + "@storybook/csf-tools" "6.5.14" + "@storybook/manager-webpack4" "6.5.14" + "@storybook/node-logger" "6.5.14" "@storybook/semver" "^7.3.2" - "@storybook/store" "6.5.13" - "@storybook/telemetry" "6.5.13" + "@storybook/store" "6.5.14" + "@storybook/telemetry" "6.5.14" "@types/node" "^14.0.10 || ^16.0.0" "@types/node-fetch" "^2.5.7" "@types/pretty-hrtime" "^1.0.0" @@ -5706,18 +5706,18 @@ ws "^8.2.3" x-default-browser "^0.4.0" -"@storybook/core@6.5.13", "@storybook/core@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/core/-/core-6.5.13.tgz#4c657c5d8d243f1187dad8763a275d555426957e" - integrity sha512-kw1lCgbsxzUimGww6t5rmuWJmFPe9kGGyzIqvj4RC4BBcEsP40LEu9XhSfvnb8vTOLIULFZeZpdRFfJs4TYbUw== +"@storybook/core@6.5.14", "@storybook/core@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/core/-/core-6.5.14.tgz#8fa21c7539e2ffe8f9601d9542b0e627f7f9a349" + integrity sha512-5rjwZXk++NkKWCmHt/CC+h2L4ZbOYkLJpMmaB97CwgQCA6kaF8xuJqlAwG72VUH3oV+6RntW02X6/ypgX1atPw== dependencies: - "@storybook/core-client" "6.5.13" - "@storybook/core-server" "6.5.13" + "@storybook/core-client" "6.5.14" + "@storybook/core-server" "6.5.14" -"@storybook/csf-tools@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/csf-tools/-/csf-tools-6.5.13.tgz#cb5cd26083a594bf31b19a66a250ad94863822f6" - integrity sha512-63Ev+VmBqzwSwfUzbuXOLKBD5dMTK2zBYLQ9anTVw70FuTikwTsGIbPgb098K0vsxRCgxl7KM7NpivHqtZtdjw== +"@storybook/csf-tools@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/csf-tools/-/csf-tools-6.5.14.tgz#fe36c8570c1f9e27aa4536f09a729a61598a1255" + integrity sha512-PgCKgyfD6UD9aNilDxmKJRbCZwcZl8t8Orb6+vVGuzB5f0BV92NqnHS4sgAlFoZ+iqcQGUEU9vRIdUxNcyItaw== dependencies: "@babel/core" "^7.12.10" "@babel/generator" "^7.12.11" @@ -5748,33 +5748,33 @@ dependencies: lodash "^4.17.15" -"@storybook/docs-tools@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/docs-tools/-/docs-tools-6.5.13.tgz#00c7041ac7bc827d12731face909351a5af0cb3f" - integrity sha512-hB+hk+895ny4SW84j3X5iV55DHs3bCfTOp7cDdcZJdQrlm0wuDb4A6d4ffNC7ZLh9VkUjU6ST4VEV5Bb0Cptow== +"@storybook/docs-tools@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/docs-tools/-/docs-tools-6.5.14.tgz#68d9c156cdc80a906570807f1d116be103032656" + integrity sha512-qA0UWvrZ7XyIWD+01NGHiiGPSbfercrxjphM9wHgF6KrO6e5iykNKIEL4elsM+EV4szfhlalQdtpnwM7WtXODA== dependencies: "@babel/core" "^7.12.10" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/store" "6.5.13" + "@storybook/store" "6.5.14" core-js "^3.8.2" doctrine "^3.0.0" lodash "^4.17.21" regenerator-runtime "^0.13.7" -"@storybook/manager-webpack4@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/manager-webpack4/-/manager-webpack4-6.5.13.tgz#73350ac3e8a10494158df3c1ea01dd7f329bec8e" - integrity sha512-pURzS5W3XM0F7bCBWzpl7TRsuy+OXFwLXiWLaexuvo0POZe31Ueo2A1R4rx3MT5Iee8O9mYvG2XTmvK9MlLefQ== +"@storybook/manager-webpack4@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/manager-webpack4/-/manager-webpack4-6.5.14.tgz#92cd3d34b9e28d7edd215b1e79b1f0757fb66eba" + integrity sha512-ixfJuaG0eiOlxn4i+LJNRUZkm+3WMsiaGUm0hw2XHF0pW3cBIA/+HyzkEwVh/fROHbsOERTkjNl0Ygl12Imw9w== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-transform-template-literals" "^7.12.1" "@babel/preset-react" "^7.12.10" - "@storybook/addons" "6.5.13" - "@storybook/core-client" "6.5.13" - "@storybook/core-common" "6.5.13" - "@storybook/node-logger" "6.5.13" - "@storybook/theming" "6.5.13" - "@storybook/ui" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/core-client" "6.5.14" + "@storybook/core-common" "6.5.14" + "@storybook/node-logger" "6.5.14" + "@storybook/theming" "6.5.14" + "@storybook/ui" "6.5.14" "@types/node" "^14.0.10 || ^16.0.0" "@types/webpack" "^4.41.26" babel-loader "^8.0.0" @@ -5819,10 +5819,10 @@ prettier ">=2.2.1 <=2.3.0" ts-dedent "^2.0.0" -"@storybook/node-logger@6.5.13", "@storybook/node-logger@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/node-logger/-/node-logger-6.5.13.tgz#f4833ae220efe841747c4fead26419d6625af8d9" - integrity sha512-/r5aVZAqZRoy5FyNk/G4pj7yKJd3lJfPbAaOHVROv2IF7PJP/vtRaDkcfh0g2U6zwuDxGIqSn80j+qoEli9m5A== +"@storybook/node-logger@6.5.14", "@storybook/node-logger@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/node-logger/-/node-logger-6.5.14.tgz#5d85c475c0afd4124f86fae559bcb35db92f35b2" + integrity sha512-MbEEgUEfrDN8Y0vzZJqPcxwWvX0l8zAsXy6d/DORP2AmwuNmnWTy++BE9YhxH6HMdM1ivRDmBbT30+KBUWhnUA== dependencies: "@types/npmlog" "^4.1.2" chalk "^4.1.0" @@ -5830,24 +5830,24 @@ npmlog "^5.0.1" pretty-hrtime "^1.0.3" -"@storybook/postinstall@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/postinstall/-/postinstall-6.5.13.tgz#b57b68682b853fd451061c06becd1eff18a75cf8" - integrity sha512-qmqP39FGIP5NdhXC5IpAs9cFoYx9fg1psoQKwb9snYb98eVQU31uHc1W2MBUh3lG4AjAm7pQaXJci7ti4jOh3g== +"@storybook/postinstall@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/postinstall/-/postinstall-6.5.14.tgz#492d45008c39c4274dfc1a69ef5f31981e913f99" + integrity sha512-vtnQczSSkz7aPIc2dsDaZWlCDAcJb258KGXk72w7MEY9/zLlr6tdQLI30B6SkRNFnR8fQQf4H2gbFq/GM0EF5A== dependencies: core-js "^3.8.2" -"@storybook/preview-web@6.5.13", "@storybook/preview-web@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/preview-web/-/preview-web-6.5.13.tgz#332cac4c95e3fd760c9eb8448dfa50fdb3b6255b" - integrity sha512-GNNYVzw4SmRua3dOc52Ye6Us4iQbq5GKQ56U3iwnzZM3TBdJB+Rft94Fn1/pypHujEHS8hl5Xgp9td6C1lLCow== +"@storybook/preview-web@6.5.14", "@storybook/preview-web@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/preview-web/-/preview-web-6.5.14.tgz#acfd5e3ba72a00405f9ad5925a9a7844b36602c4" + integrity sha512-ey2E7222xw0itPgCWH7ZIrdgM1yCdYte/QxRvwv/O4us4SUs/RQaL1aoCD+hCRwd0BNyZUk/u1KnqB4y0MnHww== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/channel-postmessage" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/channel-postmessage" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/store" "6.5.13" + "@storybook/store" "6.5.14" ansi-to-html "^0.6.11" core-js "^3.8.2" global "^4.4.0" @@ -5885,24 +5885,24 @@ react-docgen-typescript "^2.0.0" tslib "^2.0.0" -"@storybook/react@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/react/-/react-6.5.13.tgz#9b02c4515b6c6a13ce92f1bb4869c20c8ae05dfa" - integrity sha512-4gO8qihEkVZ8RNm9iQd7G2iZz4rRAHizJ6T5m58Sn21fxfyg9zAMzhgd0JzXuPXR8lTTj4AvRyPv1Qx7b43smg== +"@storybook/react@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/react/-/react-6.5.14.tgz#9e5a93958c410c3f9d21374e30f68ac2960a9c91" + integrity sha512-SL0P5czN3g/IZAYw8ur9I/O8MPZI7Lyd46Pw+B1f7+Ou8eLmhqa8Uc8+3fU6v7ohtUDwsBiTsg3TAfTVEPog4A== dependencies: "@babel/preset-flow" "^7.12.1" "@babel/preset-react" "^7.12.10" "@pmmmwh/react-refresh-webpack-plugin" "^0.5.3" - "@storybook/addons" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core" "6.5.13" - "@storybook/core-common" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core" "6.5.14" + "@storybook/core-common" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" - "@storybook/docs-tools" "6.5.13" - "@storybook/node-logger" "6.5.13" + "@storybook/docs-tools" "6.5.14" + "@storybook/node-logger" "6.5.14" "@storybook/react-docgen-typescript-plugin" "1.0.2-canary.6.9d540b91e815f8fc2f8829189deb00553559ff63.0" "@storybook/semver" "^7.3.2" - "@storybook/store" "6.5.13" + "@storybook/store" "6.5.14" "@types/estree" "^0.0.51" "@types/node" "^14.14.20 || ^16.0.0" "@types/webpack-env" "^1.16.0" @@ -5926,12 +5926,12 @@ util-deprecate "^1.0.2" webpack ">=4.43.0 <6.0.0" -"@storybook/router@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/router/-/router-6.5.13.tgz#c8bfed96f2343b097d416cfc95194038365fce94" - integrity sha512-sf5aogfirH5ucD0d0hc2mKf2iyWsZsvXhr5kjxUQmgkcoflkGUWhc34sbSQVRQ1i8K5lkLIDH/q2s1Zr2SbzhQ== +"@storybook/router@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/router/-/router-6.5.14.tgz#8cb959c8cfece2a948cd6a4e14ac0fa1cece3095" + integrity sha512-AvHbpRUAHnzm5pmwFPjDR09uPjQITD6kA0QNa2pe+7/Q/b4k40z5dHvHZJ/YhWhwVwGqGBG20KdDOl30wLXAZw== dependencies: - "@storybook/client-logger" "6.5.13" + "@storybook/client-logger" "6.5.14" core-js "^3.8.2" memoizerific "^1.11.3" qs "^6.10.0" @@ -5945,30 +5945,30 @@ core-js "^3.6.5" find-up "^4.1.0" -"@storybook/source-loader@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/source-loader/-/source-loader-6.5.13.tgz#40e6e42888b8c12b43a505ffa6c6f1f2cebb0b0d" - integrity sha512-tHuM8PfeB/0m+JigbaFp+Ld0euFH+fgOObH2W9rjEXy5vnwmaeex/JAdCprv4oL+LcDQEERqNULUUNIvbcTPAg== +"@storybook/source-loader@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/source-loader/-/source-loader-6.5.14.tgz#cf4e78166a40edd7dd3df3563face750f70c29df" + integrity sha512-0GKMZ6IMVGxfQn/RYdRdnzxCe4+zZsxHBY9SQB2bbYWyfjJQ5rCJvmYQuMAuuuUmXBv9gk50iJLwai+lb4tbFg== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/client-logger" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/client-logger" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" core-js "^3.8.2" estraverse "^5.2.0" global "^4.4.0" - loader-utils "^2.0.0" + loader-utils "^2.0.4" lodash "^4.17.21" prettier ">=2.2.1 <=2.3.0" regenerator-runtime "^0.13.7" -"@storybook/store@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/store/-/store-6.5.13.tgz#0281bdf0e24c880f85ea75ae47b6a84e8545b5f8" - integrity sha512-GG6lm+8fBX1tNUnX7x3raBOjYhhf14bPWLtYiPlxDTFEMs3sJte7zWKZq6NQ79MoBLL6jjzTeolBfDCBw6fiWQ== +"@storybook/store@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/store/-/store-6.5.14.tgz#92b67aac8c6a55beff934e135937a1c6e1e77879" + integrity sha512-s07Vw4nbShPYwBJmVXzptuyCkrDQD3khcrKB5L7NsHHgWsm2QI0OyiPMuMbSvgipjcMc/oRqdL3tFUeFak9EMg== dependencies: - "@storybook/addons" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/core-events" "6.5.13" + "@storybook/addons" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/core-events" "6.5.14" "@storybook/csf" "0.0.2--canary.4566f4d.1" core-js "^3.8.2" fast-deep-equal "^3.1.3" @@ -5982,13 +5982,13 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/telemetry@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/telemetry/-/telemetry-6.5.13.tgz#a190001f679ce7899c72b53710765685281fe567" - integrity sha512-PFJEfGbunmfFWabD3rdCF8EHH+45578OHOkMPpXJjqXl94vPQxUH2XTVKQgEQJbYrgX0Vx9Z4tSkdMHuzYDbWQ== +"@storybook/telemetry@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/telemetry/-/telemetry-6.5.14.tgz#b2e8a99ed36fc97451a1f695792a79605b5f7746" + integrity sha512-AVSw7WyKHrVbXMSZZ0fvg3oAb8xAS7OrmNU6++yUfbuqpF0JNtNkNnRSaJ4Nh7Vujzloy5jYhbpfY44nb/hsCw== dependencies: - "@storybook/client-logger" "6.5.13" - "@storybook/core-common" "6.5.13" + "@storybook/client-logger" "6.5.14" + "@storybook/core-common" "6.5.14" chalk "^4.1.0" core-js "^3.8.2" detect-package-manager "^2.0.1" @@ -6007,30 +6007,30 @@ dependencies: "@storybook/csf" "0.0.2--canary.87bc651.0" -"@storybook/theming@6.5.13", "@storybook/theming@^6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/theming/-/theming-6.5.13.tgz#3f905eb9f72ddc28d096384290999057987f3083" - integrity sha512-oif5NGFAUQhizo50r+ctw2hZNLWV4dPHai+L/gFvbaSeRBeHSNkIcMoZ2FlrO566HdGZTDutYXcR+xus8rI28g== +"@storybook/theming@6.5.14", "@storybook/theming@^6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/theming/-/theming-6.5.14.tgz#4cc7e568b9641112f35abe0606cc6925952cb647" + integrity sha512-3ff6RLZGaIil/AFJ0/BRlE2hhdPrC5v6wGbRfroZVmGldRCxio/7+KAA3LH6cuHnjK5MeBcCBaHuxzXqGmbEFw== dependencies: - "@storybook/client-logger" "6.5.13" + "@storybook/client-logger" "6.5.14" core-js "^3.8.2" memoizerific "^1.11.3" regenerator-runtime "^0.13.7" -"@storybook/ui@6.5.13": - version "6.5.13" - resolved "https://registry.yarnpkg.com/@storybook/ui/-/ui-6.5.13.tgz#16b25fd839cdafc2b9989c548bc1ffb711b33dee" - integrity sha512-MklJuSg4Bc+MWjwhZVmZhJaucaeEBUMMa2V9oRWbIgZOdRHqdW72S2vCbaarDAYfBQdnfaoq1GkSQiw+EnWOzA== - dependencies: - "@storybook/addons" "6.5.13" - "@storybook/api" "6.5.13" - "@storybook/channels" "6.5.13" - "@storybook/client-logger" "6.5.13" - "@storybook/components" "6.5.13" - "@storybook/core-events" "6.5.13" - "@storybook/router" "6.5.13" +"@storybook/ui@6.5.14": + version "6.5.14" + resolved "https://registry.yarnpkg.com/@storybook/ui/-/ui-6.5.14.tgz#8c03a37917adc0060b077d3acb7f0064ace68083" + integrity sha512-dXlCIULh8ytgdFrvVoheQLlZjAyyYmGCuw+6m+s+2yF/oUbFREG/5Zo9hDwlJ4ZiAyqNLkuwg2tnMYtjapZSog== + dependencies: + "@storybook/addons" "6.5.14" + "@storybook/api" "6.5.14" + "@storybook/channels" "6.5.14" + "@storybook/client-logger" "6.5.14" + "@storybook/components" "6.5.14" + "@storybook/core-events" "6.5.14" + "@storybook/router" "6.5.14" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.5.13" + "@storybook/theming" "6.5.14" core-js "^3.8.2" memoizerific "^1.11.3" qs "^6.10.0" From ebfefa1e4454ccd05c676c66284163a0adecba5a Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Fri, 9 Dec 2022 10:41:53 -0500 Subject: [PATCH 13/20] skip failing test suite (#147292) --- test/functional/apps/visualize/group2/_inspector.ts | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/test/functional/apps/visualize/group2/_inspector.ts b/test/functional/apps/visualize/group2/_inspector.ts index e996c2140718e..3e2b2b566ae29 100644 --- a/test/functional/apps/visualize/group2/_inspector.ts +++ b/test/functional/apps/visualize/group2/_inspector.ts @@ -17,7 +17,8 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { const monacoEditor = getService('monacoEditor'); const PageObjects = getPageObjects(['visualize', 'visEditor', 'visChart', 'timePicker']); - describe('inspector', function describeIndexTests() { + // Failing: See https://github.com/elastic/kibana/issues/147292 + describe.skip('inspector', function describeIndexTests() { before(async function () { await PageObjects.visualize.initTests(); await PageObjects.visualize.navigateToNewAggBasedVisualization(); From e410a90b0ac5e0978fc0911ef3624d47f66c0dc1 Mon Sep 17 00:00:00 2001 From: "renovate[bot]" <29139614+renovate[bot]@users.noreply.github.com> Date: Fri, 9 Dec 2022 10:49:32 -0500 Subject: [PATCH 14/20] Update ftr (main) (#147305) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit [![Mend Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com) This PR contains the following updates: | Package | Change | Age | Adoption | Passing | Confidence | |---|---|---|---|---|---| | [chromedriver](https://togithub.com/giggio/node-chromedriver) | [`^107.0.3` -> `^108.0.0`](https://renovatebot.com/diffs/npm/chromedriver/107.0.3/108.0.0) | [![age](https://badges.renovateapi.com/packages/npm/chromedriver/108.0.0/age-slim)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://badges.renovateapi.com/packages/npm/chromedriver/108.0.0/adoption-slim)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://badges.renovateapi.com/packages/npm/chromedriver/108.0.0/compatibility-slim/107.0.3)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://badges.renovateapi.com/packages/npm/chromedriver/108.0.0/confidence-slim/107.0.3)](https://docs.renovatebot.com/merge-confidence/) | | [selenium-webdriver](https://togithub.com/SeleniumHQ/selenium/tree/trunk/javascript/node/selenium-webdriver#readme) ([source](https://togithub.com/SeleniumHQ/selenium)) | [`^4.6.1` -> `^4.7.0`](https://renovatebot.com/diffs/npm/selenium-webdriver/4.6.1/4.7.0) | [![age](https://badges.renovateapi.com/packages/npm/selenium-webdriver/4.7.0/age-slim)](https://docs.renovatebot.com/merge-confidence/) | [![adoption](https://badges.renovateapi.com/packages/npm/selenium-webdriver/4.7.0/adoption-slim)](https://docs.renovatebot.com/merge-confidence/) | [![passing](https://badges.renovateapi.com/packages/npm/selenium-webdriver/4.7.0/compatibility-slim/4.6.1)](https://docs.renovatebot.com/merge-confidence/) | [![confidence](https://badges.renovateapi.com/packages/npm/selenium-webdriver/4.7.0/confidence-slim/4.6.1)](https://docs.renovatebot.com/merge-confidence/) | --- ### Release Notes
giggio/node-chromedriver ### [`v108.0.0`](https://togithub.com/giggio/node-chromedriver/compare/107.0.3...108.0.0) [Compare Source](https://togithub.com/giggio/node-chromedriver/compare/107.0.3...108.0.0)
SeleniumHQ/selenium ### [`v4.7.0`](https://togithub.com/SeleniumHQ/selenium/compare/7fdaf217b8e58033b7cd01d916e3063c8198a403...0a5b49d16f08308454f0f9204985b84ec5a13918) [Compare Source](https://togithub.com/SeleniumHQ/selenium/compare/7fdaf217b8e58033b7cd01d916e3063c8198a403...0a5b49d16f08308454f0f9204985b84ec5a13918)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 👻 **Immortal**: This PR will be recreated if closed unmerged. Get [config help](https://togithub.com/renovatebot/renovate/discussions) if that's undesired. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Mend Renovate](https://www.mend.io/free-developer-tools/renovate/). View repository job log [here](https://app.renovatebot.com/dashboard#github/elastic/kibana). Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com> --- package.json | 4 ++-- yarn.lock | 16 ++++++++-------- 2 files changed, 10 insertions(+), 10 deletions(-) diff --git a/package.json b/package.json index 8d14fd74a3990..36c4fc5abb3a3 100644 --- a/package.json +++ b/package.json @@ -992,7 +992,7 @@ "callsites": "^3.1.0", "chance": "1.0.18", "chokidar": "^3.5.3", - "chromedriver": "^107.0.3", + "chromedriver": "^108.0.0", "clean-webpack-plugin": "^3.0.0", "compression-webpack-plugin": "^4.0.0", "copy-webpack-plugin": "^6.0.2", @@ -1114,7 +1114,7 @@ "resolve": "^1.22.0", "rxjs-marbles": "^7.0.1", "sass-loader": "^10.4.1", - "selenium-webdriver": "^4.6.1", + "selenium-webdriver": "^4.7.0", "simple-git": "^3.15.1", "sinon": "^7.4.2", "sort-package-json": "^1.53.1", diff --git a/yarn.lock b/yarn.lock index 7c39ab5ead157..d5ad41ec698a8 100644 --- a/yarn.lock +++ b/yarn.lock @@ -10469,10 +10469,10 @@ chrome-trace-event@^1.0.2: dependencies: tslib "^1.9.0" -chromedriver@^107.0.3: - version "107.0.3" - resolved "https://registry.yarnpkg.com/chromedriver/-/chromedriver-107.0.3.tgz#330c0808bb14a53f13ab7e2b0c78adf3cdb4c14b" - integrity sha512-jmzpZgctCRnhYAn0l/NIjP4vYN3L8GFVbterTrRr2Ly3W5rFMb9H8EKGuM5JCViPKSit8FbE718kZTEt3Yvffg== +chromedriver@^108.0.0: + version "108.0.0" + resolved "https://registry.yarnpkg.com/chromedriver/-/chromedriver-108.0.0.tgz#7994013f423d8b95a513bb9553a55088de81b252" + integrity sha512-/kb0rb0dlC4RfXh2BOT7RV87K6d+It3VV5YXebLzO5a8t2knNffiTE23XPJQCH+l1xmgoW8/sOX/NB9irskvOQ== dependencies: "@testim/chrome-version" "^1.1.3" axios "^1.1.3" @@ -24272,10 +24272,10 @@ select-hose@^2.0.0: resolved "https://registry.yarnpkg.com/select-hose/-/select-hose-2.0.0.tgz#625d8658f865af43ec962bfc376a37359a4994ca" integrity sha1-Yl2GWPhlr0Psliv8N2o3NZpJlMo= -selenium-webdriver@^4.6.1: - version "4.6.1" - resolved "https://registry.yarnpkg.com/selenium-webdriver/-/selenium-webdriver-4.6.1.tgz#ac66867206542a40c24b5a44f4ccbae992e962dc" - integrity sha512-FT8Dw0tbzaTp8YYLuwhaCnve/nw03HKrOJrA3aUmTKmxaIFSP4kT2R5fN3K0RpV5kbR0ZnM4FGVI2vANBvekaA== +selenium-webdriver@^4.7.0: + version "4.7.0" + resolved "https://registry.yarnpkg.com/selenium-webdriver/-/selenium-webdriver-4.7.0.tgz#20be2021f1c5c4d6fc7cab8e2fa552b2e0779912" + integrity sha512-ZB/77G6xKz96beiUIq6RSdU/Klccg8Fg6lGvEmsVSeLwOWjmJDRehBeXE/y59mytOqitYSewFzJsSU5Xov1X+Q== dependencies: jszip "^3.10.0" tmp "^0.2.1" From 2caa874f70a98ec48efadd546cb0768f98a0601e Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Sat, 10 Dec 2022 00:49:07 -0500 Subject: [PATCH 15/20] [api-docs] 2022-12-10 Daily api_docs build (#147318) Generated by https://buildkite.com/elastic/kibana-api-docs-daily/builds/182 --- api_docs/actions.mdx | 2 +- api_docs/advanced_settings.mdx | 2 +- api_docs/aiops.mdx | 2 +- api_docs/alerting.mdx | 2 +- api_docs/apm.mdx | 2 +- api_docs/banners.mdx | 2 +- api_docs/bfetch.mdx | 2 +- api_docs/canvas.mdx | 2 +- api_docs/cases.mdx | 2 +- api_docs/charts.mdx | 2 +- api_docs/cloud.mdx | 2 +- api_docs/cloud_chat.mdx | 2 +- api_docs/cloud_experiments.mdx | 2 +- api_docs/cloud_security_posture.mdx | 2 +- api_docs/console.mdx | 2 +- api_docs/controls.mdx | 2 +- api_docs/core.mdx | 2 +- api_docs/custom_integrations.mdx | 2 +- api_docs/dashboard.mdx | 2 +- api_docs/dashboard_enhanced.mdx | 2 +- api_docs/data.mdx | 2 +- api_docs/data_query.mdx | 2 +- api_docs/data_search.mdx | 2 +- api_docs/data_view_editor.mdx | 2 +- api_docs/data_view_field_editor.mdx | 2 +- api_docs/data_view_management.mdx | 2 +- api_docs/data_views.mdx | 2 +- api_docs/data_visualizer.mdx | 2 +- api_docs/deprecations_by_api.mdx | 2 +- api_docs/deprecations_by_plugin.mdx | 2 +- api_docs/deprecations_by_team.mdx | 2 +- api_docs/dev_tools.mdx | 2 +- api_docs/discover.mdx | 2 +- api_docs/discover_enhanced.mdx | 2 +- api_docs/embeddable.mdx | 2 +- api_docs/embeddable_enhanced.mdx | 2 +- api_docs/encrypted_saved_objects.mdx | 2 +- api_docs/enterprise_search.mdx | 2 +- api_docs/es_ui_shared.mdx | 2 +- api_docs/event_annotation.mdx | 2 +- api_docs/event_log.mdx | 2 +- api_docs/expression_error.mdx | 2 +- api_docs/expression_gauge.mdx | 2 +- api_docs/expression_heatmap.mdx | 2 +- api_docs/expression_image.mdx | 2 +- api_docs/expression_legacy_metric_vis.mdx | 2 +- api_docs/expression_metric.mdx | 2 +- api_docs/expression_metric_vis.mdx | 2 +- api_docs/expression_partition_vis.mdx | 2 +- api_docs/expression_repeat_image.mdx | 2 +- api_docs/expression_reveal_image.mdx | 2 +- api_docs/expression_shape.mdx | 2 +- api_docs/expression_tagcloud.mdx | 2 +- api_docs/expression_x_y.mdx | 2 +- api_docs/expressions.mdx | 2 +- api_docs/features.mdx | 2 +- api_docs/field_formats.mdx | 2 +- api_docs/file_upload.mdx | 2 +- api_docs/files.mdx | 2 +- api_docs/files_management.mdx | 2 +- api_docs/fleet.mdx | 2 +- api_docs/global_search.mdx | 2 +- api_docs/guided_onboarding.mdx | 2 +- api_docs/home.mdx | 2 +- api_docs/index_lifecycle_management.mdx | 2 +- api_docs/index_management.mdx | 2 +- api_docs/infra.mdx | 2 +- api_docs/inspector.mdx | 2 +- api_docs/interactive_setup.mdx | 2 +- api_docs/kbn_ace.mdx | 2 +- api_docs/kbn_aiops_components.mdx | 2 +- api_docs/kbn_aiops_utils.mdx | 2 +- api_docs/kbn_alerts.mdx | 2 +- api_docs/kbn_analytics.mdx | 2 +- api_docs/kbn_analytics_client.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_common.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_server.mdx | 2 +- api_docs/kbn_analytics_shippers_fullstory.mdx | 2 +- api_docs/kbn_analytics_shippers_gainsight.mdx | 2 +- api_docs/kbn_apm_config_loader.mdx | 2 +- api_docs/kbn_apm_synthtrace.mdx | 2 +- api_docs/kbn_apm_utils.mdx | 2 +- api_docs/kbn_axe_config.mdx | 2 +- api_docs/kbn_cases_components.mdx | 2 +- api_docs/kbn_chart_icons.mdx | 2 +- api_docs/kbn_ci_stats_core.mdx | 2 +- api_docs/kbn_ci_stats_performance_metrics.mdx | 2 +- api_docs/kbn_ci_stats_reporter.mdx | 2 +- api_docs/kbn_cli_dev_mode.mdx | 2 +- api_docs/kbn_coloring.mdx | 2 +- api_docs/kbn_config.mdx | 2 +- api_docs/kbn_config_mocks.mdx | 2 +- api_docs/kbn_config_schema.mdx | 2 +- api_docs/kbn_content_management_inspector.mdx | 2 +- api_docs/kbn_content_management_table_list.mdx | 2 +- api_docs/kbn_core_analytics_browser.mdx | 2 +- api_docs/kbn_core_analytics_browser_internal.mdx | 2 +- api_docs/kbn_core_analytics_browser_mocks.mdx | 2 +- api_docs/kbn_core_analytics_server.mdx | 2 +- api_docs/kbn_core_analytics_server_internal.mdx | 2 +- api_docs/kbn_core_analytics_server_mocks.mdx | 2 +- api_docs/kbn_core_application_browser.mdx | 2 +- api_docs/kbn_core_application_browser_internal.mdx | 2 +- api_docs/kbn_core_application_browser_mocks.mdx | 2 +- api_docs/kbn_core_application_common.mdx | 2 +- api_docs/kbn_core_apps_browser_internal.mdx | 2 +- api_docs/kbn_core_apps_browser_mocks.mdx | 2 +- api_docs/kbn_core_apps_server_internal.mdx | 2 +- api_docs/kbn_core_base_browser_mocks.mdx | 2 +- api_docs/kbn_core_base_common.mdx | 2 +- api_docs/kbn_core_base_server_internal.mdx | 2 +- api_docs/kbn_core_base_server_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_browser_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_common.mdx | 2 +- api_docs/kbn_core_capabilities_server.mdx | 2 +- api_docs/kbn_core_capabilities_server_mocks.mdx | 2 +- api_docs/kbn_core_chrome_browser.mdx | 2 +- api_docs/kbn_core_chrome_browser_mocks.mdx | 2 +- api_docs/kbn_core_config_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser.mdx | 2 +- api_docs/kbn_core_deprecations_browser_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_common.mdx | 2 +- api_docs/kbn_core_deprecations_server.mdx | 2 +- api_docs/kbn_core_deprecations_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_server_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_browser.mdx | 2 +- api_docs/kbn_core_doc_links_browser_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_server.mdx | 2 +- api_docs/kbn_core_doc_links_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_server.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_mocks.mdx | 2 +- api_docs/kbn_core_environment_server_internal.mdx | 2 +- api_docs/kbn_core_environment_server_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_browser.mdx | 2 +- api_docs/kbn_core_execution_context_browser_internal.mdx | 2 +- api_docs/kbn_core_execution_context_browser_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_common.mdx | 2 +- api_docs/kbn_core_execution_context_server.mdx | 2 +- api_docs/kbn_core_execution_context_server_internal.mdx | 2 +- api_docs/kbn_core_execution_context_server_mocks.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_browser.mdx | 2 +- api_docs/kbn_core_http_browser_internal.mdx | 2 +- api_docs/kbn_core_http_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_common.mdx | 2 +- api_docs/kbn_core_http_context_server_mocks.mdx | 2 +- api_docs/kbn_core_http_request_handler_context_server.mdx | 2 +- api_docs/kbn_core_http_resources_server.mdx | 2 +- api_docs/kbn_core_http_resources_server_internal.mdx | 2 +- api_docs/kbn_core_http_resources_server_mocks.mdx | 2 +- api_docs/kbn_core_http_router_server_internal.mdx | 2 +- api_docs/kbn_core_http_router_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server.mdx | 2 +- api_docs/kbn_core_http_server_internal.mdx | 2 +- api_docs/kbn_core_http_server_mocks.mdx | 2 +- api_docs/kbn_core_i18n_browser.mdx | 2 +- api_docs/kbn_core_i18n_browser_mocks.mdx | 2 +- api_docs/kbn_core_i18n_server.mdx | 2 +- api_docs/kbn_core_i18n_server_internal.mdx | 2 +- api_docs/kbn_core_i18n_server_mocks.mdx | 2 +- api_docs/kbn_core_injected_metadata_browser.mdx | 2 +- api_docs/kbn_core_injected_metadata_browser_mocks.mdx | 2 +- api_docs/kbn_core_integrations_browser_internal.mdx | 2 +- api_docs/kbn_core_integrations_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_browser.mdx | 2 +- api_docs/kbn_core_lifecycle_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_server.mdx | 2 +- api_docs/kbn_core_lifecycle_server_mocks.mdx | 2 +- api_docs/kbn_core_logging_browser_mocks.mdx | 2 +- api_docs/kbn_core_logging_common_internal.mdx | 2 +- api_docs/kbn_core_logging_server.mdx | 2 +- api_docs/kbn_core_logging_server_internal.mdx | 2 +- api_docs/kbn_core_logging_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_server.mdx | 2 +- api_docs/kbn_core_metrics_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_server_mocks.mdx | 2 +- api_docs/kbn_core_mount_utils_browser.mdx | 2 +- api_docs/kbn_core_node_server.mdx | 2 +- api_docs/kbn_core_node_server_internal.mdx | 2 +- api_docs/kbn_core_node_server_mocks.mdx | 2 +- api_docs/kbn_core_notifications_browser.mdx | 2 +- api_docs/kbn_core_notifications_browser_internal.mdx | 2 +- api_docs/kbn_core_notifications_browser_mocks.mdx | 2 +- api_docs/kbn_core_overlays_browser.mdx | 2 +- api_docs/kbn_core_overlays_browser_internal.mdx | 2 +- api_docs/kbn_core_overlays_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_browser.mdx | 2 +- api_docs/kbn_core_plugins_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_server.mdx | 2 +- api_docs/kbn_core_plugins_server_mocks.mdx | 2 +- api_docs/kbn_core_preboot_server.mdx | 2 +- api_docs/kbn_core_preboot_server_mocks.mdx | 2 +- api_docs/kbn_core_rendering_browser_mocks.mdx | 2 +- api_docs/kbn_core_rendering_server_internal.mdx | 2 +- api_docs/kbn_core_rendering_server_mocks.mdx | 2 +- api_docs/kbn_core_root_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_api_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_common.mdx | 2 +- .../kbn_core_saved_objects_import_export_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_server.mdx | 2 +- api_docs/kbn_core_saved_objects_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_utils_server.mdx | 2 +- api_docs/kbn_core_status_common.mdx | 2 +- api_docs/kbn_core_status_common_internal.mdx | 2 +- api_docs/kbn_core_status_server.mdx | 2 +- api_docs/kbn_core_status_server_internal.mdx | 2 +- api_docs/kbn_core_status_server_mocks.mdx | 2 +- api_docs/kbn_core_test_helpers_deprecations_getters.mdx | 2 +- api_docs/kbn_core_test_helpers_http_setup_browser.mdx | 2 +- api_docs/kbn_core_test_helpers_kbn_server.mdx | 2 +- api_docs/kbn_core_test_helpers_so_type_serializer.mdx | 2 +- api_docs/kbn_core_test_helpers_test_utils.mdx | 2 +- api_docs/kbn_core_theme_browser.mdx | 2 +- api_docs/kbn_core_theme_browser_internal.mdx | 2 +- api_docs/kbn_core_theme_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_browser.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_common.mdx | 2 +- api_docs/kbn_core_ui_settings_server.mdx | 2 +- api_docs/kbn_core_ui_settings_server_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_server_mocks.mdx | 2 +- api_docs/kbn_core_usage_data_server.mdx | 2 +- api_docs/kbn_core_usage_data_server_internal.mdx | 2 +- api_docs/kbn_core_usage_data_server_mocks.mdx | 2 +- api_docs/kbn_crypto.mdx | 2 +- api_docs/kbn_crypto_browser.mdx | 2 +- api_docs/kbn_datemath.mdx | 2 +- api_docs/kbn_dev_cli_errors.mdx | 2 +- api_docs/kbn_dev_cli_runner.mdx | 2 +- api_docs/kbn_dev_proc_runner.mdx | 2 +- api_docs/kbn_dev_utils.mdx | 2 +- api_docs/kbn_doc_links.mdx | 2 +- api_docs/kbn_docs_utils.mdx | 2 +- api_docs/kbn_ebt_tools.mdx | 2 +- api_docs/kbn_es.mdx | 2 +- api_docs/kbn_es_archiver.mdx | 2 +- api_docs/kbn_es_errors.mdx | 2 +- api_docs/kbn_es_query.mdx | 2 +- api_docs/kbn_es_types.mdx | 2 +- api_docs/kbn_eslint_plugin_imports.mdx | 2 +- api_docs/kbn_field_types.mdx | 2 +- api_docs/kbn_find_used_node_modules.mdx | 2 +- api_docs/kbn_ftr_common_functional_services.mdx | 2 +- api_docs/kbn_generate.mdx | 2 +- api_docs/kbn_get_repo_files.mdx | 2 +- api_docs/kbn_guided_onboarding.mdx | 2 +- api_docs/kbn_handlebars.mdx | 2 +- api_docs/kbn_hapi_mocks.mdx | 2 +- api_docs/kbn_health_gateway_server.mdx | 2 +- api_docs/kbn_home_sample_data_card.mdx | 2 +- api_docs/kbn_home_sample_data_tab.mdx | 2 +- api_docs/kbn_i18n.mdx | 2 +- api_docs/kbn_i18n_react.mdx | 2 +- api_docs/kbn_import_resolver.mdx | 2 +- api_docs/kbn_interpreter.mdx | 2 +- api_docs/kbn_io_ts_utils.mdx | 2 +- api_docs/kbn_jest_serializers.mdx | 2 +- api_docs/kbn_journeys.mdx | 2 +- api_docs/kbn_kibana_manifest_schema.mdx | 2 +- api_docs/kbn_language_documentation_popover.mdx | 2 +- api_docs/kbn_logging.mdx | 2 +- api_docs/kbn_logging_mocks.mdx | 2 +- api_docs/kbn_managed_vscode_config.mdx | 2 +- api_docs/kbn_mapbox_gl.mdx | 2 +- api_docs/kbn_ml_agg_utils.mdx | 2 +- api_docs/kbn_ml_is_populated_object.mdx | 2 +- api_docs/kbn_ml_string_hash.mdx | 2 +- api_docs/kbn_monaco.mdx | 2 +- api_docs/kbn_optimizer.mdx | 2 +- api_docs/kbn_optimizer_webpack_helpers.mdx | 2 +- api_docs/kbn_osquery_io_ts_types.mdx | 2 +- api_docs/kbn_peggy.mdx | 2 +- api_docs/kbn_performance_testing_dataset_extractor.mdx | 2 +- api_docs/kbn_plugin_generator.mdx | 2 +- api_docs/kbn_plugin_helpers.mdx | 2 +- api_docs/kbn_react_field.mdx | 2 +- api_docs/kbn_repo_source_classifier.mdx | 2 +- api_docs/kbn_rison.mdx | 2 +- api_docs/kbn_rule_data_utils.mdx | 2 +- api_docs/kbn_securitysolution_autocomplete.mdx | 2 +- api_docs/kbn_securitysolution_es_utils.mdx | 2 +- api_docs/kbn_securitysolution_exception_list_components.mdx | 2 +- api_docs/kbn_securitysolution_hook_utils.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_alerting_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_list_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_utils.mdx | 2 +- api_docs/kbn_securitysolution_list_api.mdx | 2 +- api_docs/kbn_securitysolution_list_constants.mdx | 2 +- api_docs/kbn_securitysolution_list_hooks.mdx | 2 +- api_docs/kbn_securitysolution_list_utils.mdx | 2 +- api_docs/kbn_securitysolution_rules.mdx | 2 +- api_docs/kbn_securitysolution_t_grid.mdx | 2 +- api_docs/kbn_securitysolution_utils.mdx | 2 +- api_docs/kbn_server_http_tools.mdx | 2 +- api_docs/kbn_server_route_repository.mdx | 2 +- api_docs/kbn_shared_svg.mdx | 2 +- api_docs/kbn_shared_ux_avatar_solution.mdx | 2 +- api_docs/kbn_shared_ux_avatar_user_profile_components.mdx | 2 +- api_docs/kbn_shared_ux_button_exit_full_screen.mdx | 2 +- api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx | 2 +- api_docs/kbn_shared_ux_button_toolbar.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_context.mdx | 2 +- api_docs/kbn_shared_ux_file_image.mdx | 2 +- api_docs/kbn_shared_ux_file_image_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_util.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx | 2 +- api_docs/kbn_shared_ux_markdown.mdx | 2 +- api_docs/kbn_shared_ux_markdown_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_solution_nav.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx | 2 +- api_docs/kbn_shared_ux_prompt_not_found.mdx | 2 +- api_docs/kbn_shared_ux_router.mdx | 2 +- api_docs/kbn_shared_ux_router_mocks.mdx | 2 +- api_docs/kbn_shared_ux_storybook_config.mdx | 2 +- api_docs/kbn_shared_ux_storybook_mock.mdx | 2 +- api_docs/kbn_shared_ux_utility.mdx | 2 +- api_docs/kbn_some_dev_log.mdx | 2 +- api_docs/kbn_sort_package_json.mdx | 2 +- api_docs/kbn_std.mdx | 2 +- api_docs/kbn_stdio_dev_helpers.mdx | 2 +- api_docs/kbn_storybook.mdx | 2 +- api_docs/kbn_telemetry_tools.mdx | 2 +- api_docs/kbn_test.mdx | 2 +- api_docs/kbn_test_jest_helpers.mdx | 2 +- api_docs/kbn_test_subj_selector.mdx | 2 +- api_docs/kbn_tooling_log.mdx | 2 +- api_docs/kbn_type_summarizer.mdx | 2 +- api_docs/kbn_type_summarizer_core.mdx | 2 +- api_docs/kbn_typed_react_router_config.mdx | 2 +- api_docs/kbn_ui_shared_deps_src.mdx | 2 +- api_docs/kbn_ui_theme.mdx | 2 +- api_docs/kbn_user_profile_components.mdx | 2 +- api_docs/kbn_utility_types.mdx | 2 +- api_docs/kbn_utility_types_jest.mdx | 2 +- api_docs/kbn_utils.mdx | 2 +- api_docs/kbn_yarn_lock_validator.mdx | 2 +- api_docs/kibana_overview.mdx | 2 +- api_docs/kibana_react.mdx | 2 +- api_docs/kibana_utils.mdx | 2 +- api_docs/kubernetes_security.mdx | 2 +- api_docs/lens.mdx | 2 +- api_docs/license_api_guard.mdx | 2 +- api_docs/license_management.mdx | 2 +- api_docs/licensing.mdx | 2 +- api_docs/lists.mdx | 2 +- api_docs/management.mdx | 2 +- api_docs/maps.mdx | 2 +- api_docs/maps_ems.mdx | 2 +- api_docs/ml.mdx | 2 +- api_docs/monitoring.mdx | 2 +- api_docs/monitoring_collection.mdx | 2 +- api_docs/navigation.mdx | 2 +- api_docs/newsfeed.mdx | 2 +- api_docs/notifications.mdx | 2 +- api_docs/observability.mdx | 2 +- api_docs/osquery.mdx | 2 +- api_docs/plugin_directory.mdx | 2 +- api_docs/presentation_util.mdx | 2 +- api_docs/profiling.mdx | 2 +- api_docs/remote_clusters.mdx | 2 +- api_docs/reporting.mdx | 2 +- api_docs/rollup.mdx | 2 +- api_docs/rule_registry.mdx | 2 +- api_docs/runtime_fields.mdx | 2 +- api_docs/saved_objects.mdx | 2 +- api_docs/saved_objects_finder.mdx | 2 +- api_docs/saved_objects_management.mdx | 2 +- api_docs/saved_objects_tagging.mdx | 2 +- api_docs/saved_objects_tagging_oss.mdx | 2 +- api_docs/saved_search.mdx | 2 +- api_docs/screenshot_mode.mdx | 2 +- api_docs/screenshotting.mdx | 2 +- api_docs/security.mdx | 2 +- api_docs/security_solution.mdx | 2 +- api_docs/session_view.mdx | 2 +- api_docs/share.mdx | 2 +- api_docs/snapshot_restore.mdx | 2 +- api_docs/spaces.mdx | 2 +- api_docs/stack_alerts.mdx | 2 +- api_docs/stack_connectors.mdx | 2 +- api_docs/task_manager.mdx | 2 +- api_docs/telemetry.mdx | 2 +- api_docs/telemetry_collection_manager.mdx | 2 +- api_docs/telemetry_collection_xpack.mdx | 2 +- api_docs/telemetry_management_section.mdx | 2 +- api_docs/threat_intelligence.mdx | 2 +- api_docs/timelines.mdx | 2 +- api_docs/transform.mdx | 2 +- api_docs/triggers_actions_ui.mdx | 2 +- api_docs/ui_actions.mdx | 2 +- api_docs/ui_actions_enhanced.mdx | 2 +- api_docs/unified_field_list.mdx | 2 +- api_docs/unified_histogram.mdx | 2 +- api_docs/unified_search.mdx | 2 +- api_docs/unified_search_autocomplete.mdx | 2 +- api_docs/url_forwarding.mdx | 2 +- api_docs/usage_collection.mdx | 2 +- api_docs/ux.mdx | 2 +- api_docs/vis_default_editor.mdx | 2 +- api_docs/vis_type_gauge.mdx | 2 +- api_docs/vis_type_heatmap.mdx | 2 +- api_docs/vis_type_pie.mdx | 2 +- api_docs/vis_type_table.mdx | 2 +- api_docs/vis_type_timelion.mdx | 2 +- api_docs/vis_type_timeseries.mdx | 2 +- api_docs/vis_type_vega.mdx | 2 +- api_docs/vis_type_vislib.mdx | 2 +- api_docs/vis_type_xy.mdx | 2 +- api_docs/visualizations.mdx | 2 +- 446 files changed, 446 insertions(+), 446 deletions(-) diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index 8c63261d6edfe..5641a8fe99d63 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/actions title: "actions" image: https://source.unsplash.com/400x175/?github description: API docs for the actions plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'actions'] --- import actionsObj from './actions.devdocs.json'; diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index e50f819d88ef6..4f3ed81b86a53 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/advancedSettings title: "advancedSettings" image: https://source.unsplash.com/400x175/?github description: API docs for the advancedSettings plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'advancedSettings'] --- import advancedSettingsObj from './advanced_settings.devdocs.json'; diff --git a/api_docs/aiops.mdx b/api_docs/aiops.mdx index d4a18997ddd8f..48139372ff275 100644 --- a/api_docs/aiops.mdx +++ b/api_docs/aiops.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiops title: "aiops" image: https://source.unsplash.com/400x175/?github description: API docs for the aiops plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiops'] --- import aiopsObj from './aiops.devdocs.json'; diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index 330658abe4ca1..deb3152943109 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/alerting title: "alerting" image: https://source.unsplash.com/400x175/?github description: API docs for the alerting plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'alerting'] --- import alertingObj from './alerting.devdocs.json'; diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index 9f6c21cf8ab0f..cd6fce35979f5 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apm title: "apm" image: https://source.unsplash.com/400x175/?github description: API docs for the apm plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apm'] --- import apmObj from './apm.devdocs.json'; diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index 4fd2935f2e171..c77604e1b0cd7 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/banners title: "banners" image: https://source.unsplash.com/400x175/?github description: API docs for the banners plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'banners'] --- import bannersObj from './banners.devdocs.json'; diff --git a/api_docs/bfetch.mdx b/api_docs/bfetch.mdx index a5fb730527be9..a0669c9952178 100644 --- a/api_docs/bfetch.mdx +++ b/api_docs/bfetch.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/bfetch title: "bfetch" image: https://source.unsplash.com/400x175/?github description: API docs for the bfetch plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'bfetch'] --- import bfetchObj from './bfetch.devdocs.json'; diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index 4e310b7e325df..8c61c6086b3c0 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/canvas title: "canvas" image: https://source.unsplash.com/400x175/?github description: API docs for the canvas plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'canvas'] --- import canvasObj from './canvas.devdocs.json'; diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index b0f552416b609..5e21f938486a2 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cases title: "cases" image: https://source.unsplash.com/400x175/?github description: API docs for the cases plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cases'] --- import casesObj from './cases.devdocs.json'; diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index 511874c04e497..d4c6ca84fb547 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/charts title: "charts" image: https://source.unsplash.com/400x175/?github description: API docs for the charts plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'charts'] --- import chartsObj from './charts.devdocs.json'; diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index 0c15713f71923..32bb49002082a 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloud title: "cloud" image: https://source.unsplash.com/400x175/?github description: API docs for the cloud plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloud'] --- import cloudObj from './cloud.devdocs.json'; diff --git a/api_docs/cloud_chat.mdx b/api_docs/cloud_chat.mdx index 265457b0b72e4..0e9d4a35bd067 100644 --- a/api_docs/cloud_chat.mdx +++ b/api_docs/cloud_chat.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudChat title: "cloudChat" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudChat plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudChat'] --- import cloudChatObj from './cloud_chat.devdocs.json'; diff --git a/api_docs/cloud_experiments.mdx b/api_docs/cloud_experiments.mdx index e3070509ae62f..1e73446094612 100644 --- a/api_docs/cloud_experiments.mdx +++ b/api_docs/cloud_experiments.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudExperiments title: "cloudExperiments" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudExperiments plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudExperiments'] --- import cloudExperimentsObj from './cloud_experiments.devdocs.json'; diff --git a/api_docs/cloud_security_posture.mdx b/api_docs/cloud_security_posture.mdx index 909d613050a5e..7e3f70f983a1b 100644 --- a/api_docs/cloud_security_posture.mdx +++ b/api_docs/cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudSecurityPosture title: "cloudSecurityPosture" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudSecurityPosture plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudSecurityPosture'] --- import cloudSecurityPostureObj from './cloud_security_posture.devdocs.json'; diff --git a/api_docs/console.mdx b/api_docs/console.mdx index dc3db2096343b..38eb36ebc4f26 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/console title: "console" image: https://source.unsplash.com/400x175/?github description: API docs for the console plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'console'] --- import consoleObj from './console.devdocs.json'; diff --git a/api_docs/controls.mdx b/api_docs/controls.mdx index 7a59920739b2e..278c19f71e531 100644 --- a/api_docs/controls.mdx +++ b/api_docs/controls.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/controls title: "controls" image: https://source.unsplash.com/400x175/?github description: API docs for the controls plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'controls'] --- import controlsObj from './controls.devdocs.json'; diff --git a/api_docs/core.mdx b/api_docs/core.mdx index b0f4a116e2384..f49031b74750c 100644 --- a/api_docs/core.mdx +++ b/api_docs/core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/core title: "core" image: https://source.unsplash.com/400x175/?github description: API docs for the core plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'core'] --- import coreObj from './core.devdocs.json'; diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index a00e63f5279f7..b29bb3bd4ed5e 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/customIntegrations title: "customIntegrations" image: https://source.unsplash.com/400x175/?github description: API docs for the customIntegrations plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'customIntegrations'] --- import customIntegrationsObj from './custom_integrations.devdocs.json'; diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index 3ac36d0c0179b..3d338d66b3a7c 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboard title: "dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboard plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboard'] --- import dashboardObj from './dashboard.devdocs.json'; diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index e61cbac57fe83..19810dff198a9 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboardEnhanced title: "dashboardEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboardEnhanced plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboardEnhanced'] --- import dashboardEnhancedObj from './dashboard_enhanced.devdocs.json'; diff --git a/api_docs/data.mdx b/api_docs/data.mdx index ea561a2b05b29..ae23992fdc917 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data title: "data" image: https://source.unsplash.com/400x175/?github description: API docs for the data plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data'] --- import dataObj from './data.devdocs.json'; diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index 799b719b64a05..4591984d1028b 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-query title: "data.query" image: https://source.unsplash.com/400x175/?github description: API docs for the data.query plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.query'] --- import dataQueryObj from './data_query.devdocs.json'; diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index fe601365780c6..7fb66f976fc23 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-search title: "data.search" image: https://source.unsplash.com/400x175/?github description: API docs for the data.search plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.search'] --- import dataSearchObj from './data_search.devdocs.json'; diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index 9d166ba2179b1..1a3ef72e16b1b 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewEditor title: "dataViewEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewEditor plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewEditor'] --- import dataViewEditorObj from './data_view_editor.devdocs.json'; diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index d34031b3d281d..c8565e470267e 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewFieldEditor title: "dataViewFieldEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewFieldEditor plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewFieldEditor'] --- import dataViewFieldEditorObj from './data_view_field_editor.devdocs.json'; diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index ce7d239be2c12..771aebf695e68 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewManagement title: "dataViewManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewManagement plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewManagement'] --- import dataViewManagementObj from './data_view_management.devdocs.json'; diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index 87f06683b8733..83769aefa1136 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViews title: "dataViews" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViews plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViews'] --- import dataViewsObj from './data_views.devdocs.json'; diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index e33b3d7ca0869..8b052f2cb6d5f 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataVisualizer title: "dataVisualizer" image: https://source.unsplash.com/400x175/?github description: API docs for the dataVisualizer plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataVisualizer'] --- import dataVisualizerObj from './data_visualizer.devdocs.json'; diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index d99772dd348eb..07db0fcf766a0 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByApi slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-api title: Deprecated API usage by API description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index 6ee327f3c539f..021a8a0165e47 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByPlugin slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-plugin title: Deprecated API usage by plugin description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_team.mdx b/api_docs/deprecations_by_team.mdx index c30493c2b60fd..e7dae7e1538db 100644 --- a/api_docs/deprecations_by_team.mdx +++ b/api_docs/deprecations_by_team.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsDueByTeam slug: /kibana-dev-docs/api-meta/deprecations-due-by-team title: Deprecated APIs due to be removed, by team description: Lists the teams that are referencing deprecated APIs with a remove by date. -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index 6c4ee28b3b0a3..a91ee0ac319e5 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/devTools title: "devTools" image: https://source.unsplash.com/400x175/?github description: API docs for the devTools plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'devTools'] --- import devToolsObj from './dev_tools.devdocs.json'; diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index f2199d5ec0124..c6b7e0094cd9c 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discover title: "discover" image: https://source.unsplash.com/400x175/?github description: API docs for the discover plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discover'] --- import discoverObj from './discover.devdocs.json'; diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index def33e832e003..2d72fad29d064 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverEnhanced title: "discoverEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverEnhanced plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverEnhanced'] --- import discoverEnhancedObj from './discover_enhanced.devdocs.json'; diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index 9eb5ae14f058d..07fdace916e2d 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddable title: "embeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddable plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddable'] --- import embeddableObj from './embeddable.devdocs.json'; diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index 7e4609d0fbd4f..30d1220ec3651 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddableEnhanced title: "embeddableEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddableEnhanced plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddableEnhanced'] --- import embeddableEnhancedObj from './embeddable_enhanced.devdocs.json'; diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index c8ed805dbd406..21f0f9d6c1f20 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/encryptedSavedObjects title: "encryptedSavedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the encryptedSavedObjects plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'encryptedSavedObjects'] --- import encryptedSavedObjectsObj from './encrypted_saved_objects.devdocs.json'; diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index 21c23c9aaa8e0..7ddba5ebce9e2 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/enterpriseSearch title: "enterpriseSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the enterpriseSearch plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'enterpriseSearch'] --- import enterpriseSearchObj from './enterprise_search.devdocs.json'; diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index 21f4396d919a3..3409a98c111dc 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esUiShared title: "esUiShared" image: https://source.unsplash.com/400x175/?github description: API docs for the esUiShared plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esUiShared'] --- import esUiSharedObj from './es_ui_shared.devdocs.json'; diff --git a/api_docs/event_annotation.mdx b/api_docs/event_annotation.mdx index 45f37d536376c..ff978fa49254e 100644 --- a/api_docs/event_annotation.mdx +++ b/api_docs/event_annotation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotation title: "eventAnnotation" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotation plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotation'] --- import eventAnnotationObj from './event_annotation.devdocs.json'; diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index 5b074ede2e2e0..f2b8eb2fd6f8c 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventLog title: "eventLog" image: https://source.unsplash.com/400x175/?github description: API docs for the eventLog plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventLog'] --- import eventLogObj from './event_log.devdocs.json'; diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index 6836e806ed47b..fd706d4af6a1b 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionError title: "expressionError" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionError plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionError'] --- import expressionErrorObj from './expression_error.devdocs.json'; diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx index 8e0b4fb028987..f041cff6d1a3a 100644 --- a/api_docs/expression_gauge.mdx +++ b/api_docs/expression_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionGauge title: "expressionGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionGauge plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] --- import expressionGaugeObj from './expression_gauge.devdocs.json'; diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx index b6f9d60ce8839..65a2736a894bb 100644 --- a/api_docs/expression_heatmap.mdx +++ b/api_docs/expression_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionHeatmap title: "expressionHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionHeatmap plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] --- import expressionHeatmapObj from './expression_heatmap.devdocs.json'; diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index f739e0ddd4dca..ae54a1d498e88 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionImage title: "expressionImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionImage plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionImage'] --- import expressionImageObj from './expression_image.devdocs.json'; diff --git a/api_docs/expression_legacy_metric_vis.mdx b/api_docs/expression_legacy_metric_vis.mdx index 59d8352368840..b5f9fe7bb16e2 100644 --- a/api_docs/expression_legacy_metric_vis.mdx +++ b/api_docs/expression_legacy_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionLegacyMetricVis title: "expressionLegacyMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionLegacyMetricVis plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionLegacyMetricVis'] --- import expressionLegacyMetricVisObj from './expression_legacy_metric_vis.devdocs.json'; diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index d4c491d3ff747..e0e5ec64325e0 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetric title: "expressionMetric" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetric plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetric'] --- import expressionMetricObj from './expression_metric.devdocs.json'; diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index cd2fe40ccb242..517cc66f1d4b7 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetricVis title: "expressionMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetricVis plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetricVis'] --- import expressionMetricVisObj from './expression_metric_vis.devdocs.json'; diff --git a/api_docs/expression_partition_vis.mdx b/api_docs/expression_partition_vis.mdx index 549bf44b43872..1df3b82fcde96 100644 --- a/api_docs/expression_partition_vis.mdx +++ b/api_docs/expression_partition_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionPartitionVis title: "expressionPartitionVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionPartitionVis plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionPartitionVis'] --- import expressionPartitionVisObj from './expression_partition_vis.devdocs.json'; diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 769349a8a044b..7f1bca3d989c3 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRepeatImage title: "expressionRepeatImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRepeatImage plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRepeatImage'] --- import expressionRepeatImageObj from './expression_repeat_image.devdocs.json'; diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index 3f9d5b4e8d3b1..865e43e272b1f 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRevealImage title: "expressionRevealImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRevealImage plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRevealImage'] --- import expressionRevealImageObj from './expression_reveal_image.devdocs.json'; diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index 5b3ddd2be2036..519cdab6163af 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionShape title: "expressionShape" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionShape plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionShape'] --- import expressionShapeObj from './expression_shape.devdocs.json'; diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index 778a3b261b9b7..84784bf38ac87 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionTagcloud title: "expressionTagcloud" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionTagcloud plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionTagcloud'] --- import expressionTagcloudObj from './expression_tagcloud.devdocs.json'; diff --git a/api_docs/expression_x_y.mdx b/api_docs/expression_x_y.mdx index d49683d8da9e6..89099b5bca478 100644 --- a/api_docs/expression_x_y.mdx +++ b/api_docs/expression_x_y.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionXY title: "expressionXY" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionXY plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionXY'] --- import expressionXYObj from './expression_x_y.devdocs.json'; diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index df2c42d781f09..2b511ad670f1c 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressions title: "expressions" image: https://source.unsplash.com/400x175/?github description: API docs for the expressions plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressions'] --- import expressionsObj from './expressions.devdocs.json'; diff --git a/api_docs/features.mdx b/api_docs/features.mdx index 62ee9ef3f7789..36a4231c884f7 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/features title: "features" image: https://source.unsplash.com/400x175/?github description: API docs for the features plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'features'] --- import featuresObj from './features.devdocs.json'; diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index 273f7a0f35da6..4f9768dc08182 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldFormats title: "fieldFormats" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldFormats plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldFormats'] --- import fieldFormatsObj from './field_formats.devdocs.json'; diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index afda461721394..4062fb60fc541 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fileUpload title: "fileUpload" image: https://source.unsplash.com/400x175/?github description: API docs for the fileUpload plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fileUpload'] --- import fileUploadObj from './file_upload.devdocs.json'; diff --git a/api_docs/files.mdx b/api_docs/files.mdx index f4f1bd952237c..8f6f9d705cabb 100644 --- a/api_docs/files.mdx +++ b/api_docs/files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/files title: "files" image: https://source.unsplash.com/400x175/?github description: API docs for the files plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'files'] --- import filesObj from './files.devdocs.json'; diff --git a/api_docs/files_management.mdx b/api_docs/files_management.mdx index 4f3b003f19079..f2d106f447b5e 100644 --- a/api_docs/files_management.mdx +++ b/api_docs/files_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/filesManagement title: "filesManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the filesManagement plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'filesManagement'] --- import filesManagementObj from './files_management.devdocs.json'; diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index 8bf68744a060e..27b3c23297779 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fleet title: "fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the fleet plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fleet'] --- import fleetObj from './fleet.devdocs.json'; diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index 2c7f10667edf9..696edac791621 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/globalSearch title: "globalSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the globalSearch plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'globalSearch'] --- import globalSearchObj from './global_search.devdocs.json'; diff --git a/api_docs/guided_onboarding.mdx b/api_docs/guided_onboarding.mdx index ac64f470c00b6..10c51341ce30d 100644 --- a/api_docs/guided_onboarding.mdx +++ b/api_docs/guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/guidedOnboarding title: "guidedOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the guidedOnboarding plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'guidedOnboarding'] --- import guidedOnboardingObj from './guided_onboarding.devdocs.json'; diff --git a/api_docs/home.mdx b/api_docs/home.mdx index 27d1dae73e416..c80d2489c06a5 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/home title: "home" image: https://source.unsplash.com/400x175/?github description: API docs for the home plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'home'] --- import homeObj from './home.devdocs.json'; diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index 13b733dd82ddc..659c0237fa3d8 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexLifecycleManagement title: "indexLifecycleManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexLifecycleManagement plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexLifecycleManagement'] --- import indexLifecycleManagementObj from './index_lifecycle_management.devdocs.json'; diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index 712fc16df34de..84cdb79a4d8e4 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexManagement title: "indexManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexManagement plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexManagement'] --- import indexManagementObj from './index_management.devdocs.json'; diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index 76c39cb6252bc..41fd04548f1f7 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/infra title: "infra" image: https://source.unsplash.com/400x175/?github description: API docs for the infra plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'infra'] --- import infraObj from './infra.devdocs.json'; diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index 870474e1663c9..df503f4f966cf 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inspector title: "inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the inspector plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inspector'] --- import inspectorObj from './inspector.devdocs.json'; diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index 11ac3db28bd7d..2609970b0eb2d 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/interactiveSetup title: "interactiveSetup" image: https://source.unsplash.com/400x175/?github description: API docs for the interactiveSetup plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'interactiveSetup'] --- import interactiveSetupObj from './interactive_setup.devdocs.json'; diff --git a/api_docs/kbn_ace.mdx b/api_docs/kbn_ace.mdx index 7cbffdf5406d6..2f7f0516d375e 100644 --- a/api_docs/kbn_ace.mdx +++ b/api_docs/kbn_ace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ace title: "@kbn/ace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ace plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ace'] --- import kbnAceObj from './kbn_ace.devdocs.json'; diff --git a/api_docs/kbn_aiops_components.mdx b/api_docs/kbn_aiops_components.mdx index 7be54656f98e4..824558fee0d10 100644 --- a/api_docs/kbn_aiops_components.mdx +++ b/api_docs/kbn_aiops_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-components title: "@kbn/aiops-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-components plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-components'] --- import kbnAiopsComponentsObj from './kbn_aiops_components.devdocs.json'; diff --git a/api_docs/kbn_aiops_utils.mdx b/api_docs/kbn_aiops_utils.mdx index edc18f2dcf450..3516e3d174144 100644 --- a/api_docs/kbn_aiops_utils.mdx +++ b/api_docs/kbn_aiops_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-utils title: "@kbn/aiops-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-utils'] --- import kbnAiopsUtilsObj from './kbn_aiops_utils.devdocs.json'; diff --git a/api_docs/kbn_alerts.mdx b/api_docs/kbn_alerts.mdx index 501628cb08194..454de1066c1a9 100644 --- a/api_docs/kbn_alerts.mdx +++ b/api_docs/kbn_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts title: "@kbn/alerts" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts'] --- import kbnAlertsObj from './kbn_alerts.devdocs.json'; diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index e6b527e3a4ba7..33b33f0648290 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics title: "@kbn/analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics'] --- import kbnAnalyticsObj from './kbn_analytics.devdocs.json'; diff --git a/api_docs/kbn_analytics_client.mdx b/api_docs/kbn_analytics_client.mdx index 535210aa44ba0..0cc64b0787231 100644 --- a/api_docs/kbn_analytics_client.mdx +++ b/api_docs/kbn_analytics_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-client title: "@kbn/analytics-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-client plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-client'] --- import kbnAnalyticsClientObj from './kbn_analytics_client.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx index dd4089c0f911c..fc26ea3809203 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-browser title: "@kbn/analytics-shippers-elastic-v3-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-browser'] --- import kbnAnalyticsShippersElasticV3BrowserObj from './kbn_analytics_shippers_elastic_v3_browser.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx index 61c147ce7f5ee..90800e661e926 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-common title: "@kbn/analytics-shippers-elastic-v3-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-common'] --- import kbnAnalyticsShippersElasticV3CommonObj from './kbn_analytics_shippers_elastic_v3_common.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx index e2c56049babbd..72e69ec7db2c1 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-server title: "@kbn/analytics-shippers-elastic-v3-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-server'] --- import kbnAnalyticsShippersElasticV3ServerObj from './kbn_analytics_shippers_elastic_v3_server.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_fullstory.mdx b/api_docs/kbn_analytics_shippers_fullstory.mdx index 86ad7dfe981ef..bcd7f92246dea 100644 --- a/api_docs/kbn_analytics_shippers_fullstory.mdx +++ b/api_docs/kbn_analytics_shippers_fullstory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-fullstory title: "@kbn/analytics-shippers-fullstory" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-fullstory plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-fullstory'] --- import kbnAnalyticsShippersFullstoryObj from './kbn_analytics_shippers_fullstory.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_gainsight.mdx b/api_docs/kbn_analytics_shippers_gainsight.mdx index 62aa2fd36c033..e3316368d8f17 100644 --- a/api_docs/kbn_analytics_shippers_gainsight.mdx +++ b/api_docs/kbn_analytics_shippers_gainsight.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-gainsight title: "@kbn/analytics-shippers-gainsight" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-gainsight plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-gainsight'] --- import kbnAnalyticsShippersGainsightObj from './kbn_analytics_shippers_gainsight.devdocs.json'; diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index 294490c47da76..f4ed409427259 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-config-loader title: "@kbn/apm-config-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-config-loader plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-config-loader'] --- import kbnApmConfigLoaderObj from './kbn_apm_config_loader.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace.mdx b/api_docs/kbn_apm_synthtrace.mdx index d502f8d13582f..8a1be28f80023 100644 --- a/api_docs/kbn_apm_synthtrace.mdx +++ b/api_docs/kbn_apm_synthtrace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace title: "@kbn/apm-synthtrace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace'] --- import kbnApmSynthtraceObj from './kbn_apm_synthtrace.devdocs.json'; diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index e046c165b8ecb..1be2f10521fe5 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-utils title: "@kbn/apm-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-utils'] --- import kbnApmUtilsObj from './kbn_apm_utils.devdocs.json'; diff --git a/api_docs/kbn_axe_config.mdx b/api_docs/kbn_axe_config.mdx index bd5f5dcedef62..00e140812a778 100644 --- a/api_docs/kbn_axe_config.mdx +++ b/api_docs/kbn_axe_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-axe-config title: "@kbn/axe-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/axe-config plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/axe-config'] --- import kbnAxeConfigObj from './kbn_axe_config.devdocs.json'; diff --git a/api_docs/kbn_cases_components.mdx b/api_docs/kbn_cases_components.mdx index fef0f6ad01606..bbd7020e4c728 100644 --- a/api_docs/kbn_cases_components.mdx +++ b/api_docs/kbn_cases_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cases-components title: "@kbn/cases-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cases-components plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cases-components'] --- import kbnCasesComponentsObj from './kbn_cases_components.devdocs.json'; diff --git a/api_docs/kbn_chart_icons.mdx b/api_docs/kbn_chart_icons.mdx index 1e9c4492db01a..385266d637223 100644 --- a/api_docs/kbn_chart_icons.mdx +++ b/api_docs/kbn_chart_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-icons title: "@kbn/chart-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-icons plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-icons'] --- import kbnChartIconsObj from './kbn_chart_icons.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_core.mdx b/api_docs/kbn_ci_stats_core.mdx index b85f1dfd376fd..d3631a7bc141a 100644 --- a/api_docs/kbn_ci_stats_core.mdx +++ b/api_docs/kbn_ci_stats_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-core title: "@kbn/ci-stats-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-core plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-core'] --- import kbnCiStatsCoreObj from './kbn_ci_stats_core.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_performance_metrics.mdx b/api_docs/kbn_ci_stats_performance_metrics.mdx index f21c88e2b677a..8da0393d08738 100644 --- a/api_docs/kbn_ci_stats_performance_metrics.mdx +++ b/api_docs/kbn_ci_stats_performance_metrics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-performance-metrics title: "@kbn/ci-stats-performance-metrics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-performance-metrics plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-performance-metrics'] --- import kbnCiStatsPerformanceMetricsObj from './kbn_ci_stats_performance_metrics.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_reporter.mdx b/api_docs/kbn_ci_stats_reporter.mdx index 2eba37b850887..9c87c0fc9ae34 100644 --- a/api_docs/kbn_ci_stats_reporter.mdx +++ b/api_docs/kbn_ci_stats_reporter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-reporter title: "@kbn/ci-stats-reporter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-reporter plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-reporter'] --- import kbnCiStatsReporterObj from './kbn_ci_stats_reporter.devdocs.json'; diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index 88071ab7201fa..f57ad0e11b50c 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cli-dev-mode title: "@kbn/cli-dev-mode" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cli-dev-mode plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cli-dev-mode'] --- import kbnCliDevModeObj from './kbn_cli_dev_mode.devdocs.json'; diff --git a/api_docs/kbn_coloring.mdx b/api_docs/kbn_coloring.mdx index 94a7ea3de28b8..a53f15107267e 100644 --- a/api_docs/kbn_coloring.mdx +++ b/api_docs/kbn_coloring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-coloring title: "@kbn/coloring" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/coloring plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/coloring'] --- import kbnColoringObj from './kbn_coloring.devdocs.json'; diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index a3fecb53f9ec4..c42b804b271ce 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config title: "@kbn/config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config'] --- import kbnConfigObj from './kbn_config.devdocs.json'; diff --git a/api_docs/kbn_config_mocks.mdx b/api_docs/kbn_config_mocks.mdx index bf9fe4ca45262..d39d55079dc73 100644 --- a/api_docs/kbn_config_mocks.mdx +++ b/api_docs/kbn_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-mocks title: "@kbn/config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-mocks'] --- import kbnConfigMocksObj from './kbn_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index 72d10d6c2fb48..714499ba66928 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-schema title: "@kbn/config-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-schema plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-schema'] --- import kbnConfigSchemaObj from './kbn_config_schema.devdocs.json'; diff --git a/api_docs/kbn_content_management_inspector.mdx b/api_docs/kbn_content_management_inspector.mdx index f5ed54bcfee22..b969b0f8c6117 100644 --- a/api_docs/kbn_content_management_inspector.mdx +++ b/api_docs/kbn_content_management_inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-inspector title: "@kbn/content-management-inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-inspector plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-inspector'] --- import kbnContentManagementInspectorObj from './kbn_content_management_inspector.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list.mdx b/api_docs/kbn_content_management_table_list.mdx index 4ec0e4934d3c4..6cab483ff3c2b 100644 --- a/api_docs/kbn_content_management_table_list.mdx +++ b/api_docs/kbn_content_management_table_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list title: "@kbn/content-management-table-list" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list'] --- import kbnContentManagementTableListObj from './kbn_content_management_table_list.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser.mdx b/api_docs/kbn_core_analytics_browser.mdx index cf8f8684d40aa..9349414c32c89 100644 --- a/api_docs/kbn_core_analytics_browser.mdx +++ b/api_docs/kbn_core_analytics_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser title: "@kbn/core-analytics-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser'] --- import kbnCoreAnalyticsBrowserObj from './kbn_core_analytics_browser.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_internal.mdx b/api_docs/kbn_core_analytics_browser_internal.mdx index d6eb9af666611..d965986e28531 100644 --- a/api_docs/kbn_core_analytics_browser_internal.mdx +++ b/api_docs/kbn_core_analytics_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-internal title: "@kbn/core-analytics-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-internal'] --- import kbnCoreAnalyticsBrowserInternalObj from './kbn_core_analytics_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_mocks.mdx b/api_docs/kbn_core_analytics_browser_mocks.mdx index 5ac3068dd1821..c1d018fa79c9d 100644 --- a/api_docs/kbn_core_analytics_browser_mocks.mdx +++ b/api_docs/kbn_core_analytics_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-mocks title: "@kbn/core-analytics-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-mocks'] --- import kbnCoreAnalyticsBrowserMocksObj from './kbn_core_analytics_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server.mdx b/api_docs/kbn_core_analytics_server.mdx index 72c662c696552..045abd941ed37 100644 --- a/api_docs/kbn_core_analytics_server.mdx +++ b/api_docs/kbn_core_analytics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server title: "@kbn/core-analytics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server'] --- import kbnCoreAnalyticsServerObj from './kbn_core_analytics_server.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_internal.mdx b/api_docs/kbn_core_analytics_server_internal.mdx index 84b199901a6e7..d8b322e8127be 100644 --- a/api_docs/kbn_core_analytics_server_internal.mdx +++ b/api_docs/kbn_core_analytics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-internal title: "@kbn/core-analytics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-internal'] --- import kbnCoreAnalyticsServerInternalObj from './kbn_core_analytics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_mocks.mdx b/api_docs/kbn_core_analytics_server_mocks.mdx index 3a136eb15c204..f1b435688f8d0 100644 --- a/api_docs/kbn_core_analytics_server_mocks.mdx +++ b/api_docs/kbn_core_analytics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-mocks title: "@kbn/core-analytics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-mocks'] --- import kbnCoreAnalyticsServerMocksObj from './kbn_core_analytics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser.mdx b/api_docs/kbn_core_application_browser.mdx index 1e15b0942a6d4..96bbd06273fce 100644 --- a/api_docs/kbn_core_application_browser.mdx +++ b/api_docs/kbn_core_application_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser title: "@kbn/core-application-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser'] --- import kbnCoreApplicationBrowserObj from './kbn_core_application_browser.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_internal.mdx b/api_docs/kbn_core_application_browser_internal.mdx index 21393959c1daf..fb35a253200a2 100644 --- a/api_docs/kbn_core_application_browser_internal.mdx +++ b/api_docs/kbn_core_application_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-internal title: "@kbn/core-application-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-internal'] --- import kbnCoreApplicationBrowserInternalObj from './kbn_core_application_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_mocks.mdx b/api_docs/kbn_core_application_browser_mocks.mdx index 1b9e369f07cec..481c371aa8297 100644 --- a/api_docs/kbn_core_application_browser_mocks.mdx +++ b/api_docs/kbn_core_application_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-mocks title: "@kbn/core-application-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-mocks'] --- import kbnCoreApplicationBrowserMocksObj from './kbn_core_application_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_common.mdx b/api_docs/kbn_core_application_common.mdx index 13c278db4266c..1f16db74d4edc 100644 --- a/api_docs/kbn_core_application_common.mdx +++ b/api_docs/kbn_core_application_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-common title: "@kbn/core-application-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-common'] --- import kbnCoreApplicationCommonObj from './kbn_core_application_common.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_internal.mdx b/api_docs/kbn_core_apps_browser_internal.mdx index 44b4ec4e5592b..32a3a5efabfb8 100644 --- a/api_docs/kbn_core_apps_browser_internal.mdx +++ b/api_docs/kbn_core_apps_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-internal title: "@kbn/core-apps-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-internal'] --- import kbnCoreAppsBrowserInternalObj from './kbn_core_apps_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_mocks.mdx b/api_docs/kbn_core_apps_browser_mocks.mdx index 9d1e8bb646c9b..dc21e7156b3b2 100644 --- a/api_docs/kbn_core_apps_browser_mocks.mdx +++ b/api_docs/kbn_core_apps_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-mocks title: "@kbn/core-apps-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-mocks'] --- import kbnCoreAppsBrowserMocksObj from './kbn_core_apps_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_apps_server_internal.mdx b/api_docs/kbn_core_apps_server_internal.mdx index 272fc6c8f6454..947ea042a5847 100644 --- a/api_docs/kbn_core_apps_server_internal.mdx +++ b/api_docs/kbn_core_apps_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-server-internal title: "@kbn/core-apps-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-server-internal'] --- import kbnCoreAppsServerInternalObj from './kbn_core_apps_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_browser_mocks.mdx b/api_docs/kbn_core_base_browser_mocks.mdx index 5179876d4c547..c472dd3d1c386 100644 --- a/api_docs/kbn_core_base_browser_mocks.mdx +++ b/api_docs/kbn_core_base_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-browser-mocks title: "@kbn/core-base-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-browser-mocks'] --- import kbnCoreBaseBrowserMocksObj from './kbn_core_base_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_base_common.mdx b/api_docs/kbn_core_base_common.mdx index 15147b51cea8f..3a4647edab48b 100644 --- a/api_docs/kbn_core_base_common.mdx +++ b/api_docs/kbn_core_base_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-common title: "@kbn/core-base-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-common'] --- import kbnCoreBaseCommonObj from './kbn_core_base_common.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_internal.mdx b/api_docs/kbn_core_base_server_internal.mdx index 46f8bc9d016b6..1c2c01ada3a50 100644 --- a/api_docs/kbn_core_base_server_internal.mdx +++ b/api_docs/kbn_core_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-internal title: "@kbn/core-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-internal'] --- import kbnCoreBaseServerInternalObj from './kbn_core_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_mocks.mdx b/api_docs/kbn_core_base_server_mocks.mdx index 0febf8d718334..e3c85fe1e6310 100644 --- a/api_docs/kbn_core_base_server_mocks.mdx +++ b/api_docs/kbn_core_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-mocks title: "@kbn/core-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-mocks'] --- import kbnCoreBaseServerMocksObj from './kbn_core_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_browser_mocks.mdx b/api_docs/kbn_core_capabilities_browser_mocks.mdx index a378d5ac5609b..6d0a76567987d 100644 --- a/api_docs/kbn_core_capabilities_browser_mocks.mdx +++ b/api_docs/kbn_core_capabilities_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-browser-mocks title: "@kbn/core-capabilities-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-browser-mocks'] --- import kbnCoreCapabilitiesBrowserMocksObj from './kbn_core_capabilities_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_common.mdx b/api_docs/kbn_core_capabilities_common.mdx index f5e94a8f9023e..449711d31cadd 100644 --- a/api_docs/kbn_core_capabilities_common.mdx +++ b/api_docs/kbn_core_capabilities_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-common title: "@kbn/core-capabilities-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-common'] --- import kbnCoreCapabilitiesCommonObj from './kbn_core_capabilities_common.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server.mdx b/api_docs/kbn_core_capabilities_server.mdx index 0330b052c4544..d9f67d7d1d7c1 100644 --- a/api_docs/kbn_core_capabilities_server.mdx +++ b/api_docs/kbn_core_capabilities_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server title: "@kbn/core-capabilities-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server'] --- import kbnCoreCapabilitiesServerObj from './kbn_core_capabilities_server.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server_mocks.mdx b/api_docs/kbn_core_capabilities_server_mocks.mdx index 6ffbdf177dba5..c0150cc709350 100644 --- a/api_docs/kbn_core_capabilities_server_mocks.mdx +++ b/api_docs/kbn_core_capabilities_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server-mocks title: "@kbn/core-capabilities-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server-mocks'] --- import kbnCoreCapabilitiesServerMocksObj from './kbn_core_capabilities_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser.mdx b/api_docs/kbn_core_chrome_browser.mdx index 6a069eda30d7d..4412d6af6d675 100644 --- a/api_docs/kbn_core_chrome_browser.mdx +++ b/api_docs/kbn_core_chrome_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser title: "@kbn/core-chrome-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser'] --- import kbnCoreChromeBrowserObj from './kbn_core_chrome_browser.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser_mocks.mdx b/api_docs/kbn_core_chrome_browser_mocks.mdx index eac0226a9fd81..c5a4c9c7816a4 100644 --- a/api_docs/kbn_core_chrome_browser_mocks.mdx +++ b/api_docs/kbn_core_chrome_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser-mocks title: "@kbn/core-chrome-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser-mocks'] --- import kbnCoreChromeBrowserMocksObj from './kbn_core_chrome_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_config_server_internal.mdx b/api_docs/kbn_core_config_server_internal.mdx index 0e290beddad8e..dcf1d3daeb2fd 100644 --- a/api_docs/kbn_core_config_server_internal.mdx +++ b/api_docs/kbn_core_config_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-config-server-internal title: "@kbn/core-config-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-config-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-config-server-internal'] --- import kbnCoreConfigServerInternalObj from './kbn_core_config_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser.mdx b/api_docs/kbn_core_deprecations_browser.mdx index 803871c56d43d..69af47117c852 100644 --- a/api_docs/kbn_core_deprecations_browser.mdx +++ b/api_docs/kbn_core_deprecations_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser title: "@kbn/core-deprecations-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser'] --- import kbnCoreDeprecationsBrowserObj from './kbn_core_deprecations_browser.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_internal.mdx b/api_docs/kbn_core_deprecations_browser_internal.mdx index 5e56e5f431e7b..818763ccdd643 100644 --- a/api_docs/kbn_core_deprecations_browser_internal.mdx +++ b/api_docs/kbn_core_deprecations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-internal title: "@kbn/core-deprecations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-internal'] --- import kbnCoreDeprecationsBrowserInternalObj from './kbn_core_deprecations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_mocks.mdx b/api_docs/kbn_core_deprecations_browser_mocks.mdx index 63976afc7a138..261b4ff46cc6c 100644 --- a/api_docs/kbn_core_deprecations_browser_mocks.mdx +++ b/api_docs/kbn_core_deprecations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-mocks title: "@kbn/core-deprecations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-mocks'] --- import kbnCoreDeprecationsBrowserMocksObj from './kbn_core_deprecations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_common.mdx b/api_docs/kbn_core_deprecations_common.mdx index 4790db66868ea..12e47e85813e3 100644 --- a/api_docs/kbn_core_deprecations_common.mdx +++ b/api_docs/kbn_core_deprecations_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-common title: "@kbn/core-deprecations-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-common'] --- import kbnCoreDeprecationsCommonObj from './kbn_core_deprecations_common.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server.mdx b/api_docs/kbn_core_deprecations_server.mdx index 483d758fbe23b..dc9032e9068ee 100644 --- a/api_docs/kbn_core_deprecations_server.mdx +++ b/api_docs/kbn_core_deprecations_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server title: "@kbn/core-deprecations-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server'] --- import kbnCoreDeprecationsServerObj from './kbn_core_deprecations_server.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_internal.mdx b/api_docs/kbn_core_deprecations_server_internal.mdx index ace30afc04df0..3883c58bb0e52 100644 --- a/api_docs/kbn_core_deprecations_server_internal.mdx +++ b/api_docs/kbn_core_deprecations_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-internal title: "@kbn/core-deprecations-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-internal'] --- import kbnCoreDeprecationsServerInternalObj from './kbn_core_deprecations_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_mocks.mdx b/api_docs/kbn_core_deprecations_server_mocks.mdx index cda23356d8bc0..fa1829a14345e 100644 --- a/api_docs/kbn_core_deprecations_server_mocks.mdx +++ b/api_docs/kbn_core_deprecations_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-mocks title: "@kbn/core-deprecations-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-mocks'] --- import kbnCoreDeprecationsServerMocksObj from './kbn_core_deprecations_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser.mdx b/api_docs/kbn_core_doc_links_browser.mdx index 2a4b0a7ffa661..03603f6d718da 100644 --- a/api_docs/kbn_core_doc_links_browser.mdx +++ b/api_docs/kbn_core_doc_links_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser title: "@kbn/core-doc-links-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser'] --- import kbnCoreDocLinksBrowserObj from './kbn_core_doc_links_browser.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser_mocks.mdx b/api_docs/kbn_core_doc_links_browser_mocks.mdx index a91c3e460e9af..41b8cce3c48bd 100644 --- a/api_docs/kbn_core_doc_links_browser_mocks.mdx +++ b/api_docs/kbn_core_doc_links_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser-mocks title: "@kbn/core-doc-links-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser-mocks'] --- import kbnCoreDocLinksBrowserMocksObj from './kbn_core_doc_links_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server.mdx b/api_docs/kbn_core_doc_links_server.mdx index 645398d0f6c49..d7d0841c89f97 100644 --- a/api_docs/kbn_core_doc_links_server.mdx +++ b/api_docs/kbn_core_doc_links_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server title: "@kbn/core-doc-links-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server'] --- import kbnCoreDocLinksServerObj from './kbn_core_doc_links_server.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server_mocks.mdx b/api_docs/kbn_core_doc_links_server_mocks.mdx index 653230a0be1ee..31f967e3dcaee 100644 --- a/api_docs/kbn_core_doc_links_server_mocks.mdx +++ b/api_docs/kbn_core_doc_links_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server-mocks title: "@kbn/core-doc-links-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server-mocks'] --- import kbnCoreDocLinksServerMocksObj from './kbn_core_doc_links_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx index 92b7b55972688..0828321e2856d 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-internal title: "@kbn/core-elasticsearch-client-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-internal'] --- import kbnCoreElasticsearchClientServerInternalObj from './kbn_core_elasticsearch_client_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx index cadabab0b2044..d90e0d80b47f7 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-mocks title: "@kbn/core-elasticsearch-client-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-mocks'] --- import kbnCoreElasticsearchClientServerMocksObj from './kbn_core_elasticsearch_client_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server.mdx b/api_docs/kbn_core_elasticsearch_server.mdx index 2c9af9f88271b..fc61640f9c659 100644 --- a/api_docs/kbn_core_elasticsearch_server.mdx +++ b/api_docs/kbn_core_elasticsearch_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server title: "@kbn/core-elasticsearch-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server'] --- import kbnCoreElasticsearchServerObj from './kbn_core_elasticsearch_server.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_internal.mdx b/api_docs/kbn_core_elasticsearch_server_internal.mdx index 5b564e6faa049..f1f406153d63b 100644 --- a/api_docs/kbn_core_elasticsearch_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-internal title: "@kbn/core-elasticsearch-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-internal'] --- import kbnCoreElasticsearchServerInternalObj from './kbn_core_elasticsearch_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_server_mocks.mdx index 9f5e23e8f81f5..763e478f99794 100644 --- a/api_docs/kbn_core_elasticsearch_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-mocks title: "@kbn/core-elasticsearch-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-mocks'] --- import kbnCoreElasticsearchServerMocksObj from './kbn_core_elasticsearch_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_internal.mdx b/api_docs/kbn_core_environment_server_internal.mdx index fddbda150d25d..54c6ad93ae064 100644 --- a/api_docs/kbn_core_environment_server_internal.mdx +++ b/api_docs/kbn_core_environment_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-internal title: "@kbn/core-environment-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-internal'] --- import kbnCoreEnvironmentServerInternalObj from './kbn_core_environment_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_mocks.mdx b/api_docs/kbn_core_environment_server_mocks.mdx index 83b34b72515c7..97ebbc12f7f0f 100644 --- a/api_docs/kbn_core_environment_server_mocks.mdx +++ b/api_docs/kbn_core_environment_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-mocks title: "@kbn/core-environment-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-mocks'] --- import kbnCoreEnvironmentServerMocksObj from './kbn_core_environment_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser.mdx b/api_docs/kbn_core_execution_context_browser.mdx index 6db7944efec99..987d1790d83d5 100644 --- a/api_docs/kbn_core_execution_context_browser.mdx +++ b/api_docs/kbn_core_execution_context_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser title: "@kbn/core-execution-context-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser'] --- import kbnCoreExecutionContextBrowserObj from './kbn_core_execution_context_browser.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_internal.mdx b/api_docs/kbn_core_execution_context_browser_internal.mdx index 523d0e20b76ee..9b870cd7c155b 100644 --- a/api_docs/kbn_core_execution_context_browser_internal.mdx +++ b/api_docs/kbn_core_execution_context_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-internal title: "@kbn/core-execution-context-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-internal'] --- import kbnCoreExecutionContextBrowserInternalObj from './kbn_core_execution_context_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_mocks.mdx b/api_docs/kbn_core_execution_context_browser_mocks.mdx index ba06a16948ea9..95afcb596b54a 100644 --- a/api_docs/kbn_core_execution_context_browser_mocks.mdx +++ b/api_docs/kbn_core_execution_context_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-mocks title: "@kbn/core-execution-context-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-mocks'] --- import kbnCoreExecutionContextBrowserMocksObj from './kbn_core_execution_context_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_common.mdx b/api_docs/kbn_core_execution_context_common.mdx index 7c84a8260ca13..ab9c22db238b6 100644 --- a/api_docs/kbn_core_execution_context_common.mdx +++ b/api_docs/kbn_core_execution_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-common title: "@kbn/core-execution-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-common'] --- import kbnCoreExecutionContextCommonObj from './kbn_core_execution_context_common.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server.mdx b/api_docs/kbn_core_execution_context_server.mdx index a2dd7f735b7fa..58aef250a1c3e 100644 --- a/api_docs/kbn_core_execution_context_server.mdx +++ b/api_docs/kbn_core_execution_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server title: "@kbn/core-execution-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server'] --- import kbnCoreExecutionContextServerObj from './kbn_core_execution_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_internal.mdx b/api_docs/kbn_core_execution_context_server_internal.mdx index c880720afc777..8d22e155ff274 100644 --- a/api_docs/kbn_core_execution_context_server_internal.mdx +++ b/api_docs/kbn_core_execution_context_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-internal title: "@kbn/core-execution-context-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-internal'] --- import kbnCoreExecutionContextServerInternalObj from './kbn_core_execution_context_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_mocks.mdx b/api_docs/kbn_core_execution_context_server_mocks.mdx index 0b0725d0b2e5b..fbcef1691a6b5 100644 --- a/api_docs/kbn_core_execution_context_server_mocks.mdx +++ b/api_docs/kbn_core_execution_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-mocks title: "@kbn/core-execution-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-mocks'] --- import kbnCoreExecutionContextServerMocksObj from './kbn_core_execution_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser.mdx b/api_docs/kbn_core_fatal_errors_browser.mdx index db665bd8219d8..4696bb123b2cd 100644 --- a/api_docs/kbn_core_fatal_errors_browser.mdx +++ b/api_docs/kbn_core_fatal_errors_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser title: "@kbn/core-fatal-errors-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser'] --- import kbnCoreFatalErrorsBrowserObj from './kbn_core_fatal_errors_browser.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx index ccfd4b424da06..117e59e8c53e1 100644 --- a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx +++ b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser-mocks title: "@kbn/core-fatal-errors-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser-mocks'] --- import kbnCoreFatalErrorsBrowserMocksObj from './kbn_core_fatal_errors_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser.mdx b/api_docs/kbn_core_http_browser.mdx index b5520fe29a3aa..7bbed17c23be9 100644 --- a/api_docs/kbn_core_http_browser.mdx +++ b/api_docs/kbn_core_http_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser title: "@kbn/core-http-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser'] --- import kbnCoreHttpBrowserObj from './kbn_core_http_browser.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_internal.mdx b/api_docs/kbn_core_http_browser_internal.mdx index 97c7bcd91c867..ce2bc40e0e04e 100644 --- a/api_docs/kbn_core_http_browser_internal.mdx +++ b/api_docs/kbn_core_http_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-internal title: "@kbn/core-http-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-internal'] --- import kbnCoreHttpBrowserInternalObj from './kbn_core_http_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_mocks.mdx b/api_docs/kbn_core_http_browser_mocks.mdx index 2efee38384519..b5b1283a5ed78 100644 --- a/api_docs/kbn_core_http_browser_mocks.mdx +++ b/api_docs/kbn_core_http_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-mocks title: "@kbn/core-http-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-mocks'] --- import kbnCoreHttpBrowserMocksObj from './kbn_core_http_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_common.mdx b/api_docs/kbn_core_http_common.mdx index de422951c1a19..624192628ad27 100644 --- a/api_docs/kbn_core_http_common.mdx +++ b/api_docs/kbn_core_http_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-common title: "@kbn/core-http-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-common'] --- import kbnCoreHttpCommonObj from './kbn_core_http_common.devdocs.json'; diff --git a/api_docs/kbn_core_http_context_server_mocks.mdx b/api_docs/kbn_core_http_context_server_mocks.mdx index e64329ef5e3fc..9b6e78996fe1d 100644 --- a/api_docs/kbn_core_http_context_server_mocks.mdx +++ b/api_docs/kbn_core_http_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-context-server-mocks title: "@kbn/core-http-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-context-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-context-server-mocks'] --- import kbnCoreHttpContextServerMocksObj from './kbn_core_http_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_request_handler_context_server.mdx b/api_docs/kbn_core_http_request_handler_context_server.mdx index ee0a45707e20a..6fa94186f5431 100644 --- a/api_docs/kbn_core_http_request_handler_context_server.mdx +++ b/api_docs/kbn_core_http_request_handler_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-request-handler-context-server title: "@kbn/core-http-request-handler-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-request-handler-context-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-request-handler-context-server'] --- import kbnCoreHttpRequestHandlerContextServerObj from './kbn_core_http_request_handler_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server.mdx b/api_docs/kbn_core_http_resources_server.mdx index f0be1808cf7e6..5d496d7927d4a 100644 --- a/api_docs/kbn_core_http_resources_server.mdx +++ b/api_docs/kbn_core_http_resources_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server title: "@kbn/core-http-resources-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server'] --- import kbnCoreHttpResourcesServerObj from './kbn_core_http_resources_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_internal.mdx b/api_docs/kbn_core_http_resources_server_internal.mdx index 82cdd307a111f..30217c234874f 100644 --- a/api_docs/kbn_core_http_resources_server_internal.mdx +++ b/api_docs/kbn_core_http_resources_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-internal title: "@kbn/core-http-resources-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-internal'] --- import kbnCoreHttpResourcesServerInternalObj from './kbn_core_http_resources_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_mocks.mdx b/api_docs/kbn_core_http_resources_server_mocks.mdx index c72d935b915b9..581e6d7df75e0 100644 --- a/api_docs/kbn_core_http_resources_server_mocks.mdx +++ b/api_docs/kbn_core_http_resources_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-mocks title: "@kbn/core-http-resources-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-mocks'] --- import kbnCoreHttpResourcesServerMocksObj from './kbn_core_http_resources_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_internal.mdx b/api_docs/kbn_core_http_router_server_internal.mdx index 1bae12e6e4920..0540a919e4831 100644 --- a/api_docs/kbn_core_http_router_server_internal.mdx +++ b/api_docs/kbn_core_http_router_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-internal title: "@kbn/core-http-router-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-internal'] --- import kbnCoreHttpRouterServerInternalObj from './kbn_core_http_router_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_mocks.mdx b/api_docs/kbn_core_http_router_server_mocks.mdx index f015b204bca44..82891887f0420 100644 --- a/api_docs/kbn_core_http_router_server_mocks.mdx +++ b/api_docs/kbn_core_http_router_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-mocks title: "@kbn/core-http-router-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-mocks'] --- import kbnCoreHttpRouterServerMocksObj from './kbn_core_http_router_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server.mdx b/api_docs/kbn_core_http_server.mdx index 91ea02fa34aa9..03cfac603ca9f 100644 --- a/api_docs/kbn_core_http_server.mdx +++ b/api_docs/kbn_core_http_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server title: "@kbn/core-http-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server'] --- import kbnCoreHttpServerObj from './kbn_core_http_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_internal.mdx b/api_docs/kbn_core_http_server_internal.mdx index 1372aee32e9b7..f56cc56f42340 100644 --- a/api_docs/kbn_core_http_server_internal.mdx +++ b/api_docs/kbn_core_http_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-internal title: "@kbn/core-http-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-internal'] --- import kbnCoreHttpServerInternalObj from './kbn_core_http_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_mocks.mdx b/api_docs/kbn_core_http_server_mocks.mdx index e871c2f244688..698b0c9f18eb0 100644 --- a/api_docs/kbn_core_http_server_mocks.mdx +++ b/api_docs/kbn_core_http_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-mocks title: "@kbn/core-http-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-mocks'] --- import kbnCoreHttpServerMocksObj from './kbn_core_http_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser.mdx b/api_docs/kbn_core_i18n_browser.mdx index e11a27e41ba54..6e64578f2fe38 100644 --- a/api_docs/kbn_core_i18n_browser.mdx +++ b/api_docs/kbn_core_i18n_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser title: "@kbn/core-i18n-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser'] --- import kbnCoreI18nBrowserObj from './kbn_core_i18n_browser.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser_mocks.mdx b/api_docs/kbn_core_i18n_browser_mocks.mdx index 61795e604304c..7fa8c6295c61f 100644 --- a/api_docs/kbn_core_i18n_browser_mocks.mdx +++ b/api_docs/kbn_core_i18n_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser-mocks title: "@kbn/core-i18n-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser-mocks'] --- import kbnCoreI18nBrowserMocksObj from './kbn_core_i18n_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server.mdx b/api_docs/kbn_core_i18n_server.mdx index 7d7b83a3b542a..9211fa36cdf0c 100644 --- a/api_docs/kbn_core_i18n_server.mdx +++ b/api_docs/kbn_core_i18n_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server title: "@kbn/core-i18n-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server'] --- import kbnCoreI18nServerObj from './kbn_core_i18n_server.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_internal.mdx b/api_docs/kbn_core_i18n_server_internal.mdx index b68af7cf8ee99..39b2b523484e2 100644 --- a/api_docs/kbn_core_i18n_server_internal.mdx +++ b/api_docs/kbn_core_i18n_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-internal title: "@kbn/core-i18n-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-internal'] --- import kbnCoreI18nServerInternalObj from './kbn_core_i18n_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_mocks.mdx b/api_docs/kbn_core_i18n_server_mocks.mdx index c7369b0c8824b..c2b8cc3bddaf0 100644 --- a/api_docs/kbn_core_i18n_server_mocks.mdx +++ b/api_docs/kbn_core_i18n_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-mocks title: "@kbn/core-i18n-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-mocks'] --- import kbnCoreI18nServerMocksObj from './kbn_core_i18n_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser.mdx b/api_docs/kbn_core_injected_metadata_browser.mdx index 6e0fa4a13a8bc..d1ecaea2d5505 100644 --- a/api_docs/kbn_core_injected_metadata_browser.mdx +++ b/api_docs/kbn_core_injected_metadata_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser title: "@kbn/core-injected-metadata-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser'] --- import kbnCoreInjectedMetadataBrowserObj from './kbn_core_injected_metadata_browser.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx index 164874c87be99..9973df02af392 100644 --- a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx +++ b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser-mocks title: "@kbn/core-injected-metadata-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser-mocks'] --- import kbnCoreInjectedMetadataBrowserMocksObj from './kbn_core_injected_metadata_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_internal.mdx b/api_docs/kbn_core_integrations_browser_internal.mdx index a071d672a6dd7..c4b4a998d7e62 100644 --- a/api_docs/kbn_core_integrations_browser_internal.mdx +++ b/api_docs/kbn_core_integrations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-internal title: "@kbn/core-integrations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-internal'] --- import kbnCoreIntegrationsBrowserInternalObj from './kbn_core_integrations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_mocks.mdx b/api_docs/kbn_core_integrations_browser_mocks.mdx index 31e50bf6440a3..eaece2e67cd7b 100644 --- a/api_docs/kbn_core_integrations_browser_mocks.mdx +++ b/api_docs/kbn_core_integrations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-mocks title: "@kbn/core-integrations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-mocks'] --- import kbnCoreIntegrationsBrowserMocksObj from './kbn_core_integrations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser.mdx b/api_docs/kbn_core_lifecycle_browser.mdx index a5d74401f2861..8bdcc8da30276 100644 --- a/api_docs/kbn_core_lifecycle_browser.mdx +++ b/api_docs/kbn_core_lifecycle_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser title: "@kbn/core-lifecycle-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser'] --- import kbnCoreLifecycleBrowserObj from './kbn_core_lifecycle_browser.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser_mocks.mdx b/api_docs/kbn_core_lifecycle_browser_mocks.mdx index ba97e46ad5f57..e20c69383e40d 100644 --- a/api_docs/kbn_core_lifecycle_browser_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser-mocks title: "@kbn/core-lifecycle-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser-mocks'] --- import kbnCoreLifecycleBrowserMocksObj from './kbn_core_lifecycle_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server.mdx b/api_docs/kbn_core_lifecycle_server.mdx index 0daaa26aa95af..516698f611866 100644 --- a/api_docs/kbn_core_lifecycle_server.mdx +++ b/api_docs/kbn_core_lifecycle_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server title: "@kbn/core-lifecycle-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server'] --- import kbnCoreLifecycleServerObj from './kbn_core_lifecycle_server.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server_mocks.mdx b/api_docs/kbn_core_lifecycle_server_mocks.mdx index 7ac838497df08..d1a56e1524c78 100644 --- a/api_docs/kbn_core_lifecycle_server_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server-mocks title: "@kbn/core-lifecycle-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server-mocks'] --- import kbnCoreLifecycleServerMocksObj from './kbn_core_lifecycle_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_browser_mocks.mdx b/api_docs/kbn_core_logging_browser_mocks.mdx index b52d0620d3664..1819d75b4641f 100644 --- a/api_docs/kbn_core_logging_browser_mocks.mdx +++ b/api_docs/kbn_core_logging_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-browser-mocks title: "@kbn/core-logging-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-browser-mocks'] --- import kbnCoreLoggingBrowserMocksObj from './kbn_core_logging_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_common_internal.mdx b/api_docs/kbn_core_logging_common_internal.mdx index 1534665fc6131..b051b4917bf0f 100644 --- a/api_docs/kbn_core_logging_common_internal.mdx +++ b/api_docs/kbn_core_logging_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-common-internal title: "@kbn/core-logging-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-common-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-common-internal'] --- import kbnCoreLoggingCommonInternalObj from './kbn_core_logging_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server.mdx b/api_docs/kbn_core_logging_server.mdx index 03578472b9d6c..4dc40d595eb2c 100644 --- a/api_docs/kbn_core_logging_server.mdx +++ b/api_docs/kbn_core_logging_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server title: "@kbn/core-logging-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server'] --- import kbnCoreLoggingServerObj from './kbn_core_logging_server.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_internal.mdx b/api_docs/kbn_core_logging_server_internal.mdx index 52fd16277eeac..08b1a9d5e546f 100644 --- a/api_docs/kbn_core_logging_server_internal.mdx +++ b/api_docs/kbn_core_logging_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-internal title: "@kbn/core-logging-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-internal'] --- import kbnCoreLoggingServerInternalObj from './kbn_core_logging_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_mocks.mdx b/api_docs/kbn_core_logging_server_mocks.mdx index a804a573fb03a..fd2c2b387f447 100644 --- a/api_docs/kbn_core_logging_server_mocks.mdx +++ b/api_docs/kbn_core_logging_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-mocks title: "@kbn/core-logging-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-mocks'] --- import kbnCoreLoggingServerMocksObj from './kbn_core_logging_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_internal.mdx b/api_docs/kbn_core_metrics_collectors_server_internal.mdx index d72bd2160bad9..297cd5a7aa600 100644 --- a/api_docs/kbn_core_metrics_collectors_server_internal.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-internal title: "@kbn/core-metrics-collectors-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-internal'] --- import kbnCoreMetricsCollectorsServerInternalObj from './kbn_core_metrics_collectors_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx index 107a60d9f79cf..a1b81449a4764 100644 --- a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-mocks title: "@kbn/core-metrics-collectors-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-mocks'] --- import kbnCoreMetricsCollectorsServerMocksObj from './kbn_core_metrics_collectors_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server.mdx b/api_docs/kbn_core_metrics_server.mdx index c087cbac36649..f536e28706ca1 100644 --- a/api_docs/kbn_core_metrics_server.mdx +++ b/api_docs/kbn_core_metrics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server title: "@kbn/core-metrics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server'] --- import kbnCoreMetricsServerObj from './kbn_core_metrics_server.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_internal.mdx b/api_docs/kbn_core_metrics_server_internal.mdx index 7ee5d310f9f01..f8a5c7a5c8003 100644 --- a/api_docs/kbn_core_metrics_server_internal.mdx +++ b/api_docs/kbn_core_metrics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-internal title: "@kbn/core-metrics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-internal'] --- import kbnCoreMetricsServerInternalObj from './kbn_core_metrics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_mocks.mdx b/api_docs/kbn_core_metrics_server_mocks.mdx index ce6e8f068d67e..a831ae477663f 100644 --- a/api_docs/kbn_core_metrics_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-mocks title: "@kbn/core-metrics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-mocks'] --- import kbnCoreMetricsServerMocksObj from './kbn_core_metrics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_mount_utils_browser.mdx b/api_docs/kbn_core_mount_utils_browser.mdx index 9715ac106cbf6..db7364bfc6dd4 100644 --- a/api_docs/kbn_core_mount_utils_browser.mdx +++ b/api_docs/kbn_core_mount_utils_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-mount-utils-browser title: "@kbn/core-mount-utils-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-mount-utils-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-mount-utils-browser'] --- import kbnCoreMountUtilsBrowserObj from './kbn_core_mount_utils_browser.devdocs.json'; diff --git a/api_docs/kbn_core_node_server.mdx b/api_docs/kbn_core_node_server.mdx index b2298da8cee77..af60bab8b5f53 100644 --- a/api_docs/kbn_core_node_server.mdx +++ b/api_docs/kbn_core_node_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server title: "@kbn/core-node-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server'] --- import kbnCoreNodeServerObj from './kbn_core_node_server.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_internal.mdx b/api_docs/kbn_core_node_server_internal.mdx index c0307e364da54..11378a2cab6ba 100644 --- a/api_docs/kbn_core_node_server_internal.mdx +++ b/api_docs/kbn_core_node_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-internal title: "@kbn/core-node-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-internal'] --- import kbnCoreNodeServerInternalObj from './kbn_core_node_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_mocks.mdx b/api_docs/kbn_core_node_server_mocks.mdx index f217cfcd74bc7..375cd695342cb 100644 --- a/api_docs/kbn_core_node_server_mocks.mdx +++ b/api_docs/kbn_core_node_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-mocks title: "@kbn/core-node-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-mocks'] --- import kbnCoreNodeServerMocksObj from './kbn_core_node_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser.mdx b/api_docs/kbn_core_notifications_browser.mdx index 07d18861d6e7e..6fba6364c822c 100644 --- a/api_docs/kbn_core_notifications_browser.mdx +++ b/api_docs/kbn_core_notifications_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser title: "@kbn/core-notifications-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser'] --- import kbnCoreNotificationsBrowserObj from './kbn_core_notifications_browser.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_internal.mdx b/api_docs/kbn_core_notifications_browser_internal.mdx index fa0312f4faa04..5e8eb5f40ce4f 100644 --- a/api_docs/kbn_core_notifications_browser_internal.mdx +++ b/api_docs/kbn_core_notifications_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-internal title: "@kbn/core-notifications-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-internal'] --- import kbnCoreNotificationsBrowserInternalObj from './kbn_core_notifications_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_mocks.mdx b/api_docs/kbn_core_notifications_browser_mocks.mdx index f66d9868d01a3..00935601dab4f 100644 --- a/api_docs/kbn_core_notifications_browser_mocks.mdx +++ b/api_docs/kbn_core_notifications_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-mocks title: "@kbn/core-notifications-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-mocks'] --- import kbnCoreNotificationsBrowserMocksObj from './kbn_core_notifications_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser.mdx b/api_docs/kbn_core_overlays_browser.mdx index 77645be4fbf35..9c162750d4c25 100644 --- a/api_docs/kbn_core_overlays_browser.mdx +++ b/api_docs/kbn_core_overlays_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser title: "@kbn/core-overlays-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser'] --- import kbnCoreOverlaysBrowserObj from './kbn_core_overlays_browser.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_internal.mdx b/api_docs/kbn_core_overlays_browser_internal.mdx index 7e5c48d8655c4..f580265a64827 100644 --- a/api_docs/kbn_core_overlays_browser_internal.mdx +++ b/api_docs/kbn_core_overlays_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-internal title: "@kbn/core-overlays-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-internal'] --- import kbnCoreOverlaysBrowserInternalObj from './kbn_core_overlays_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_mocks.mdx b/api_docs/kbn_core_overlays_browser_mocks.mdx index 5700bf42c5381..61a3befb71785 100644 --- a/api_docs/kbn_core_overlays_browser_mocks.mdx +++ b/api_docs/kbn_core_overlays_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-mocks title: "@kbn/core-overlays-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-mocks'] --- import kbnCoreOverlaysBrowserMocksObj from './kbn_core_overlays_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser.mdx b/api_docs/kbn_core_plugins_browser.mdx index 69584bcb69665..d96f61da9887c 100644 --- a/api_docs/kbn_core_plugins_browser.mdx +++ b/api_docs/kbn_core_plugins_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser title: "@kbn/core-plugins-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser'] --- import kbnCorePluginsBrowserObj from './kbn_core_plugins_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser_mocks.mdx b/api_docs/kbn_core_plugins_browser_mocks.mdx index c5aa8a0680dad..3d59366fc4a73 100644 --- a/api_docs/kbn_core_plugins_browser_mocks.mdx +++ b/api_docs/kbn_core_plugins_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser-mocks title: "@kbn/core-plugins-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser-mocks'] --- import kbnCorePluginsBrowserMocksObj from './kbn_core_plugins_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server.mdx b/api_docs/kbn_core_plugins_server.mdx index d53e8884b95c6..aa18c60a793ef 100644 --- a/api_docs/kbn_core_plugins_server.mdx +++ b/api_docs/kbn_core_plugins_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server title: "@kbn/core-plugins-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server'] --- import kbnCorePluginsServerObj from './kbn_core_plugins_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server_mocks.mdx b/api_docs/kbn_core_plugins_server_mocks.mdx index 3da831d9b4825..d00724f817155 100644 --- a/api_docs/kbn_core_plugins_server_mocks.mdx +++ b/api_docs/kbn_core_plugins_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server-mocks title: "@kbn/core-plugins-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server-mocks'] --- import kbnCorePluginsServerMocksObj from './kbn_core_plugins_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server.mdx b/api_docs/kbn_core_preboot_server.mdx index 7d002c4705c1d..64bab6b8a8601 100644 --- a/api_docs/kbn_core_preboot_server.mdx +++ b/api_docs/kbn_core_preboot_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server title: "@kbn/core-preboot-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server'] --- import kbnCorePrebootServerObj from './kbn_core_preboot_server.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server_mocks.mdx b/api_docs/kbn_core_preboot_server_mocks.mdx index 751ee68a88eee..d18ae94653e4b 100644 --- a/api_docs/kbn_core_preboot_server_mocks.mdx +++ b/api_docs/kbn_core_preboot_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server-mocks title: "@kbn/core-preboot-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server-mocks'] --- import kbnCorePrebootServerMocksObj from './kbn_core_preboot_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser_mocks.mdx b/api_docs/kbn_core_rendering_browser_mocks.mdx index b9acc79df9dd3..9d950889785e5 100644 --- a/api_docs/kbn_core_rendering_browser_mocks.mdx +++ b/api_docs/kbn_core_rendering_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser-mocks title: "@kbn/core-rendering-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser-mocks'] --- import kbnCoreRenderingBrowserMocksObj from './kbn_core_rendering_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_internal.mdx b/api_docs/kbn_core_rendering_server_internal.mdx index 00d11df38ac06..8fad07f19179c 100644 --- a/api_docs/kbn_core_rendering_server_internal.mdx +++ b/api_docs/kbn_core_rendering_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-internal title: "@kbn/core-rendering-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-internal'] --- import kbnCoreRenderingServerInternalObj from './kbn_core_rendering_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_mocks.mdx b/api_docs/kbn_core_rendering_server_mocks.mdx index 90f967bc2d448..88fbfcd457b6d 100644 --- a/api_docs/kbn_core_rendering_server_mocks.mdx +++ b/api_docs/kbn_core_rendering_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-mocks title: "@kbn/core-rendering-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-mocks'] --- import kbnCoreRenderingServerMocksObj from './kbn_core_rendering_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_root_server_internal.mdx b/api_docs/kbn_core_root_server_internal.mdx index 224231400434a..ad60732f24f6c 100644 --- a/api_docs/kbn_core_root_server_internal.mdx +++ b/api_docs/kbn_core_root_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-root-server-internal title: "@kbn/core-root-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-root-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-root-server-internal'] --- import kbnCoreRootServerInternalObj from './kbn_core_root_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_browser.mdx b/api_docs/kbn_core_saved_objects_api_browser.mdx index dbcfce8c8206e..a6e35a7afd6f2 100644 --- a/api_docs/kbn_core_saved_objects_api_browser.mdx +++ b/api_docs/kbn_core_saved_objects_api_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-browser title: "@kbn/core-saved-objects-api-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-browser'] --- import kbnCoreSavedObjectsApiBrowserObj from './kbn_core_saved_objects_api_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server.mdx b/api_docs/kbn_core_saved_objects_api_server.mdx index bf6b054205af7..3e09e47423f0d 100644 --- a/api_docs/kbn_core_saved_objects_api_server.mdx +++ b/api_docs/kbn_core_saved_objects_api_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server title: "@kbn/core-saved-objects-api-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server'] --- import kbnCoreSavedObjectsApiServerObj from './kbn_core_saved_objects_api_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_internal.mdx b/api_docs/kbn_core_saved_objects_api_server_internal.mdx index c0fc488c9e432..7908abb7eb95e 100644 --- a/api_docs/kbn_core_saved_objects_api_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-internal title: "@kbn/core-saved-objects-api-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-internal'] --- import kbnCoreSavedObjectsApiServerInternalObj from './kbn_core_saved_objects_api_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx index df8fede2ff202..aba0e9596038d 100644 --- a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-mocks title: "@kbn/core-saved-objects-api-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-mocks'] --- import kbnCoreSavedObjectsApiServerMocksObj from './kbn_core_saved_objects_api_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_internal.mdx b/api_docs/kbn_core_saved_objects_base_server_internal.mdx index e537ab207bfda..60a984f1a01fe 100644 --- a/api_docs/kbn_core_saved_objects_base_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-internal title: "@kbn/core-saved-objects-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-internal'] --- import kbnCoreSavedObjectsBaseServerInternalObj from './kbn_core_saved_objects_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx index d7f0bc71c8c9d..da9c5e0856219 100644 --- a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-mocks title: "@kbn/core-saved-objects-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-mocks'] --- import kbnCoreSavedObjectsBaseServerMocksObj from './kbn_core_saved_objects_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser.mdx b/api_docs/kbn_core_saved_objects_browser.mdx index ca6022060f975..cdd505091261c 100644 --- a/api_docs/kbn_core_saved_objects_browser.mdx +++ b/api_docs/kbn_core_saved_objects_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser title: "@kbn/core-saved-objects-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser'] --- import kbnCoreSavedObjectsBrowserObj from './kbn_core_saved_objects_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_internal.mdx b/api_docs/kbn_core_saved_objects_browser_internal.mdx index 4f88fde2fc5f5..d32dc967b7720 100644 --- a/api_docs/kbn_core_saved_objects_browser_internal.mdx +++ b/api_docs/kbn_core_saved_objects_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-internal title: "@kbn/core-saved-objects-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-internal'] --- import kbnCoreSavedObjectsBrowserInternalObj from './kbn_core_saved_objects_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_mocks.mdx b/api_docs/kbn_core_saved_objects_browser_mocks.mdx index d9af64a620651..06595a3116658 100644 --- a/api_docs/kbn_core_saved_objects_browser_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-mocks title: "@kbn/core-saved-objects-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-mocks'] --- import kbnCoreSavedObjectsBrowserMocksObj from './kbn_core_saved_objects_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_common.mdx b/api_docs/kbn_core_saved_objects_common.mdx index dcb49e3ffb3b2..5ea619fdbc619 100644 --- a/api_docs/kbn_core_saved_objects_common.mdx +++ b/api_docs/kbn_core_saved_objects_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-common title: "@kbn/core-saved-objects-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-common'] --- import kbnCoreSavedObjectsCommonObj from './kbn_core_saved_objects_common.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx index 521b965780490..6f9c019b29af2 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-internal title: "@kbn/core-saved-objects-import-export-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-internal'] --- import kbnCoreSavedObjectsImportExportServerInternalObj from './kbn_core_saved_objects_import_export_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx index 31c84a32ac34b..e34ef728dedbe 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-mocks title: "@kbn/core-saved-objects-import-export-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-mocks'] --- import kbnCoreSavedObjectsImportExportServerMocksObj from './kbn_core_saved_objects_import_export_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx index ac8eb257d5aec..ee07956027fcd 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-internal title: "@kbn/core-saved-objects-migration-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-internal'] --- import kbnCoreSavedObjectsMigrationServerInternalObj from './kbn_core_saved_objects_migration_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx index 1015ed353b838..2893497948e84 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-mocks title: "@kbn/core-saved-objects-migration-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-mocks'] --- import kbnCoreSavedObjectsMigrationServerMocksObj from './kbn_core_saved_objects_migration_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server.mdx b/api_docs/kbn_core_saved_objects_server.mdx index 7b90befc2ebec..77a23a4d723de 100644 --- a/api_docs/kbn_core_saved_objects_server.mdx +++ b/api_docs/kbn_core_saved_objects_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server title: "@kbn/core-saved-objects-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server'] --- import kbnCoreSavedObjectsServerObj from './kbn_core_saved_objects_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_internal.mdx b/api_docs/kbn_core_saved_objects_server_internal.mdx index 1caba9ac9b5bc..4b97a2e8b1fa8 100644 --- a/api_docs/kbn_core_saved_objects_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-internal title: "@kbn/core-saved-objects-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-internal'] --- import kbnCoreSavedObjectsServerInternalObj from './kbn_core_saved_objects_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_mocks.mdx b/api_docs/kbn_core_saved_objects_server_mocks.mdx index d1f90485b010b..1aa58211c885a 100644 --- a/api_docs/kbn_core_saved_objects_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-mocks title: "@kbn/core-saved-objects-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-mocks'] --- import kbnCoreSavedObjectsServerMocksObj from './kbn_core_saved_objects_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_utils_server.mdx b/api_docs/kbn_core_saved_objects_utils_server.mdx index 0c2011358bfd8..b3383b86abe83 100644 --- a/api_docs/kbn_core_saved_objects_utils_server.mdx +++ b/api_docs/kbn_core_saved_objects_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-utils-server title: "@kbn/core-saved-objects-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-utils-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-utils-server'] --- import kbnCoreSavedObjectsUtilsServerObj from './kbn_core_saved_objects_utils_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_common.mdx b/api_docs/kbn_core_status_common.mdx index 522dedb18c75f..03db862807258 100644 --- a/api_docs/kbn_core_status_common.mdx +++ b/api_docs/kbn_core_status_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common title: "@kbn/core-status-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common'] --- import kbnCoreStatusCommonObj from './kbn_core_status_common.devdocs.json'; diff --git a/api_docs/kbn_core_status_common_internal.mdx b/api_docs/kbn_core_status_common_internal.mdx index 79fb591d2dcd3..11a43e31157a6 100644 --- a/api_docs/kbn_core_status_common_internal.mdx +++ b/api_docs/kbn_core_status_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common-internal title: "@kbn/core-status-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common-internal'] --- import kbnCoreStatusCommonInternalObj from './kbn_core_status_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server.mdx b/api_docs/kbn_core_status_server.mdx index e06c34b5bb14d..c215d4ea10b30 100644 --- a/api_docs/kbn_core_status_server.mdx +++ b/api_docs/kbn_core_status_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server title: "@kbn/core-status-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server'] --- import kbnCoreStatusServerObj from './kbn_core_status_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_internal.mdx b/api_docs/kbn_core_status_server_internal.mdx index b3980f82521e6..4d6483b846471 100644 --- a/api_docs/kbn_core_status_server_internal.mdx +++ b/api_docs/kbn_core_status_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-internal title: "@kbn/core-status-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-internal'] --- import kbnCoreStatusServerInternalObj from './kbn_core_status_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_mocks.mdx b/api_docs/kbn_core_status_server_mocks.mdx index 238ab8ddab418..e127d0e482d50 100644 --- a/api_docs/kbn_core_status_server_mocks.mdx +++ b/api_docs/kbn_core_status_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-mocks title: "@kbn/core-status-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-mocks'] --- import kbnCoreStatusServerMocksObj from './kbn_core_status_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx index aef12aef9d11b..36b18d1ce7e79 100644 --- a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx +++ b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-deprecations-getters title: "@kbn/core-test-helpers-deprecations-getters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-deprecations-getters plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-deprecations-getters'] --- import kbnCoreTestHelpersDeprecationsGettersObj from './kbn_core_test_helpers_deprecations_getters.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx index ed8e98ec20dd8..1936046b6ad97 100644 --- a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx +++ b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-http-setup-browser title: "@kbn/core-test-helpers-http-setup-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-http-setup-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-http-setup-browser'] --- import kbnCoreTestHelpersHttpSetupBrowserObj from './kbn_core_test_helpers_http_setup_browser.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_kbn_server.mdx b/api_docs/kbn_core_test_helpers_kbn_server.mdx index 9ef72e0488abc..7cbb9c0e0ad6d 100644 --- a/api_docs/kbn_core_test_helpers_kbn_server.mdx +++ b/api_docs/kbn_core_test_helpers_kbn_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-kbn-server title: "@kbn/core-test-helpers-kbn-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-kbn-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-kbn-server'] --- import kbnCoreTestHelpersKbnServerObj from './kbn_core_test_helpers_kbn_server.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx index d66b60dde19bf..759d39332c4e4 100644 --- a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx +++ b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-so-type-serializer title: "@kbn/core-test-helpers-so-type-serializer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-so-type-serializer plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-so-type-serializer'] --- import kbnCoreTestHelpersSoTypeSerializerObj from './kbn_core_test_helpers_so_type_serializer.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_test_utils.mdx b/api_docs/kbn_core_test_helpers_test_utils.mdx index 59bb3aa50c2fa..baa5811b7d000 100644 --- a/api_docs/kbn_core_test_helpers_test_utils.mdx +++ b/api_docs/kbn_core_test_helpers_test_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-test-utils title: "@kbn/core-test-helpers-test-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-test-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-test-utils'] --- import kbnCoreTestHelpersTestUtilsObj from './kbn_core_test_helpers_test_utils.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser.mdx b/api_docs/kbn_core_theme_browser.mdx index c28bf1059a8d9..ce59771f7cac5 100644 --- a/api_docs/kbn_core_theme_browser.mdx +++ b/api_docs/kbn_core_theme_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser title: "@kbn/core-theme-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser'] --- import kbnCoreThemeBrowserObj from './kbn_core_theme_browser.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_internal.mdx b/api_docs/kbn_core_theme_browser_internal.mdx index 49109c87d61d7..c9fb7f74b6c21 100644 --- a/api_docs/kbn_core_theme_browser_internal.mdx +++ b/api_docs/kbn_core_theme_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-internal title: "@kbn/core-theme-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-internal'] --- import kbnCoreThemeBrowserInternalObj from './kbn_core_theme_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_mocks.mdx b/api_docs/kbn_core_theme_browser_mocks.mdx index 7fe2a0926a37b..8fc711f9de9b8 100644 --- a/api_docs/kbn_core_theme_browser_mocks.mdx +++ b/api_docs/kbn_core_theme_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-mocks title: "@kbn/core-theme-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-mocks'] --- import kbnCoreThemeBrowserMocksObj from './kbn_core_theme_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser.mdx b/api_docs/kbn_core_ui_settings_browser.mdx index 850edf6464098..0b0241de0733e 100644 --- a/api_docs/kbn_core_ui_settings_browser.mdx +++ b/api_docs/kbn_core_ui_settings_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser title: "@kbn/core-ui-settings-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser'] --- import kbnCoreUiSettingsBrowserObj from './kbn_core_ui_settings_browser.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_internal.mdx b/api_docs/kbn_core_ui_settings_browser_internal.mdx index dcc9ab7f6ab47..078e78e6d764b 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.mdx +++ b/api_docs/kbn_core_ui_settings_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-internal title: "@kbn/core-ui-settings-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-internal'] --- import kbnCoreUiSettingsBrowserInternalObj from './kbn_core_ui_settings_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_mocks.mdx b/api_docs/kbn_core_ui_settings_browser_mocks.mdx index d6086cdea7e42..10bca7d903ba6 100644 --- a/api_docs/kbn_core_ui_settings_browser_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-mocks title: "@kbn/core-ui-settings-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-mocks'] --- import kbnCoreUiSettingsBrowserMocksObj from './kbn_core_ui_settings_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_common.mdx b/api_docs/kbn_core_ui_settings_common.mdx index 3e5e165f69e8a..6cd546538dccd 100644 --- a/api_docs/kbn_core_ui_settings_common.mdx +++ b/api_docs/kbn_core_ui_settings_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-common title: "@kbn/core-ui-settings-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-common plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-common'] --- import kbnCoreUiSettingsCommonObj from './kbn_core_ui_settings_common.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server.mdx b/api_docs/kbn_core_ui_settings_server.mdx index 2c357ff4a4d3a..d39a813cd9605 100644 --- a/api_docs/kbn_core_ui_settings_server.mdx +++ b/api_docs/kbn_core_ui_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server title: "@kbn/core-ui-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server'] --- import kbnCoreUiSettingsServerObj from './kbn_core_ui_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_internal.mdx b/api_docs/kbn_core_ui_settings_server_internal.mdx index 93658700d76f9..aa97c78273c4d 100644 --- a/api_docs/kbn_core_ui_settings_server_internal.mdx +++ b/api_docs/kbn_core_ui_settings_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-internal title: "@kbn/core-ui-settings-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-internal'] --- import kbnCoreUiSettingsServerInternalObj from './kbn_core_ui_settings_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_mocks.mdx b/api_docs/kbn_core_ui_settings_server_mocks.mdx index c930faf523c69..5ea58064546cb 100644 --- a/api_docs/kbn_core_ui_settings_server_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-mocks title: "@kbn/core-ui-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-mocks'] --- import kbnCoreUiSettingsServerMocksObj from './kbn_core_ui_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server.mdx b/api_docs/kbn_core_usage_data_server.mdx index b72f1e647596e..8a589f61d4f51 100644 --- a/api_docs/kbn_core_usage_data_server.mdx +++ b/api_docs/kbn_core_usage_data_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server title: "@kbn/core-usage-data-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server'] --- import kbnCoreUsageDataServerObj from './kbn_core_usage_data_server.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_internal.mdx b/api_docs/kbn_core_usage_data_server_internal.mdx index d7afa68ed0c30..a83bb88c0f86b 100644 --- a/api_docs/kbn_core_usage_data_server_internal.mdx +++ b/api_docs/kbn_core_usage_data_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-internal title: "@kbn/core-usage-data-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-internal plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-internal'] --- import kbnCoreUsageDataServerInternalObj from './kbn_core_usage_data_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_mocks.mdx b/api_docs/kbn_core_usage_data_server_mocks.mdx index f8a07244bb218..7dd9199fdc596 100644 --- a/api_docs/kbn_core_usage_data_server_mocks.mdx +++ b/api_docs/kbn_core_usage_data_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-mocks title: "@kbn/core-usage-data-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-mocks'] --- import kbnCoreUsageDataServerMocksObj from './kbn_core_usage_data_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index 831cc7e86643b..003844f51d705 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto title: "@kbn/crypto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto'] --- import kbnCryptoObj from './kbn_crypto.devdocs.json'; diff --git a/api_docs/kbn_crypto_browser.mdx b/api_docs/kbn_crypto_browser.mdx index 671de105fa88e..3d5abdfc90382 100644 --- a/api_docs/kbn_crypto_browser.mdx +++ b/api_docs/kbn_crypto_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto-browser title: "@kbn/crypto-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto-browser plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto-browser'] --- import kbnCryptoBrowserObj from './kbn_crypto_browser.devdocs.json'; diff --git a/api_docs/kbn_datemath.mdx b/api_docs/kbn_datemath.mdx index 527599c474ddc..bd31f77cdf4ea 100644 --- a/api_docs/kbn_datemath.mdx +++ b/api_docs/kbn_datemath.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-datemath title: "@kbn/datemath" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/datemath plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/datemath'] --- import kbnDatemathObj from './kbn_datemath.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_errors.mdx b/api_docs/kbn_dev_cli_errors.mdx index ca2116e2208e9..3ea552b58ce2c 100644 --- a/api_docs/kbn_dev_cli_errors.mdx +++ b/api_docs/kbn_dev_cli_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-errors title: "@kbn/dev-cli-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-errors plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-errors'] --- import kbnDevCliErrorsObj from './kbn_dev_cli_errors.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_runner.mdx b/api_docs/kbn_dev_cli_runner.mdx index 276ebb6cf78cc..2ca9cad1cfd8a 100644 --- a/api_docs/kbn_dev_cli_runner.mdx +++ b/api_docs/kbn_dev_cli_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-runner title: "@kbn/dev-cli-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-runner plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-runner'] --- import kbnDevCliRunnerObj from './kbn_dev_cli_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_proc_runner.mdx b/api_docs/kbn_dev_proc_runner.mdx index 8f22c1e0e77c7..e1e319a14f480 100644 --- a/api_docs/kbn_dev_proc_runner.mdx +++ b/api_docs/kbn_dev_proc_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-proc-runner title: "@kbn/dev-proc-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-proc-runner plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-proc-runner'] --- import kbnDevProcRunnerObj from './kbn_dev_proc_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index c1823c554fe19..dde6d79b3eeea 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-utils title: "@kbn/dev-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-utils'] --- import kbnDevUtilsObj from './kbn_dev_utils.devdocs.json'; diff --git a/api_docs/kbn_doc_links.mdx b/api_docs/kbn_doc_links.mdx index ed69a951ddafd..5d5cf38c4b25e 100644 --- a/api_docs/kbn_doc_links.mdx +++ b/api_docs/kbn_doc_links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-doc-links title: "@kbn/doc-links" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/doc-links plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/doc-links'] --- import kbnDocLinksObj from './kbn_doc_links.devdocs.json'; diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index e0372b9c4231b..43136054605f4 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-docs-utils title: "@kbn/docs-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/docs-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/docs-utils'] --- import kbnDocsUtilsObj from './kbn_docs_utils.devdocs.json'; diff --git a/api_docs/kbn_ebt_tools.mdx b/api_docs/kbn_ebt_tools.mdx index aae4a6297b1f4..a5a0ef2f8723a 100644 --- a/api_docs/kbn_ebt_tools.mdx +++ b/api_docs/kbn_ebt_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ebt-tools title: "@kbn/ebt-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ebt-tools plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ebt-tools'] --- import kbnEbtToolsObj from './kbn_ebt_tools.devdocs.json'; diff --git a/api_docs/kbn_es.mdx b/api_docs/kbn_es.mdx index 0bfd24df0dfed..156efbd2e15c2 100644 --- a/api_docs/kbn_es.mdx +++ b/api_docs/kbn_es.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es title: "@kbn/es" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es'] --- import kbnEsObj from './kbn_es.devdocs.json'; diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index eee138a88ec33..6cb884bf4a4d7 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-archiver title: "@kbn/es-archiver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-archiver plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-archiver'] --- import kbnEsArchiverObj from './kbn_es_archiver.devdocs.json'; diff --git a/api_docs/kbn_es_errors.mdx b/api_docs/kbn_es_errors.mdx index 5319a14a932bd..578515aa40dd0 100644 --- a/api_docs/kbn_es_errors.mdx +++ b/api_docs/kbn_es_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-errors title: "@kbn/es-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-errors plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-errors'] --- import kbnEsErrorsObj from './kbn_es_errors.devdocs.json'; diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index d14c82964af73..504f576bed995 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-query title: "@kbn/es-query" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-query plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-query'] --- import kbnEsQueryObj from './kbn_es_query.devdocs.json'; diff --git a/api_docs/kbn_es_types.mdx b/api_docs/kbn_es_types.mdx index 0d28b81dcbb4c..082787b93bcf2 100644 --- a/api_docs/kbn_es_types.mdx +++ b/api_docs/kbn_es_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-types title: "@kbn/es-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-types plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-types'] --- import kbnEsTypesObj from './kbn_es_types.devdocs.json'; diff --git a/api_docs/kbn_eslint_plugin_imports.mdx b/api_docs/kbn_eslint_plugin_imports.mdx index d31be0876b46d..796f536d0e46e 100644 --- a/api_docs/kbn_eslint_plugin_imports.mdx +++ b/api_docs/kbn_eslint_plugin_imports.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-eslint-plugin-imports title: "@kbn/eslint-plugin-imports" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/eslint-plugin-imports plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/eslint-plugin-imports'] --- import kbnEslintPluginImportsObj from './kbn_eslint_plugin_imports.devdocs.json'; diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index 072ccd54a06ac..9ee9915047aed 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-types title: "@kbn/field-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-types plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-types'] --- import kbnFieldTypesObj from './kbn_field_types.devdocs.json'; diff --git a/api_docs/kbn_find_used_node_modules.mdx b/api_docs/kbn_find_used_node_modules.mdx index cc8b540e36bd8..55b1fb4e41a9f 100644 --- a/api_docs/kbn_find_used_node_modules.mdx +++ b/api_docs/kbn_find_used_node_modules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-find-used-node-modules title: "@kbn/find-used-node-modules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/find-used-node-modules plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/find-used-node-modules'] --- import kbnFindUsedNodeModulesObj from './kbn_find_used_node_modules.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_services.mdx b/api_docs/kbn_ftr_common_functional_services.mdx index 5051fce71ea1c..0bf6fb9e72d3c 100644 --- a/api_docs/kbn_ftr_common_functional_services.mdx +++ b/api_docs/kbn_ftr_common_functional_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-services title: "@kbn/ftr-common-functional-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-services plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-services'] --- import kbnFtrCommonFunctionalServicesObj from './kbn_ftr_common_functional_services.devdocs.json'; diff --git a/api_docs/kbn_generate.mdx b/api_docs/kbn_generate.mdx index c2900805fd35f..8bba1a39f3607 100644 --- a/api_docs/kbn_generate.mdx +++ b/api_docs/kbn_generate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate title: "@kbn/generate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate'] --- import kbnGenerateObj from './kbn_generate.devdocs.json'; diff --git a/api_docs/kbn_get_repo_files.mdx b/api_docs/kbn_get_repo_files.mdx index 679fd85e75686..89819ec9a6265 100644 --- a/api_docs/kbn_get_repo_files.mdx +++ b/api_docs/kbn_get_repo_files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-get-repo-files title: "@kbn/get-repo-files" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/get-repo-files plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/get-repo-files'] --- import kbnGetRepoFilesObj from './kbn_get_repo_files.devdocs.json'; diff --git a/api_docs/kbn_guided_onboarding.mdx b/api_docs/kbn_guided_onboarding.mdx index 2e40f23e8747f..cda7f8f1e8119 100644 --- a/api_docs/kbn_guided_onboarding.mdx +++ b/api_docs/kbn_guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-guided-onboarding title: "@kbn/guided-onboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/guided-onboarding plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/guided-onboarding'] --- import kbnGuidedOnboardingObj from './kbn_guided_onboarding.devdocs.json'; diff --git a/api_docs/kbn_handlebars.mdx b/api_docs/kbn_handlebars.mdx index 9e9a069bd0c5d..def39579c2e55 100644 --- a/api_docs/kbn_handlebars.mdx +++ b/api_docs/kbn_handlebars.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-handlebars title: "@kbn/handlebars" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/handlebars plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/handlebars'] --- import kbnHandlebarsObj from './kbn_handlebars.devdocs.json'; diff --git a/api_docs/kbn_hapi_mocks.mdx b/api_docs/kbn_hapi_mocks.mdx index 9d741f7cc91c6..021444ae4a9e2 100644 --- a/api_docs/kbn_hapi_mocks.mdx +++ b/api_docs/kbn_hapi_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-hapi-mocks title: "@kbn/hapi-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/hapi-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/hapi-mocks'] --- import kbnHapiMocksObj from './kbn_hapi_mocks.devdocs.json'; diff --git a/api_docs/kbn_health_gateway_server.mdx b/api_docs/kbn_health_gateway_server.mdx index db2e24f6e7501..9c05ebc0868bf 100644 --- a/api_docs/kbn_health_gateway_server.mdx +++ b/api_docs/kbn_health_gateway_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-health-gateway-server title: "@kbn/health-gateway-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/health-gateway-server plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/health-gateway-server'] --- import kbnHealthGatewayServerObj from './kbn_health_gateway_server.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_card.mdx b/api_docs/kbn_home_sample_data_card.mdx index ec6e420ede501..08e9039baef29 100644 --- a/api_docs/kbn_home_sample_data_card.mdx +++ b/api_docs/kbn_home_sample_data_card.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-card title: "@kbn/home-sample-data-card" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-card plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-card'] --- import kbnHomeSampleDataCardObj from './kbn_home_sample_data_card.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_tab.mdx b/api_docs/kbn_home_sample_data_tab.mdx index 88e02cee86ae9..4bdc12a7cdf58 100644 --- a/api_docs/kbn_home_sample_data_tab.mdx +++ b/api_docs/kbn_home_sample_data_tab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-tab title: "@kbn/home-sample-data-tab" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-tab plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-tab'] --- import kbnHomeSampleDataTabObj from './kbn_home_sample_data_tab.devdocs.json'; diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index eeddbc27dfe96..8901cbeab8a08 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n title: "@kbn/i18n" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n'] --- import kbnI18nObj from './kbn_i18n.devdocs.json'; diff --git a/api_docs/kbn_i18n_react.mdx b/api_docs/kbn_i18n_react.mdx index 9028e34284ddd..eea2a958eb85d 100644 --- a/api_docs/kbn_i18n_react.mdx +++ b/api_docs/kbn_i18n_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n-react title: "@kbn/i18n-react" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n-react plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n-react'] --- import kbnI18nReactObj from './kbn_i18n_react.devdocs.json'; diff --git a/api_docs/kbn_import_resolver.mdx b/api_docs/kbn_import_resolver.mdx index 9ee692f589f0c..8d8ee0de96d8a 100644 --- a/api_docs/kbn_import_resolver.mdx +++ b/api_docs/kbn_import_resolver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-import-resolver title: "@kbn/import-resolver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/import-resolver plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/import-resolver'] --- import kbnImportResolverObj from './kbn_import_resolver.devdocs.json'; diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx index 81e48c821d8c5..317c1d432e08a 100644 --- a/api_docs/kbn_interpreter.mdx +++ b/api_docs/kbn_interpreter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-interpreter title: "@kbn/interpreter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/interpreter plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] --- import kbnInterpreterObj from './kbn_interpreter.devdocs.json'; diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index 983096abb49ed..20207239dc83d 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-io-ts-utils title: "@kbn/io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/io-ts-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/io-ts-utils'] --- import kbnIoTsUtilsObj from './kbn_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_jest_serializers.mdx b/api_docs/kbn_jest_serializers.mdx index 127e23c252863..4e8fcb3c883ba 100644 --- a/api_docs/kbn_jest_serializers.mdx +++ b/api_docs/kbn_jest_serializers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-jest-serializers title: "@kbn/jest-serializers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/jest-serializers plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/jest-serializers'] --- import kbnJestSerializersObj from './kbn_jest_serializers.devdocs.json'; diff --git a/api_docs/kbn_journeys.mdx b/api_docs/kbn_journeys.mdx index 317e94d13c36f..995127f3e0288 100644 --- a/api_docs/kbn_journeys.mdx +++ b/api_docs/kbn_journeys.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-journeys title: "@kbn/journeys" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/journeys plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/journeys'] --- import kbnJourneysObj from './kbn_journeys.devdocs.json'; diff --git a/api_docs/kbn_kibana_manifest_schema.mdx b/api_docs/kbn_kibana_manifest_schema.mdx index 877bdbcbdb9f2..d75601b197ef9 100644 --- a/api_docs/kbn_kibana_manifest_schema.mdx +++ b/api_docs/kbn_kibana_manifest_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-kibana-manifest-schema title: "@kbn/kibana-manifest-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/kibana-manifest-schema plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/kibana-manifest-schema'] --- import kbnKibanaManifestSchemaObj from './kbn_kibana_manifest_schema.devdocs.json'; diff --git a/api_docs/kbn_language_documentation_popover.mdx b/api_docs/kbn_language_documentation_popover.mdx index 69b42f2f9fbdf..17dbbf0e55030 100644 --- a/api_docs/kbn_language_documentation_popover.mdx +++ b/api_docs/kbn_language_documentation_popover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-language-documentation-popover title: "@kbn/language-documentation-popover" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/language-documentation-popover plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/language-documentation-popover'] --- import kbnLanguageDocumentationPopoverObj from './kbn_language_documentation_popover.devdocs.json'; diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index 326f002c04396..6a8a6b2066902 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging title: "@kbn/logging" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging'] --- import kbnLoggingObj from './kbn_logging.devdocs.json'; diff --git a/api_docs/kbn_logging_mocks.mdx b/api_docs/kbn_logging_mocks.mdx index bb8c81cb4519e..9c0bddf83c37c 100644 --- a/api_docs/kbn_logging_mocks.mdx +++ b/api_docs/kbn_logging_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging-mocks title: "@kbn/logging-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging-mocks'] --- import kbnLoggingMocksObj from './kbn_logging_mocks.devdocs.json'; diff --git a/api_docs/kbn_managed_vscode_config.mdx b/api_docs/kbn_managed_vscode_config.mdx index e0c19f4073abb..a86b54faa2bdc 100644 --- a/api_docs/kbn_managed_vscode_config.mdx +++ b/api_docs/kbn_managed_vscode_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-vscode-config title: "@kbn/managed-vscode-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-vscode-config plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-vscode-config'] --- import kbnManagedVscodeConfigObj from './kbn_managed_vscode_config.devdocs.json'; diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index 6f7508d62daa6..1199997038ec8 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mapbox-gl title: "@kbn/mapbox-gl" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mapbox-gl plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mapbox-gl'] --- import kbnMapboxGlObj from './kbn_mapbox_gl.devdocs.json'; diff --git a/api_docs/kbn_ml_agg_utils.mdx b/api_docs/kbn_ml_agg_utils.mdx index 7ca951be1ac7e..9a359795e5ef1 100644 --- a/api_docs/kbn_ml_agg_utils.mdx +++ b/api_docs/kbn_ml_agg_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-agg-utils title: "@kbn/ml-agg-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-agg-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-agg-utils'] --- import kbnMlAggUtilsObj from './kbn_ml_agg_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_is_populated_object.mdx b/api_docs/kbn_ml_is_populated_object.mdx index 1bf6c6dcf93e5..f2851315b5215 100644 --- a/api_docs/kbn_ml_is_populated_object.mdx +++ b/api_docs/kbn_ml_is_populated_object.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-populated-object title: "@kbn/ml-is-populated-object" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-populated-object plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-populated-object'] --- import kbnMlIsPopulatedObjectObj from './kbn_ml_is_populated_object.devdocs.json'; diff --git a/api_docs/kbn_ml_string_hash.mdx b/api_docs/kbn_ml_string_hash.mdx index c032a851cf7ff..ecd61db266738 100644 --- a/api_docs/kbn_ml_string_hash.mdx +++ b/api_docs/kbn_ml_string_hash.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-string-hash title: "@kbn/ml-string-hash" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-string-hash plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-string-hash'] --- import kbnMlStringHashObj from './kbn_ml_string_hash.devdocs.json'; diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index 9e00515364114..0126b86f92f43 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-monaco title: "@kbn/monaco" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/monaco plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/monaco'] --- import kbnMonacoObj from './kbn_monaco.devdocs.json'; diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index 006d814a00b96..1a052876563ca 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer title: "@kbn/optimizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer'] --- import kbnOptimizerObj from './kbn_optimizer.devdocs.json'; diff --git a/api_docs/kbn_optimizer_webpack_helpers.mdx b/api_docs/kbn_optimizer_webpack_helpers.mdx index 6c41dbafd3eda..049af788ebdd8 100644 --- a/api_docs/kbn_optimizer_webpack_helpers.mdx +++ b/api_docs/kbn_optimizer_webpack_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer-webpack-helpers title: "@kbn/optimizer-webpack-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer-webpack-helpers plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer-webpack-helpers'] --- import kbnOptimizerWebpackHelpersObj from './kbn_optimizer_webpack_helpers.devdocs.json'; diff --git a/api_docs/kbn_osquery_io_ts_types.mdx b/api_docs/kbn_osquery_io_ts_types.mdx index 8929b0da537b2..2003443e3c333 100644 --- a/api_docs/kbn_osquery_io_ts_types.mdx +++ b/api_docs/kbn_osquery_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-osquery-io-ts-types title: "@kbn/osquery-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/osquery-io-ts-types plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/osquery-io-ts-types'] --- import kbnOsqueryIoTsTypesObj from './kbn_osquery_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_peggy.mdx b/api_docs/kbn_peggy.mdx index 39579cb92bcac..3055eeae25737 100644 --- a/api_docs/kbn_peggy.mdx +++ b/api_docs/kbn_peggy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-peggy title: "@kbn/peggy" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/peggy plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/peggy'] --- import kbnPeggyObj from './kbn_peggy.devdocs.json'; diff --git a/api_docs/kbn_performance_testing_dataset_extractor.mdx b/api_docs/kbn_performance_testing_dataset_extractor.mdx index dec38561e676e..a58c9eff93fca 100644 --- a/api_docs/kbn_performance_testing_dataset_extractor.mdx +++ b/api_docs/kbn_performance_testing_dataset_extractor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-performance-testing-dataset-extractor title: "@kbn/performance-testing-dataset-extractor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/performance-testing-dataset-extractor plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/performance-testing-dataset-extractor'] --- import kbnPerformanceTestingDatasetExtractorObj from './kbn_performance_testing_dataset_extractor.devdocs.json'; diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index 2138a7c05f3b6..d021996db8c55 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-generator title: "@kbn/plugin-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-generator plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-generator'] --- import kbnPluginGeneratorObj from './kbn_plugin_generator.devdocs.json'; diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index b30f6768b6cd0..c7ca6fd84becc 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-helpers title: "@kbn/plugin-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-helpers plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-helpers'] --- import kbnPluginHelpersObj from './kbn_plugin_helpers.devdocs.json'; diff --git a/api_docs/kbn_react_field.mdx b/api_docs/kbn_react_field.mdx index e607846298af6..ac69d7b3322d4 100644 --- a/api_docs/kbn_react_field.mdx +++ b/api_docs/kbn_react_field.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-field title: "@kbn/react-field" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-field plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-field'] --- import kbnReactFieldObj from './kbn_react_field.devdocs.json'; diff --git a/api_docs/kbn_repo_source_classifier.mdx b/api_docs/kbn_repo_source_classifier.mdx index 7730fb52aaa18..67665472f96d1 100644 --- a/api_docs/kbn_repo_source_classifier.mdx +++ b/api_docs/kbn_repo_source_classifier.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-source-classifier title: "@kbn/repo-source-classifier" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-source-classifier plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-source-classifier'] --- import kbnRepoSourceClassifierObj from './kbn_repo_source_classifier.devdocs.json'; diff --git a/api_docs/kbn_rison.mdx b/api_docs/kbn_rison.mdx index cadaec15d6b23..cd66a3d3de1f8 100644 --- a/api_docs/kbn_rison.mdx +++ b/api_docs/kbn_rison.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rison title: "@kbn/rison" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rison plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rison'] --- import kbnRisonObj from './kbn_rison.devdocs.json'; diff --git a/api_docs/kbn_rule_data_utils.mdx b/api_docs/kbn_rule_data_utils.mdx index b4543b572bfc5..e9220ce5fa3de 100644 --- a/api_docs/kbn_rule_data_utils.mdx +++ b/api_docs/kbn_rule_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rule-data-utils title: "@kbn/rule-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rule-data-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rule-data-utils'] --- import kbnRuleDataUtilsObj from './kbn_rule_data_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_autocomplete.mdx b/api_docs/kbn_securitysolution_autocomplete.mdx index 1ffbd7ac6cec6..fda5f89243704 100644 --- a/api_docs/kbn_securitysolution_autocomplete.mdx +++ b/api_docs/kbn_securitysolution_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-autocomplete title: "@kbn/securitysolution-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-autocomplete plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-autocomplete'] --- import kbnSecuritysolutionAutocompleteObj from './kbn_securitysolution_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_es_utils.mdx b/api_docs/kbn_securitysolution_es_utils.mdx index b08cde67a7c77..0b2a1cc567b3f 100644 --- a/api_docs/kbn_securitysolution_es_utils.mdx +++ b/api_docs/kbn_securitysolution_es_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-es-utils title: "@kbn/securitysolution-es-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-es-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-es-utils'] --- import kbnSecuritysolutionEsUtilsObj from './kbn_securitysolution_es_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_exception_list_components.mdx b/api_docs/kbn_securitysolution_exception_list_components.mdx index 628991fe07731..b56ab3dea8917 100644 --- a/api_docs/kbn_securitysolution_exception_list_components.mdx +++ b/api_docs/kbn_securitysolution_exception_list_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-exception-list-components title: "@kbn/securitysolution-exception-list-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-exception-list-components plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-exception-list-components'] --- import kbnSecuritysolutionExceptionListComponentsObj from './kbn_securitysolution_exception_list_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_hook_utils.mdx b/api_docs/kbn_securitysolution_hook_utils.mdx index 338bf28a9b0b5..27f9bb14f8438 100644 --- a/api_docs/kbn_securitysolution_hook_utils.mdx +++ b/api_docs/kbn_securitysolution_hook_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-hook-utils title: "@kbn/securitysolution-hook-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-hook-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-hook-utils'] --- import kbnSecuritysolutionHookUtilsObj from './kbn_securitysolution_hook_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx index f4cbe1152511a..383a2dd609a79 100644 --- a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-alerting-types title: "@kbn/securitysolution-io-ts-alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-alerting-types plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-alerting-types'] --- import kbnSecuritysolutionIoTsAlertingTypesObj from './kbn_securitysolution_io_ts_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_list_types.mdx b/api_docs/kbn_securitysolution_io_ts_list_types.mdx index 4cec7c7a2a1d7..45653aa003de5 100644 --- a/api_docs/kbn_securitysolution_io_ts_list_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_list_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-list-types title: "@kbn/securitysolution-io-ts-list-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-list-types plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-list-types'] --- import kbnSecuritysolutionIoTsListTypesObj from './kbn_securitysolution_io_ts_list_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_types.mdx b/api_docs/kbn_securitysolution_io_ts_types.mdx index de2f55116eb90..719a9abb49320 100644 --- a/api_docs/kbn_securitysolution_io_ts_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-types title: "@kbn/securitysolution-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-types plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-types'] --- import kbnSecuritysolutionIoTsTypesObj from './kbn_securitysolution_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_utils.mdx b/api_docs/kbn_securitysolution_io_ts_utils.mdx index d2fe4ed97e713..3b84b8db64327 100644 --- a/api_docs/kbn_securitysolution_io_ts_utils.mdx +++ b/api_docs/kbn_securitysolution_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-utils title: "@kbn/securitysolution-io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-utils'] --- import kbnSecuritysolutionIoTsUtilsObj from './kbn_securitysolution_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_api.mdx b/api_docs/kbn_securitysolution_list_api.mdx index 01760b358aa69..476018e100d5a 100644 --- a/api_docs/kbn_securitysolution_list_api.mdx +++ b/api_docs/kbn_securitysolution_list_api.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-api title: "@kbn/securitysolution-list-api" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-api plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-api'] --- import kbnSecuritysolutionListApiObj from './kbn_securitysolution_list_api.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_constants.mdx b/api_docs/kbn_securitysolution_list_constants.mdx index e698ff32b087b..ffaa9cc61aef4 100644 --- a/api_docs/kbn_securitysolution_list_constants.mdx +++ b/api_docs/kbn_securitysolution_list_constants.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-constants title: "@kbn/securitysolution-list-constants" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-constants plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-constants'] --- import kbnSecuritysolutionListConstantsObj from './kbn_securitysolution_list_constants.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_hooks.mdx b/api_docs/kbn_securitysolution_list_hooks.mdx index 39851ec1981a7..c5a4ceaaed2c9 100644 --- a/api_docs/kbn_securitysolution_list_hooks.mdx +++ b/api_docs/kbn_securitysolution_list_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-hooks title: "@kbn/securitysolution-list-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-hooks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-hooks'] --- import kbnSecuritysolutionListHooksObj from './kbn_securitysolution_list_hooks.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_utils.mdx b/api_docs/kbn_securitysolution_list_utils.mdx index 9108a28d735d1..b3591d486065d 100644 --- a/api_docs/kbn_securitysolution_list_utils.mdx +++ b/api_docs/kbn_securitysolution_list_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-utils title: "@kbn/securitysolution-list-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-utils'] --- import kbnSecuritysolutionListUtilsObj from './kbn_securitysolution_list_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_rules.mdx b/api_docs/kbn_securitysolution_rules.mdx index 552d02d29fd2d..7fd967ca47e5f 100644 --- a/api_docs/kbn_securitysolution_rules.mdx +++ b/api_docs/kbn_securitysolution_rules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-rules title: "@kbn/securitysolution-rules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-rules plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-rules'] --- import kbnSecuritysolutionRulesObj from './kbn_securitysolution_rules.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_t_grid.mdx b/api_docs/kbn_securitysolution_t_grid.mdx index 94dd091ee30b4..74b62521f5cea 100644 --- a/api_docs/kbn_securitysolution_t_grid.mdx +++ b/api_docs/kbn_securitysolution_t_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-t-grid title: "@kbn/securitysolution-t-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-t-grid plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-t-grid'] --- import kbnSecuritysolutionTGridObj from './kbn_securitysolution_t_grid.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_utils.mdx b/api_docs/kbn_securitysolution_utils.mdx index 153471c55a26e..b212b65c9432d 100644 --- a/api_docs/kbn_securitysolution_utils.mdx +++ b/api_docs/kbn_securitysolution_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-utils title: "@kbn/securitysolution-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-utils'] --- import kbnSecuritysolutionUtilsObj from './kbn_securitysolution_utils.devdocs.json'; diff --git a/api_docs/kbn_server_http_tools.mdx b/api_docs/kbn_server_http_tools.mdx index 0d81e069b3f32..d012f406020b0 100644 --- a/api_docs/kbn_server_http_tools.mdx +++ b/api_docs/kbn_server_http_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-http-tools title: "@kbn/server-http-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-http-tools plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-http-tools'] --- import kbnServerHttpToolsObj from './kbn_server_http_tools.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository.mdx b/api_docs/kbn_server_route_repository.mdx index 97d80f5bdb2e5..5e7685d912a54 100644 --- a/api_docs/kbn_server_route_repository.mdx +++ b/api_docs/kbn_server_route_repository.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository title: "@kbn/server-route-repository" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository'] --- import kbnServerRouteRepositoryObj from './kbn_server_route_repository.devdocs.json'; diff --git a/api_docs/kbn_shared_svg.mdx b/api_docs/kbn_shared_svg.mdx index f12fae518320f..a46046a5cade8 100644 --- a/api_docs/kbn_shared_svg.mdx +++ b/api_docs/kbn_shared_svg.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-svg title: "@kbn/shared-svg" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-svg plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-svg'] --- import kbnSharedSvgObj from './kbn_shared_svg.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_solution.mdx b/api_docs/kbn_shared_ux_avatar_solution.mdx index 0bedf281b371b..51b6483c31153 100644 --- a/api_docs/kbn_shared_ux_avatar_solution.mdx +++ b/api_docs/kbn_shared_ux_avatar_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-solution title: "@kbn/shared-ux-avatar-solution" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-solution plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-solution'] --- import kbnSharedUxAvatarSolutionObj from './kbn_shared_ux_avatar_solution.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx index da513e6f77069..25c58952793ba 100644 --- a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx +++ b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-user-profile-components title: "@kbn/shared-ux-avatar-user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-user-profile-components plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-user-profile-components'] --- import kbnSharedUxAvatarUserProfileComponentsObj from './kbn_shared_ux_avatar_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx index 79fef92ae2fc8..8be41fe9eceb5 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen title: "@kbn/shared-ux-button-exit-full-screen" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen'] --- import kbnSharedUxButtonExitFullScreenObj from './kbn_shared_ux_button_exit_full_screen.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx index 298518544a3ff..8f6712c0e4ae2 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen-mocks title: "@kbn/shared-ux-button-exit-full-screen-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen-mocks'] --- import kbnSharedUxButtonExitFullScreenMocksObj from './kbn_shared_ux_button_exit_full_screen_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_toolbar.mdx b/api_docs/kbn_shared_ux_button_toolbar.mdx index 68f5ddbdb2a82..69d4c8d5d2b1a 100644 --- a/api_docs/kbn_shared_ux_button_toolbar.mdx +++ b/api_docs/kbn_shared_ux_button_toolbar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-toolbar title: "@kbn/shared-ux-button-toolbar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-toolbar plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-toolbar'] --- import kbnSharedUxButtonToolbarObj from './kbn_shared_ux_button_toolbar.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data.mdx b/api_docs/kbn_shared_ux_card_no_data.mdx index 120a085552ef7..7a00476334112 100644 --- a/api_docs/kbn_shared_ux_card_no_data.mdx +++ b/api_docs/kbn_shared_ux_card_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data title: "@kbn/shared-ux-card-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data'] --- import kbnSharedUxCardNoDataObj from './kbn_shared_ux_card_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx index d106015cc05f9..49d9421ab94e7 100644 --- a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data-mocks title: "@kbn/shared-ux-card-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data-mocks'] --- import kbnSharedUxCardNoDataMocksObj from './kbn_shared_ux_card_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_context.mdx b/api_docs/kbn_shared_ux_file_context.mdx index 18e8e9add57a7..2b1f9d4ca26d5 100644 --- a/api_docs/kbn_shared_ux_file_context.mdx +++ b/api_docs/kbn_shared_ux_file_context.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-context title: "@kbn/shared-ux-file-context" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-context plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-context'] --- import kbnSharedUxFileContextObj from './kbn_shared_ux_file_context.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image.mdx b/api_docs/kbn_shared_ux_file_image.mdx index 682a8d9e3ad18..e6259b6509c8d 100644 --- a/api_docs/kbn_shared_ux_file_image.mdx +++ b/api_docs/kbn_shared_ux_file_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image title: "@kbn/shared-ux-file-image" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image'] --- import kbnSharedUxFileImageObj from './kbn_shared_ux_file_image.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image_mocks.mdx b/api_docs/kbn_shared_ux_file_image_mocks.mdx index fcf80db7d3d44..9567bd207561e 100644 --- a/api_docs/kbn_shared_ux_file_image_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_image_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image-mocks title: "@kbn/shared-ux-file-image-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image-mocks'] --- import kbnSharedUxFileImageMocksObj from './kbn_shared_ux_file_image_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_mocks.mdx b/api_docs/kbn_shared_ux_file_mocks.mdx index 5775c028bb08f..80db607856795 100644 --- a/api_docs/kbn_shared_ux_file_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-mocks title: "@kbn/shared-ux-file-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-mocks'] --- import kbnSharedUxFileMocksObj from './kbn_shared_ux_file_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_util.mdx b/api_docs/kbn_shared_ux_file_util.mdx index 02a4fec7369e5..1098ac99c0ec0 100644 --- a/api_docs/kbn_shared_ux_file_util.mdx +++ b/api_docs/kbn_shared_ux_file_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-util title: "@kbn/shared-ux-file-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-util plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-util'] --- import kbnSharedUxFileUtilObj from './kbn_shared_ux_file_util.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app.mdx b/api_docs/kbn_shared_ux_link_redirect_app.mdx index 7b2b2c93ba130..9608750606284 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app title: "@kbn/shared-ux-link-redirect-app" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app'] --- import kbnSharedUxLinkRedirectAppObj from './kbn_shared_ux_link_redirect_app.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx index a92d57533aba0..0f4a4da6a6705 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app-mocks title: "@kbn/shared-ux-link-redirect-app-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app-mocks'] --- import kbnSharedUxLinkRedirectAppMocksObj from './kbn_shared_ux_link_redirect_app_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown.mdx b/api_docs/kbn_shared_ux_markdown.mdx index 5753673ef1979..1c45f28fc8fe4 100644 --- a/api_docs/kbn_shared_ux_markdown.mdx +++ b/api_docs/kbn_shared_ux_markdown.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown title: "@kbn/shared-ux-markdown" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown'] --- import kbnSharedUxMarkdownObj from './kbn_shared_ux_markdown.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown_mocks.mdx b/api_docs/kbn_shared_ux_markdown_mocks.mdx index 3fc79962999b8..8f99fba2e4159 100644 --- a/api_docs/kbn_shared_ux_markdown_mocks.mdx +++ b/api_docs/kbn_shared_ux_markdown_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown-mocks title: "@kbn/shared-ux-markdown-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown-mocks'] --- import kbnSharedUxMarkdownMocksObj from './kbn_shared_ux_markdown_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx index 536517faa2452..0b4557f211f9a 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data title: "@kbn/shared-ux-page-analytics-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data'] --- import kbnSharedUxPageAnalyticsNoDataObj from './kbn_shared_ux_page_analytics_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx index 0eebce7f34785..8df0b0774db2f 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data-mocks title: "@kbn/shared-ux-page-analytics-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data-mocks'] --- import kbnSharedUxPageAnalyticsNoDataMocksObj from './kbn_shared_ux_page_analytics_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx index da1951d4af063..b7423f559413d 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data title: "@kbn/shared-ux-page-kibana-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data'] --- import kbnSharedUxPageKibanaNoDataObj from './kbn_shared_ux_page_kibana_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx index f47024079b4c5..3f467f23ec5b1 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data-mocks title: "@kbn/shared-ux-page-kibana-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data-mocks'] --- import kbnSharedUxPageKibanaNoDataMocksObj from './kbn_shared_ux_page_kibana_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template.mdx b/api_docs/kbn_shared_ux_page_kibana_template.mdx index b1af01ae621f4..10e93fbfe8399 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template title: "@kbn/shared-ux-page-kibana-template" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template'] --- import kbnSharedUxPageKibanaTemplateObj from './kbn_shared_ux_page_kibana_template.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx index ea96a7e73b7fe..5e0b19fa3f6a2 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template-mocks title: "@kbn/shared-ux-page-kibana-template-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template-mocks'] --- import kbnSharedUxPageKibanaTemplateMocksObj from './kbn_shared_ux_page_kibana_template_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data.mdx b/api_docs/kbn_shared_ux_page_no_data.mdx index 59595bf3f6db6..2f430bf4b8b0f 100644 --- a/api_docs/kbn_shared_ux_page_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data title: "@kbn/shared-ux-page-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data'] --- import kbnSharedUxPageNoDataObj from './kbn_shared_ux_page_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config.mdx b/api_docs/kbn_shared_ux_page_no_data_config.mdx index 550ca8305463b..d093aa92ae129 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config title: "@kbn/shared-ux-page-no-data-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config'] --- import kbnSharedUxPageNoDataConfigObj from './kbn_shared_ux_page_no_data_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx index 150d7be9cfa36..b777e35ad7257 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config-mocks title: "@kbn/shared-ux-page-no-data-config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config-mocks'] --- import kbnSharedUxPageNoDataConfigMocksObj from './kbn_shared_ux_page_no_data_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx index 33eae3cf28c9e..2f28c79210440 100644 --- a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-mocks title: "@kbn/shared-ux-page-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-mocks'] --- import kbnSharedUxPageNoDataMocksObj from './kbn_shared_ux_page_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_solution_nav.mdx b/api_docs/kbn_shared_ux_page_solution_nav.mdx index 079ccf0dc2167..2c861cb5b57a3 100644 --- a/api_docs/kbn_shared_ux_page_solution_nav.mdx +++ b/api_docs/kbn_shared_ux_page_solution_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-solution-nav title: "@kbn/shared-ux-page-solution-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-solution-nav plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-solution-nav'] --- import kbnSharedUxPageSolutionNavObj from './kbn_shared_ux_page_solution_nav.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx index d27161f71f173..09fe0dfa69d4d 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views title: "@kbn/shared-ux-prompt-no-data-views" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views'] --- import kbnSharedUxPromptNoDataViewsObj from './kbn_shared_ux_prompt_no_data_views.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx index 03621fc0fde4d..3fc69f1af9a4a 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views-mocks title: "@kbn/shared-ux-prompt-no-data-views-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views-mocks'] --- import kbnSharedUxPromptNoDataViewsMocksObj from './kbn_shared_ux_prompt_no_data_views_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_not_found.mdx b/api_docs/kbn_shared_ux_prompt_not_found.mdx index 07c2569563649..b36e3a1397ddf 100644 --- a/api_docs/kbn_shared_ux_prompt_not_found.mdx +++ b/api_docs/kbn_shared_ux_prompt_not_found.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-not-found title: "@kbn/shared-ux-prompt-not-found" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-not-found plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-not-found'] --- import kbnSharedUxPromptNotFoundObj from './kbn_shared_ux_prompt_not_found.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router.mdx b/api_docs/kbn_shared_ux_router.mdx index aa2a61e049244..98ebe1eac9f82 100644 --- a/api_docs/kbn_shared_ux_router.mdx +++ b/api_docs/kbn_shared_ux_router.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router title: "@kbn/shared-ux-router" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router'] --- import kbnSharedUxRouterObj from './kbn_shared_ux_router.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router_mocks.mdx b/api_docs/kbn_shared_ux_router_mocks.mdx index d57b2a679df7a..28e27ca49cb93 100644 --- a/api_docs/kbn_shared_ux_router_mocks.mdx +++ b/api_docs/kbn_shared_ux_router_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router-mocks title: "@kbn/shared-ux-router-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router-mocks plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router-mocks'] --- import kbnSharedUxRouterMocksObj from './kbn_shared_ux_router_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_config.mdx b/api_docs/kbn_shared_ux_storybook_config.mdx index 8e95465d7f796..1a42d15da419c 100644 --- a/api_docs/kbn_shared_ux_storybook_config.mdx +++ b/api_docs/kbn_shared_ux_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-config title: "@kbn/shared-ux-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-config plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-config'] --- import kbnSharedUxStorybookConfigObj from './kbn_shared_ux_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_mock.mdx b/api_docs/kbn_shared_ux_storybook_mock.mdx index fe4cd085df490..6f3cfc9437f39 100644 --- a/api_docs/kbn_shared_ux_storybook_mock.mdx +++ b/api_docs/kbn_shared_ux_storybook_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-mock title: "@kbn/shared-ux-storybook-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-mock plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-mock'] --- import kbnSharedUxStorybookMockObj from './kbn_shared_ux_storybook_mock.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_utility.mdx b/api_docs/kbn_shared_ux_utility.mdx index c6743b355a614..f915c98da04f3 100644 --- a/api_docs/kbn_shared_ux_utility.mdx +++ b/api_docs/kbn_shared_ux_utility.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-utility title: "@kbn/shared-ux-utility" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-utility plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-utility'] --- import kbnSharedUxUtilityObj from './kbn_shared_ux_utility.devdocs.json'; diff --git a/api_docs/kbn_some_dev_log.mdx b/api_docs/kbn_some_dev_log.mdx index b3dd94becfb93..d80154715c467 100644 --- a/api_docs/kbn_some_dev_log.mdx +++ b/api_docs/kbn_some_dev_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-some-dev-log title: "@kbn/some-dev-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/some-dev-log plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/some-dev-log'] --- import kbnSomeDevLogObj from './kbn_some_dev_log.devdocs.json'; diff --git a/api_docs/kbn_sort_package_json.mdx b/api_docs/kbn_sort_package_json.mdx index dbd2189707c55..9e846d59db2a4 100644 --- a/api_docs/kbn_sort_package_json.mdx +++ b/api_docs/kbn_sort_package_json.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sort-package-json title: "@kbn/sort-package-json" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sort-package-json plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sort-package-json'] --- import kbnSortPackageJsonObj from './kbn_sort_package_json.devdocs.json'; diff --git a/api_docs/kbn_std.mdx b/api_docs/kbn_std.mdx index 045d7a307ffa8..40e931fc64d46 100644 --- a/api_docs/kbn_std.mdx +++ b/api_docs/kbn_std.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-std title: "@kbn/std" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/std plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/std'] --- import kbnStdObj from './kbn_std.devdocs.json'; diff --git a/api_docs/kbn_stdio_dev_helpers.mdx b/api_docs/kbn_stdio_dev_helpers.mdx index 668df4f82c2bc..69fb8df8584ea 100644 --- a/api_docs/kbn_stdio_dev_helpers.mdx +++ b/api_docs/kbn_stdio_dev_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-stdio-dev-helpers title: "@kbn/stdio-dev-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/stdio-dev-helpers plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/stdio-dev-helpers'] --- import kbnStdioDevHelpersObj from './kbn_stdio_dev_helpers.devdocs.json'; diff --git a/api_docs/kbn_storybook.mdx b/api_docs/kbn_storybook.mdx index e5d1aaca8759c..34f9bec5610e4 100644 --- a/api_docs/kbn_storybook.mdx +++ b/api_docs/kbn_storybook.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-storybook title: "@kbn/storybook" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/storybook plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/storybook'] --- import kbnStorybookObj from './kbn_storybook.devdocs.json'; diff --git a/api_docs/kbn_telemetry_tools.mdx b/api_docs/kbn_telemetry_tools.mdx index 421bb43999239..3ad191b370344 100644 --- a/api_docs/kbn_telemetry_tools.mdx +++ b/api_docs/kbn_telemetry_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-telemetry-tools title: "@kbn/telemetry-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/telemetry-tools plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/telemetry-tools'] --- import kbnTelemetryToolsObj from './kbn_telemetry_tools.devdocs.json'; diff --git a/api_docs/kbn_test.mdx b/api_docs/kbn_test.mdx index 23596142f8a65..58542c37f9796 100644 --- a/api_docs/kbn_test.mdx +++ b/api_docs/kbn_test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test title: "@kbn/test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test'] --- import kbnTestObj from './kbn_test.devdocs.json'; diff --git a/api_docs/kbn_test_jest_helpers.mdx b/api_docs/kbn_test_jest_helpers.mdx index a47ce4af04a20..c76248e64e495 100644 --- a/api_docs/kbn_test_jest_helpers.mdx +++ b/api_docs/kbn_test_jest_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-jest-helpers title: "@kbn/test-jest-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-jest-helpers plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-jest-helpers'] --- import kbnTestJestHelpersObj from './kbn_test_jest_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_subj_selector.mdx b/api_docs/kbn_test_subj_selector.mdx index f433397ad39e9..699b01449810f 100644 --- a/api_docs/kbn_test_subj_selector.mdx +++ b/api_docs/kbn_test_subj_selector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-subj-selector title: "@kbn/test-subj-selector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-subj-selector plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-subj-selector'] --- import kbnTestSubjSelectorObj from './kbn_test_subj_selector.devdocs.json'; diff --git a/api_docs/kbn_tooling_log.mdx b/api_docs/kbn_tooling_log.mdx index 94a97cf06cbb9..aa201ed85065a 100644 --- a/api_docs/kbn_tooling_log.mdx +++ b/api_docs/kbn_tooling_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-tooling-log title: "@kbn/tooling-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/tooling-log plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/tooling-log'] --- import kbnToolingLogObj from './kbn_tooling_log.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer.mdx b/api_docs/kbn_type_summarizer.mdx index 5868f2868e845..31c74ffbac4d0 100644 --- a/api_docs/kbn_type_summarizer.mdx +++ b/api_docs/kbn_type_summarizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer title: "@kbn/type-summarizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer'] --- import kbnTypeSummarizerObj from './kbn_type_summarizer.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer_core.mdx b/api_docs/kbn_type_summarizer_core.mdx index e08a13d7659e0..13346667d2917 100644 --- a/api_docs/kbn_type_summarizer_core.mdx +++ b/api_docs/kbn_type_summarizer_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer-core title: "@kbn/type-summarizer-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer-core plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer-core'] --- import kbnTypeSummarizerCoreObj from './kbn_type_summarizer_core.devdocs.json'; diff --git a/api_docs/kbn_typed_react_router_config.mdx b/api_docs/kbn_typed_react_router_config.mdx index 80abed426351f..a90f8f44b8534 100644 --- a/api_docs/kbn_typed_react_router_config.mdx +++ b/api_docs/kbn_typed_react_router_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-typed-react-router-config title: "@kbn/typed-react-router-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/typed-react-router-config plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/typed-react-router-config'] --- import kbnTypedReactRouterConfigObj from './kbn_typed_react_router_config.devdocs.json'; diff --git a/api_docs/kbn_ui_shared_deps_src.mdx b/api_docs/kbn_ui_shared_deps_src.mdx index 69370fbd02e09..e5b354acdd8f7 100644 --- a/api_docs/kbn_ui_shared_deps_src.mdx +++ b/api_docs/kbn_ui_shared_deps_src.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-shared-deps-src title: "@kbn/ui-shared-deps-src" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-shared-deps-src plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-shared-deps-src'] --- import kbnUiSharedDepsSrcObj from './kbn_ui_shared_deps_src.devdocs.json'; diff --git a/api_docs/kbn_ui_theme.mdx b/api_docs/kbn_ui_theme.mdx index aba5f941119c1..9716978eab70b 100644 --- a/api_docs/kbn_ui_theme.mdx +++ b/api_docs/kbn_ui_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-theme title: "@kbn/ui-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-theme plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-theme'] --- import kbnUiThemeObj from './kbn_ui_theme.devdocs.json'; diff --git a/api_docs/kbn_user_profile_components.mdx b/api_docs/kbn_user_profile_components.mdx index 54f77c398b408..d2504204f1470 100644 --- a/api_docs/kbn_user_profile_components.mdx +++ b/api_docs/kbn_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-user-profile-components title: "@kbn/user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/user-profile-components plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/user-profile-components'] --- import kbnUserProfileComponentsObj from './kbn_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_utility_types.mdx b/api_docs/kbn_utility_types.mdx index 74942a5701f76..5602eb11065d5 100644 --- a/api_docs/kbn_utility_types.mdx +++ b/api_docs/kbn_utility_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types title: "@kbn/utility-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types'] --- import kbnUtilityTypesObj from './kbn_utility_types.devdocs.json'; diff --git a/api_docs/kbn_utility_types_jest.mdx b/api_docs/kbn_utility_types_jest.mdx index f461e415da72d..730c4a3c75101 100644 --- a/api_docs/kbn_utility_types_jest.mdx +++ b/api_docs/kbn_utility_types_jest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types-jest title: "@kbn/utility-types-jest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types-jest plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types-jest'] --- import kbnUtilityTypesJestObj from './kbn_utility_types_jest.devdocs.json'; diff --git a/api_docs/kbn_utils.mdx b/api_docs/kbn_utils.mdx index 3f16006d25ebc..551b745b7844c 100644 --- a/api_docs/kbn_utils.mdx +++ b/api_docs/kbn_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utils title: "@kbn/utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utils'] --- import kbnUtilsObj from './kbn_utils.devdocs.json'; diff --git a/api_docs/kbn_yarn_lock_validator.mdx b/api_docs/kbn_yarn_lock_validator.mdx index c3f5c1b299e75..2f9d75d126a10 100644 --- a/api_docs/kbn_yarn_lock_validator.mdx +++ b/api_docs/kbn_yarn_lock_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-yarn-lock-validator title: "@kbn/yarn-lock-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/yarn-lock-validator plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/yarn-lock-validator'] --- import kbnYarnLockValidatorObj from './kbn_yarn_lock_validator.devdocs.json'; diff --git a/api_docs/kibana_overview.mdx b/api_docs/kibana_overview.mdx index a7cb9d3011e7a..cd1f7e4c3a9e5 100644 --- a/api_docs/kibana_overview.mdx +++ b/api_docs/kibana_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaOverview title: "kibanaOverview" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaOverview plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaOverview'] --- import kibanaOverviewObj from './kibana_overview.devdocs.json'; diff --git a/api_docs/kibana_react.mdx b/api_docs/kibana_react.mdx index 533b10e658cdd..0de92f7a573a9 100644 --- a/api_docs/kibana_react.mdx +++ b/api_docs/kibana_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaReact title: "kibanaReact" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaReact plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaReact'] --- import kibanaReactObj from './kibana_react.devdocs.json'; diff --git a/api_docs/kibana_utils.mdx b/api_docs/kibana_utils.mdx index bc1526490a856..69726bf507a5e 100644 --- a/api_docs/kibana_utils.mdx +++ b/api_docs/kibana_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaUtils title: "kibanaUtils" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaUtils plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaUtils'] --- import kibanaUtilsObj from './kibana_utils.devdocs.json'; diff --git a/api_docs/kubernetes_security.mdx b/api_docs/kubernetes_security.mdx index 34488283f5e9b..eb918d7f5ab17 100644 --- a/api_docs/kubernetes_security.mdx +++ b/api_docs/kubernetes_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kubernetesSecurity title: "kubernetesSecurity" image: https://source.unsplash.com/400x175/?github description: API docs for the kubernetesSecurity plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kubernetesSecurity'] --- import kubernetesSecurityObj from './kubernetes_security.devdocs.json'; diff --git a/api_docs/lens.mdx b/api_docs/lens.mdx index f19c7795948b7..984bc373f101d 100644 --- a/api_docs/lens.mdx +++ b/api_docs/lens.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lens title: "lens" image: https://source.unsplash.com/400x175/?github description: API docs for the lens plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lens'] --- import lensObj from './lens.devdocs.json'; diff --git a/api_docs/license_api_guard.mdx b/api_docs/license_api_guard.mdx index 157ea8b0da5af..02bbde181494b 100644 --- a/api_docs/license_api_guard.mdx +++ b/api_docs/license_api_guard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseApiGuard title: "licenseApiGuard" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseApiGuard plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseApiGuard'] --- import licenseApiGuardObj from './license_api_guard.devdocs.json'; diff --git a/api_docs/license_management.mdx b/api_docs/license_management.mdx index 1b97d514dd7ca..440c7d51f1df7 100644 --- a/api_docs/license_management.mdx +++ b/api_docs/license_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseManagement title: "licenseManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseManagement plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseManagement'] --- import licenseManagementObj from './license_management.devdocs.json'; diff --git a/api_docs/licensing.mdx b/api_docs/licensing.mdx index 0fa9bb133f6be..3b3acb32220dc 100644 --- a/api_docs/licensing.mdx +++ b/api_docs/licensing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licensing title: "licensing" image: https://source.unsplash.com/400x175/?github description: API docs for the licensing plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licensing'] --- import licensingObj from './licensing.devdocs.json'; diff --git a/api_docs/lists.mdx b/api_docs/lists.mdx index 2b8feb92bddaf..a6290007b702b 100644 --- a/api_docs/lists.mdx +++ b/api_docs/lists.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lists title: "lists" image: https://source.unsplash.com/400x175/?github description: API docs for the lists plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lists'] --- import listsObj from './lists.devdocs.json'; diff --git a/api_docs/management.mdx b/api_docs/management.mdx index 7c4431018e0d7..5ad1c8a8f0c05 100644 --- a/api_docs/management.mdx +++ b/api_docs/management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/management title: "management" image: https://source.unsplash.com/400x175/?github description: API docs for the management plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'management'] --- import managementObj from './management.devdocs.json'; diff --git a/api_docs/maps.mdx b/api_docs/maps.mdx index 57a0ed0bc29cb..db10aa391a43b 100644 --- a/api_docs/maps.mdx +++ b/api_docs/maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/maps title: "maps" image: https://source.unsplash.com/400x175/?github description: API docs for the maps plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'maps'] --- import mapsObj from './maps.devdocs.json'; diff --git a/api_docs/maps_ems.mdx b/api_docs/maps_ems.mdx index b2083f616718d..959b38121ea71 100644 --- a/api_docs/maps_ems.mdx +++ b/api_docs/maps_ems.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mapsEms title: "mapsEms" image: https://source.unsplash.com/400x175/?github description: API docs for the mapsEms plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mapsEms'] --- import mapsEmsObj from './maps_ems.devdocs.json'; diff --git a/api_docs/ml.mdx b/api_docs/ml.mdx index 89df9b683e7ee..1ad3161063cc0 100644 --- a/api_docs/ml.mdx +++ b/api_docs/ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ml title: "ml" image: https://source.unsplash.com/400x175/?github description: API docs for the ml plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ml'] --- import mlObj from './ml.devdocs.json'; diff --git a/api_docs/monitoring.mdx b/api_docs/monitoring.mdx index 8d26511e28839..394484d7eade1 100644 --- a/api_docs/monitoring.mdx +++ b/api_docs/monitoring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoring title: "monitoring" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoring plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoring'] --- import monitoringObj from './monitoring.devdocs.json'; diff --git a/api_docs/monitoring_collection.mdx b/api_docs/monitoring_collection.mdx index 85299ef0d659c..f2e88900fbc32 100644 --- a/api_docs/monitoring_collection.mdx +++ b/api_docs/monitoring_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoringCollection title: "monitoringCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoringCollection plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoringCollection'] --- import monitoringCollectionObj from './monitoring_collection.devdocs.json'; diff --git a/api_docs/navigation.mdx b/api_docs/navigation.mdx index c19c07f102d06..d20a4d040c71c 100644 --- a/api_docs/navigation.mdx +++ b/api_docs/navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/navigation title: "navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the navigation plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'navigation'] --- import navigationObj from './navigation.devdocs.json'; diff --git a/api_docs/newsfeed.mdx b/api_docs/newsfeed.mdx index 255e0cc22950b..bbd8b5f6c491a 100644 --- a/api_docs/newsfeed.mdx +++ b/api_docs/newsfeed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/newsfeed title: "newsfeed" image: https://source.unsplash.com/400x175/?github description: API docs for the newsfeed plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'newsfeed'] --- import newsfeedObj from './newsfeed.devdocs.json'; diff --git a/api_docs/notifications.mdx b/api_docs/notifications.mdx index c915a56b8ad2c..a201cd4506e13 100644 --- a/api_docs/notifications.mdx +++ b/api_docs/notifications.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/notifications title: "notifications" image: https://source.unsplash.com/400x175/?github description: API docs for the notifications plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'notifications'] --- import notificationsObj from './notifications.devdocs.json'; diff --git a/api_docs/observability.mdx b/api_docs/observability.mdx index 82fa2552cb2f0..926b03f9daa5d 100644 --- a/api_docs/observability.mdx +++ b/api_docs/observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observability title: "observability" image: https://source.unsplash.com/400x175/?github description: API docs for the observability plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observability'] --- import observabilityObj from './observability.devdocs.json'; diff --git a/api_docs/osquery.mdx b/api_docs/osquery.mdx index 5ee69e07da21b..1b3f0b7f8c39b 100644 --- a/api_docs/osquery.mdx +++ b/api_docs/osquery.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/osquery title: "osquery" image: https://source.unsplash.com/400x175/?github description: API docs for the osquery plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'osquery'] --- import osqueryObj from './osquery.devdocs.json'; diff --git a/api_docs/plugin_directory.mdx b/api_docs/plugin_directory.mdx index 056db52af91df..71b7f9871e274 100644 --- a/api_docs/plugin_directory.mdx +++ b/api_docs/plugin_directory.mdx @@ -7,7 +7,7 @@ id: kibDevDocsPluginDirectory slug: /kibana-dev-docs/api-meta/plugin-api-directory title: Directory description: Directory of public APIs available through plugins or packages. -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/presentation_util.mdx b/api_docs/presentation_util.mdx index d218332104c9b..bcb4c47d6cbd1 100644 --- a/api_docs/presentation_util.mdx +++ b/api_docs/presentation_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationUtil title: "presentationUtil" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationUtil plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationUtil'] --- import presentationUtilObj from './presentation_util.devdocs.json'; diff --git a/api_docs/profiling.mdx b/api_docs/profiling.mdx index da97ffcab78f0..ee50dac793abb 100644 --- a/api_docs/profiling.mdx +++ b/api_docs/profiling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profiling title: "profiling" image: https://source.unsplash.com/400x175/?github description: API docs for the profiling plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profiling'] --- import profilingObj from './profiling.devdocs.json'; diff --git a/api_docs/remote_clusters.mdx b/api_docs/remote_clusters.mdx index a2f758fb92617..9bd1bd9a72522 100644 --- a/api_docs/remote_clusters.mdx +++ b/api_docs/remote_clusters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/remoteClusters title: "remoteClusters" image: https://source.unsplash.com/400x175/?github description: API docs for the remoteClusters plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'remoteClusters'] --- import remoteClustersObj from './remote_clusters.devdocs.json'; diff --git a/api_docs/reporting.mdx b/api_docs/reporting.mdx index 4d528bf8f0d9a..5688a76776bb0 100644 --- a/api_docs/reporting.mdx +++ b/api_docs/reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/reporting title: "reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the reporting plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'reporting'] --- import reportingObj from './reporting.devdocs.json'; diff --git a/api_docs/rollup.mdx b/api_docs/rollup.mdx index a095f648a1d7a..5f94580855d95 100644 --- a/api_docs/rollup.mdx +++ b/api_docs/rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/rollup title: "rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the rollup plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'rollup'] --- import rollupObj from './rollup.devdocs.json'; diff --git a/api_docs/rule_registry.mdx b/api_docs/rule_registry.mdx index 2f5fedf9c573e..c08ae66106bad 100644 --- a/api_docs/rule_registry.mdx +++ b/api_docs/rule_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ruleRegistry title: "ruleRegistry" image: https://source.unsplash.com/400x175/?github description: API docs for the ruleRegistry plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ruleRegistry'] --- import ruleRegistryObj from './rule_registry.devdocs.json'; diff --git a/api_docs/runtime_fields.mdx b/api_docs/runtime_fields.mdx index 41a0af05f87c1..82d4ed8f55162 100644 --- a/api_docs/runtime_fields.mdx +++ b/api_docs/runtime_fields.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/runtimeFields title: "runtimeFields" image: https://source.unsplash.com/400x175/?github description: API docs for the runtimeFields plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'runtimeFields'] --- import runtimeFieldsObj from './runtime_fields.devdocs.json'; diff --git a/api_docs/saved_objects.mdx b/api_docs/saved_objects.mdx index 4460fa85f7bcd..fcb131a2ca83a 100644 --- a/api_docs/saved_objects.mdx +++ b/api_docs/saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjects title: "savedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjects plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjects'] --- import savedObjectsObj from './saved_objects.devdocs.json'; diff --git a/api_docs/saved_objects_finder.mdx b/api_docs/saved_objects_finder.mdx index e7f076e3ff86d..7f3f5e17fabd6 100644 --- a/api_docs/saved_objects_finder.mdx +++ b/api_docs/saved_objects_finder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsFinder title: "savedObjectsFinder" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsFinder plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsFinder'] --- import savedObjectsFinderObj from './saved_objects_finder.devdocs.json'; diff --git a/api_docs/saved_objects_management.mdx b/api_docs/saved_objects_management.mdx index 63ccf52d98624..4390e9774eb90 100644 --- a/api_docs/saved_objects_management.mdx +++ b/api_docs/saved_objects_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsManagement title: "savedObjectsManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsManagement plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsManagement'] --- import savedObjectsManagementObj from './saved_objects_management.devdocs.json'; diff --git a/api_docs/saved_objects_tagging.mdx b/api_docs/saved_objects_tagging.mdx index 281d0d84c4f18..50d88f62cf8fd 100644 --- a/api_docs/saved_objects_tagging.mdx +++ b/api_docs/saved_objects_tagging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTagging title: "savedObjectsTagging" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTagging plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTagging'] --- import savedObjectsTaggingObj from './saved_objects_tagging.devdocs.json'; diff --git a/api_docs/saved_objects_tagging_oss.mdx b/api_docs/saved_objects_tagging_oss.mdx index 95fc08a8840fc..7db92f429c0f6 100644 --- a/api_docs/saved_objects_tagging_oss.mdx +++ b/api_docs/saved_objects_tagging_oss.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTaggingOss title: "savedObjectsTaggingOss" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTaggingOss plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTaggingOss'] --- import savedObjectsTaggingOssObj from './saved_objects_tagging_oss.devdocs.json'; diff --git a/api_docs/saved_search.mdx b/api_docs/saved_search.mdx index 631608246e9a7..6979acc94c499 100644 --- a/api_docs/saved_search.mdx +++ b/api_docs/saved_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedSearch title: "savedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the savedSearch plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedSearch'] --- import savedSearchObj from './saved_search.devdocs.json'; diff --git a/api_docs/screenshot_mode.mdx b/api_docs/screenshot_mode.mdx index 2ebf46db90826..bebe1f407dbf4 100644 --- a/api_docs/screenshot_mode.mdx +++ b/api_docs/screenshot_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotMode title: "screenshotMode" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotMode plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotMode'] --- import screenshotModeObj from './screenshot_mode.devdocs.json'; diff --git a/api_docs/screenshotting.mdx b/api_docs/screenshotting.mdx index 34df3fa8bc0ae..85fbff75a9357 100644 --- a/api_docs/screenshotting.mdx +++ b/api_docs/screenshotting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotting title: "screenshotting" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotting plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotting'] --- import screenshottingObj from './screenshotting.devdocs.json'; diff --git a/api_docs/security.mdx b/api_docs/security.mdx index 2c317ff5b047f..0932648c8654b 100644 --- a/api_docs/security.mdx +++ b/api_docs/security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/security title: "security" image: https://source.unsplash.com/400x175/?github description: API docs for the security plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'security'] --- import securityObj from './security.devdocs.json'; diff --git a/api_docs/security_solution.mdx b/api_docs/security_solution.mdx index 5d92ee4f66c26..04cc8b9ebcf48 100644 --- a/api_docs/security_solution.mdx +++ b/api_docs/security_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolution title: "securitySolution" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolution plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolution'] --- import securitySolutionObj from './security_solution.devdocs.json'; diff --git a/api_docs/session_view.mdx b/api_docs/session_view.mdx index e517cd2ce8bf3..3f7ba2985fe08 100644 --- a/api_docs/session_view.mdx +++ b/api_docs/session_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/sessionView title: "sessionView" image: https://source.unsplash.com/400x175/?github description: API docs for the sessionView plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'sessionView'] --- import sessionViewObj from './session_view.devdocs.json'; diff --git a/api_docs/share.mdx b/api_docs/share.mdx index 04e1af20281ac..bd57856413ca0 100644 --- a/api_docs/share.mdx +++ b/api_docs/share.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/share title: "share" image: https://source.unsplash.com/400x175/?github description: API docs for the share plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'share'] --- import shareObj from './share.devdocs.json'; diff --git a/api_docs/snapshot_restore.mdx b/api_docs/snapshot_restore.mdx index b6dbc19821477..3b90924af8823 100644 --- a/api_docs/snapshot_restore.mdx +++ b/api_docs/snapshot_restore.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/snapshotRestore title: "snapshotRestore" image: https://source.unsplash.com/400x175/?github description: API docs for the snapshotRestore plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'snapshotRestore'] --- import snapshotRestoreObj from './snapshot_restore.devdocs.json'; diff --git a/api_docs/spaces.mdx b/api_docs/spaces.mdx index 9e69fde4e6076..94a8cd929f99a 100644 --- a/api_docs/spaces.mdx +++ b/api_docs/spaces.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/spaces title: "spaces" image: https://source.unsplash.com/400x175/?github description: API docs for the spaces plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'spaces'] --- import spacesObj from './spaces.devdocs.json'; diff --git a/api_docs/stack_alerts.mdx b/api_docs/stack_alerts.mdx index f528bfd52c783..2e23ceebaf05a 100644 --- a/api_docs/stack_alerts.mdx +++ b/api_docs/stack_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackAlerts title: "stackAlerts" image: https://source.unsplash.com/400x175/?github description: API docs for the stackAlerts plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackAlerts'] --- import stackAlertsObj from './stack_alerts.devdocs.json'; diff --git a/api_docs/stack_connectors.mdx b/api_docs/stack_connectors.mdx index 65b2190f7011f..bdd0c86d4da15 100644 --- a/api_docs/stack_connectors.mdx +++ b/api_docs/stack_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackConnectors title: "stackConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the stackConnectors plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackConnectors'] --- import stackConnectorsObj from './stack_connectors.devdocs.json'; diff --git a/api_docs/task_manager.mdx b/api_docs/task_manager.mdx index 56bfeb82725fd..8802c0714c0c7 100644 --- a/api_docs/task_manager.mdx +++ b/api_docs/task_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/taskManager title: "taskManager" image: https://source.unsplash.com/400x175/?github description: API docs for the taskManager plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'taskManager'] --- import taskManagerObj from './task_manager.devdocs.json'; diff --git a/api_docs/telemetry.mdx b/api_docs/telemetry.mdx index ddadbc88bba88..476ebd913ca64 100644 --- a/api_docs/telemetry.mdx +++ b/api_docs/telemetry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetry title: "telemetry" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetry plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetry'] --- import telemetryObj from './telemetry.devdocs.json'; diff --git a/api_docs/telemetry_collection_manager.mdx b/api_docs/telemetry_collection_manager.mdx index 9995e10206232..d9176767748ea 100644 --- a/api_docs/telemetry_collection_manager.mdx +++ b/api_docs/telemetry_collection_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionManager title: "telemetryCollectionManager" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionManager plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionManager'] --- import telemetryCollectionManagerObj from './telemetry_collection_manager.devdocs.json'; diff --git a/api_docs/telemetry_collection_xpack.mdx b/api_docs/telemetry_collection_xpack.mdx index 82fd1a40fc626..74a48e5608a28 100644 --- a/api_docs/telemetry_collection_xpack.mdx +++ b/api_docs/telemetry_collection_xpack.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionXpack title: "telemetryCollectionXpack" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionXpack plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionXpack'] --- import telemetryCollectionXpackObj from './telemetry_collection_xpack.devdocs.json'; diff --git a/api_docs/telemetry_management_section.mdx b/api_docs/telemetry_management_section.mdx index 2e70e40e5f4a0..cf3091d2ddb9f 100644 --- a/api_docs/telemetry_management_section.mdx +++ b/api_docs/telemetry_management_section.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryManagementSection title: "telemetryManagementSection" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryManagementSection plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryManagementSection'] --- import telemetryManagementSectionObj from './telemetry_management_section.devdocs.json'; diff --git a/api_docs/threat_intelligence.mdx b/api_docs/threat_intelligence.mdx index 1457c8726e2a0..deedd3d468c95 100644 --- a/api_docs/threat_intelligence.mdx +++ b/api_docs/threat_intelligence.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/threatIntelligence title: "threatIntelligence" image: https://source.unsplash.com/400x175/?github description: API docs for the threatIntelligence plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'threatIntelligence'] --- import threatIntelligenceObj from './threat_intelligence.devdocs.json'; diff --git a/api_docs/timelines.mdx b/api_docs/timelines.mdx index 02973fd422853..88f12a09897a3 100644 --- a/api_docs/timelines.mdx +++ b/api_docs/timelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/timelines title: "timelines" image: https://source.unsplash.com/400x175/?github description: API docs for the timelines plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'timelines'] --- import timelinesObj from './timelines.devdocs.json'; diff --git a/api_docs/transform.mdx b/api_docs/transform.mdx index 18c1fe5fb5c8a..7cbb385fcff2e 100644 --- a/api_docs/transform.mdx +++ b/api_docs/transform.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/transform title: "transform" image: https://source.unsplash.com/400x175/?github description: API docs for the transform plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'transform'] --- import transformObj from './transform.devdocs.json'; diff --git a/api_docs/triggers_actions_ui.mdx b/api_docs/triggers_actions_ui.mdx index 8ec12eee95560..160c69ebd5ff0 100644 --- a/api_docs/triggers_actions_ui.mdx +++ b/api_docs/triggers_actions_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/triggersActionsUi title: "triggersActionsUi" image: https://source.unsplash.com/400x175/?github description: API docs for the triggersActionsUi plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'triggersActionsUi'] --- import triggersActionsUiObj from './triggers_actions_ui.devdocs.json'; diff --git a/api_docs/ui_actions.mdx b/api_docs/ui_actions.mdx index 0f923369f5656..abac947f58b32 100644 --- a/api_docs/ui_actions.mdx +++ b/api_docs/ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActions title: "uiActions" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActions plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActions'] --- import uiActionsObj from './ui_actions.devdocs.json'; diff --git a/api_docs/ui_actions_enhanced.mdx b/api_docs/ui_actions_enhanced.mdx index 1908c2de9b9c7..ad055d15c9ce3 100644 --- a/api_docs/ui_actions_enhanced.mdx +++ b/api_docs/ui_actions_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActionsEnhanced title: "uiActionsEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActionsEnhanced plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActionsEnhanced'] --- import uiActionsEnhancedObj from './ui_actions_enhanced.devdocs.json'; diff --git a/api_docs/unified_field_list.mdx b/api_docs/unified_field_list.mdx index 7563a3a30c983..981d4b27a7002 100644 --- a/api_docs/unified_field_list.mdx +++ b/api_docs/unified_field_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedFieldList title: "unifiedFieldList" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedFieldList plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedFieldList'] --- import unifiedFieldListObj from './unified_field_list.devdocs.json'; diff --git a/api_docs/unified_histogram.mdx b/api_docs/unified_histogram.mdx index 7a8cc4fe78052..43feaa7331d5c 100644 --- a/api_docs/unified_histogram.mdx +++ b/api_docs/unified_histogram.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedHistogram title: "unifiedHistogram" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedHistogram plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedHistogram'] --- import unifiedHistogramObj from './unified_histogram.devdocs.json'; diff --git a/api_docs/unified_search.mdx b/api_docs/unified_search.mdx index 4dea69e239678..73a6f3a1640bf 100644 --- a/api_docs/unified_search.mdx +++ b/api_docs/unified_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch title: "unifiedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch'] --- import unifiedSearchObj from './unified_search.devdocs.json'; diff --git a/api_docs/unified_search_autocomplete.mdx b/api_docs/unified_search_autocomplete.mdx index e95b872b7ae03..e4586398f9778 100644 --- a/api_docs/unified_search_autocomplete.mdx +++ b/api_docs/unified_search_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch-autocomplete title: "unifiedSearch.autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch.autocomplete plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch.autocomplete'] --- import unifiedSearchAutocompleteObj from './unified_search_autocomplete.devdocs.json'; diff --git a/api_docs/url_forwarding.mdx b/api_docs/url_forwarding.mdx index d7a164f9ea46e..4eb129a7fc196 100644 --- a/api_docs/url_forwarding.mdx +++ b/api_docs/url_forwarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/urlForwarding title: "urlForwarding" image: https://source.unsplash.com/400x175/?github description: API docs for the urlForwarding plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'urlForwarding'] --- import urlForwardingObj from './url_forwarding.devdocs.json'; diff --git a/api_docs/usage_collection.mdx b/api_docs/usage_collection.mdx index 8aa786bc26706..ccbca977416d4 100644 --- a/api_docs/usage_collection.mdx +++ b/api_docs/usage_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/usageCollection title: "usageCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the usageCollection plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'usageCollection'] --- import usageCollectionObj from './usage_collection.devdocs.json'; diff --git a/api_docs/ux.mdx b/api_docs/ux.mdx index 380f2af081ce3..a87c4b8ea5c43 100644 --- a/api_docs/ux.mdx +++ b/api_docs/ux.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ux title: "ux" image: https://source.unsplash.com/400x175/?github description: API docs for the ux plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ux'] --- import uxObj from './ux.devdocs.json'; diff --git a/api_docs/vis_default_editor.mdx b/api_docs/vis_default_editor.mdx index 5637051d5d16d..a0adeeb3b4f1f 100644 --- a/api_docs/vis_default_editor.mdx +++ b/api_docs/vis_default_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visDefaultEditor title: "visDefaultEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the visDefaultEditor plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visDefaultEditor'] --- import visDefaultEditorObj from './vis_default_editor.devdocs.json'; diff --git a/api_docs/vis_type_gauge.mdx b/api_docs/vis_type_gauge.mdx index 69546d3c9a552..c204a35f368ad 100644 --- a/api_docs/vis_type_gauge.mdx +++ b/api_docs/vis_type_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeGauge title: "visTypeGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeGauge plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeGauge'] --- import visTypeGaugeObj from './vis_type_gauge.devdocs.json'; diff --git a/api_docs/vis_type_heatmap.mdx b/api_docs/vis_type_heatmap.mdx index 6c7926ecfc4e4..3fc89ec4cf380 100644 --- a/api_docs/vis_type_heatmap.mdx +++ b/api_docs/vis_type_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeHeatmap title: "visTypeHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeHeatmap plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeHeatmap'] --- import visTypeHeatmapObj from './vis_type_heatmap.devdocs.json'; diff --git a/api_docs/vis_type_pie.mdx b/api_docs/vis_type_pie.mdx index 54c4a138bca81..41d1a93f9bed7 100644 --- a/api_docs/vis_type_pie.mdx +++ b/api_docs/vis_type_pie.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypePie title: "visTypePie" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypePie plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypePie'] --- import visTypePieObj from './vis_type_pie.devdocs.json'; diff --git a/api_docs/vis_type_table.mdx b/api_docs/vis_type_table.mdx index ba8f50ce8a467..bb864ffb14099 100644 --- a/api_docs/vis_type_table.mdx +++ b/api_docs/vis_type_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTable title: "visTypeTable" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTable plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTable'] --- import visTypeTableObj from './vis_type_table.devdocs.json'; diff --git a/api_docs/vis_type_timelion.mdx b/api_docs/vis_type_timelion.mdx index 9035a7b7a3b54..c804e7fd7e87a 100644 --- a/api_docs/vis_type_timelion.mdx +++ b/api_docs/vis_type_timelion.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimelion title: "visTypeTimelion" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimelion plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimelion'] --- import visTypeTimelionObj from './vis_type_timelion.devdocs.json'; diff --git a/api_docs/vis_type_timeseries.mdx b/api_docs/vis_type_timeseries.mdx index 87819656fc379..c0d5bfd491206 100644 --- a/api_docs/vis_type_timeseries.mdx +++ b/api_docs/vis_type_timeseries.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimeseries title: "visTypeTimeseries" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimeseries plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimeseries'] --- import visTypeTimeseriesObj from './vis_type_timeseries.devdocs.json'; diff --git a/api_docs/vis_type_vega.mdx b/api_docs/vis_type_vega.mdx index c2e201dceee96..64d086c90c179 100644 --- a/api_docs/vis_type_vega.mdx +++ b/api_docs/vis_type_vega.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVega title: "visTypeVega" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVega plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVega'] --- import visTypeVegaObj from './vis_type_vega.devdocs.json'; diff --git a/api_docs/vis_type_vislib.mdx b/api_docs/vis_type_vislib.mdx index 9ab2eaec1b8c0..b781232900d25 100644 --- a/api_docs/vis_type_vislib.mdx +++ b/api_docs/vis_type_vislib.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVislib title: "visTypeVislib" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVislib plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVislib'] --- import visTypeVislibObj from './vis_type_vislib.devdocs.json'; diff --git a/api_docs/vis_type_xy.mdx b/api_docs/vis_type_xy.mdx index 0b04345b5d045..5a7f923100c88 100644 --- a/api_docs/vis_type_xy.mdx +++ b/api_docs/vis_type_xy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeXy title: "visTypeXy" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeXy plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeXy'] --- import visTypeXyObj from './vis_type_xy.devdocs.json'; diff --git a/api_docs/visualizations.mdx b/api_docs/visualizations.mdx index c4e9481e1fb77..760a37359d0a2 100644 --- a/api_docs/visualizations.mdx +++ b/api_docs/visualizations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visualizations title: "visualizations" image: https://source.unsplash.com/400x175/?github description: API docs for the visualizations plugin -date: 2022-12-09 +date: 2022-12-10 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visualizations'] --- import visualizationsObj from './visualizations.devdocs.json'; From 84052bd2e5502c1d340a150bee4f7f4e22f172e4 Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Sun, 11 Dec 2022 00:49:22 -0500 Subject: [PATCH 16/20] [api-docs] 2022-12-11 Daily api_docs build (#147321) Generated by https://buildkite.com/elastic/kibana-api-docs-daily/builds/183 --- api_docs/actions.mdx | 2 +- api_docs/advanced_settings.mdx | 2 +- api_docs/aiops.mdx | 2 +- api_docs/alerting.mdx | 2 +- api_docs/apm.mdx | 2 +- api_docs/banners.mdx | 2 +- api_docs/bfetch.mdx | 2 +- api_docs/canvas.mdx | 2 +- api_docs/cases.mdx | 2 +- api_docs/charts.mdx | 2 +- api_docs/cloud.mdx | 2 +- api_docs/cloud_chat.mdx | 2 +- api_docs/cloud_experiments.mdx | 2 +- api_docs/cloud_security_posture.mdx | 2 +- api_docs/console.mdx | 2 +- api_docs/controls.mdx | 2 +- api_docs/core.mdx | 2 +- api_docs/custom_integrations.mdx | 2 +- api_docs/dashboard.mdx | 2 +- api_docs/dashboard_enhanced.mdx | 2 +- api_docs/data.mdx | 2 +- api_docs/data_query.mdx | 2 +- api_docs/data_search.mdx | 2 +- api_docs/data_view_editor.mdx | 2 +- api_docs/data_view_field_editor.mdx | 2 +- api_docs/data_view_management.mdx | 2 +- api_docs/data_views.mdx | 2 +- api_docs/data_visualizer.mdx | 2 +- api_docs/deprecations_by_api.mdx | 2 +- api_docs/deprecations_by_plugin.mdx | 2 +- api_docs/deprecations_by_team.mdx | 2 +- api_docs/dev_tools.mdx | 2 +- api_docs/discover.mdx | 2 +- api_docs/discover_enhanced.mdx | 2 +- api_docs/embeddable.mdx | 2 +- api_docs/embeddable_enhanced.mdx | 2 +- api_docs/encrypted_saved_objects.mdx | 2 +- api_docs/enterprise_search.mdx | 2 +- api_docs/es_ui_shared.mdx | 2 +- api_docs/event_annotation.mdx | 2 +- api_docs/event_log.mdx | 2 +- api_docs/expression_error.mdx | 2 +- api_docs/expression_gauge.mdx | 2 +- api_docs/expression_heatmap.mdx | 2 +- api_docs/expression_image.mdx | 2 +- api_docs/expression_legacy_metric_vis.mdx | 2 +- api_docs/expression_metric.mdx | 2 +- api_docs/expression_metric_vis.mdx | 2 +- api_docs/expression_partition_vis.mdx | 2 +- api_docs/expression_repeat_image.mdx | 2 +- api_docs/expression_reveal_image.mdx | 2 +- api_docs/expression_shape.mdx | 2 +- api_docs/expression_tagcloud.mdx | 2 +- api_docs/expression_x_y.mdx | 2 +- api_docs/expressions.mdx | 2 +- api_docs/features.mdx | 2 +- api_docs/field_formats.mdx | 2 +- api_docs/file_upload.mdx | 2 +- api_docs/files.mdx | 2 +- api_docs/files_management.mdx | 2 +- api_docs/fleet.mdx | 2 +- api_docs/global_search.mdx | 2 +- api_docs/guided_onboarding.mdx | 2 +- api_docs/home.mdx | 2 +- api_docs/index_lifecycle_management.mdx | 2 +- api_docs/index_management.mdx | 2 +- api_docs/infra.mdx | 2 +- api_docs/inspector.mdx | 2 +- api_docs/interactive_setup.mdx | 2 +- api_docs/kbn_ace.mdx | 2 +- api_docs/kbn_aiops_components.mdx | 2 +- api_docs/kbn_aiops_utils.mdx | 2 +- api_docs/kbn_alerts.mdx | 2 +- api_docs/kbn_analytics.mdx | 2 +- api_docs/kbn_analytics_client.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_common.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_server.mdx | 2 +- api_docs/kbn_analytics_shippers_fullstory.mdx | 2 +- api_docs/kbn_analytics_shippers_gainsight.mdx | 2 +- api_docs/kbn_apm_config_loader.mdx | 2 +- api_docs/kbn_apm_synthtrace.mdx | 2 +- api_docs/kbn_apm_utils.mdx | 2 +- api_docs/kbn_axe_config.mdx | 2 +- api_docs/kbn_cases_components.mdx | 2 +- api_docs/kbn_chart_icons.mdx | 2 +- api_docs/kbn_ci_stats_core.mdx | 2 +- api_docs/kbn_ci_stats_performance_metrics.mdx | 2 +- api_docs/kbn_ci_stats_reporter.mdx | 2 +- api_docs/kbn_cli_dev_mode.mdx | 2 +- api_docs/kbn_coloring.mdx | 2 +- api_docs/kbn_config.mdx | 2 +- api_docs/kbn_config_mocks.mdx | 2 +- api_docs/kbn_config_schema.mdx | 2 +- api_docs/kbn_content_management_inspector.mdx | 2 +- api_docs/kbn_content_management_table_list.mdx | 2 +- api_docs/kbn_core_analytics_browser.mdx | 2 +- api_docs/kbn_core_analytics_browser_internal.mdx | 2 +- api_docs/kbn_core_analytics_browser_mocks.mdx | 2 +- api_docs/kbn_core_analytics_server.mdx | 2 +- api_docs/kbn_core_analytics_server_internal.mdx | 2 +- api_docs/kbn_core_analytics_server_mocks.mdx | 2 +- api_docs/kbn_core_application_browser.mdx | 2 +- api_docs/kbn_core_application_browser_internal.mdx | 2 +- api_docs/kbn_core_application_browser_mocks.mdx | 2 +- api_docs/kbn_core_application_common.mdx | 2 +- api_docs/kbn_core_apps_browser_internal.mdx | 2 +- api_docs/kbn_core_apps_browser_mocks.mdx | 2 +- api_docs/kbn_core_apps_server_internal.mdx | 2 +- api_docs/kbn_core_base_browser_mocks.mdx | 2 +- api_docs/kbn_core_base_common.mdx | 2 +- api_docs/kbn_core_base_server_internal.mdx | 2 +- api_docs/kbn_core_base_server_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_browser_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_common.mdx | 2 +- api_docs/kbn_core_capabilities_server.mdx | 2 +- api_docs/kbn_core_capabilities_server_mocks.mdx | 2 +- api_docs/kbn_core_chrome_browser.mdx | 2 +- api_docs/kbn_core_chrome_browser_mocks.mdx | 2 +- api_docs/kbn_core_config_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser.mdx | 2 +- api_docs/kbn_core_deprecations_browser_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_common.mdx | 2 +- api_docs/kbn_core_deprecations_server.mdx | 2 +- api_docs/kbn_core_deprecations_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_server_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_browser.mdx | 2 +- api_docs/kbn_core_doc_links_browser_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_server.mdx | 2 +- api_docs/kbn_core_doc_links_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_server.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_mocks.mdx | 2 +- api_docs/kbn_core_environment_server_internal.mdx | 2 +- api_docs/kbn_core_environment_server_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_browser.mdx | 2 +- api_docs/kbn_core_execution_context_browser_internal.mdx | 2 +- api_docs/kbn_core_execution_context_browser_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_common.mdx | 2 +- api_docs/kbn_core_execution_context_server.mdx | 2 +- api_docs/kbn_core_execution_context_server_internal.mdx | 2 +- api_docs/kbn_core_execution_context_server_mocks.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_browser.mdx | 2 +- api_docs/kbn_core_http_browser_internal.mdx | 2 +- api_docs/kbn_core_http_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_common.mdx | 2 +- api_docs/kbn_core_http_context_server_mocks.mdx | 2 +- api_docs/kbn_core_http_request_handler_context_server.mdx | 2 +- api_docs/kbn_core_http_resources_server.mdx | 2 +- api_docs/kbn_core_http_resources_server_internal.mdx | 2 +- api_docs/kbn_core_http_resources_server_mocks.mdx | 2 +- api_docs/kbn_core_http_router_server_internal.mdx | 2 +- api_docs/kbn_core_http_router_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server.mdx | 2 +- api_docs/kbn_core_http_server_internal.mdx | 2 +- api_docs/kbn_core_http_server_mocks.mdx | 2 +- api_docs/kbn_core_i18n_browser.mdx | 2 +- api_docs/kbn_core_i18n_browser_mocks.mdx | 2 +- api_docs/kbn_core_i18n_server.mdx | 2 +- api_docs/kbn_core_i18n_server_internal.mdx | 2 +- api_docs/kbn_core_i18n_server_mocks.mdx | 2 +- api_docs/kbn_core_injected_metadata_browser.mdx | 2 +- api_docs/kbn_core_injected_metadata_browser_mocks.mdx | 2 +- api_docs/kbn_core_integrations_browser_internal.mdx | 2 +- api_docs/kbn_core_integrations_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_browser.mdx | 2 +- api_docs/kbn_core_lifecycle_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_server.mdx | 2 +- api_docs/kbn_core_lifecycle_server_mocks.mdx | 2 +- api_docs/kbn_core_logging_browser_mocks.mdx | 2 +- api_docs/kbn_core_logging_common_internal.mdx | 2 +- api_docs/kbn_core_logging_server.mdx | 2 +- api_docs/kbn_core_logging_server_internal.mdx | 2 +- api_docs/kbn_core_logging_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_server.mdx | 2 +- api_docs/kbn_core_metrics_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_server_mocks.mdx | 2 +- api_docs/kbn_core_mount_utils_browser.mdx | 2 +- api_docs/kbn_core_node_server.mdx | 2 +- api_docs/kbn_core_node_server_internal.mdx | 2 +- api_docs/kbn_core_node_server_mocks.mdx | 2 +- api_docs/kbn_core_notifications_browser.mdx | 2 +- api_docs/kbn_core_notifications_browser_internal.mdx | 2 +- api_docs/kbn_core_notifications_browser_mocks.mdx | 2 +- api_docs/kbn_core_overlays_browser.mdx | 2 +- api_docs/kbn_core_overlays_browser_internal.mdx | 2 +- api_docs/kbn_core_overlays_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_browser.mdx | 2 +- api_docs/kbn_core_plugins_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_server.mdx | 2 +- api_docs/kbn_core_plugins_server_mocks.mdx | 2 +- api_docs/kbn_core_preboot_server.mdx | 2 +- api_docs/kbn_core_preboot_server_mocks.mdx | 2 +- api_docs/kbn_core_rendering_browser_mocks.mdx | 2 +- api_docs/kbn_core_rendering_server_internal.mdx | 2 +- api_docs/kbn_core_rendering_server_mocks.mdx | 2 +- api_docs/kbn_core_root_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_api_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_common.mdx | 2 +- .../kbn_core_saved_objects_import_export_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_server.mdx | 2 +- api_docs/kbn_core_saved_objects_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_utils_server.mdx | 2 +- api_docs/kbn_core_status_common.mdx | 2 +- api_docs/kbn_core_status_common_internal.mdx | 2 +- api_docs/kbn_core_status_server.mdx | 2 +- api_docs/kbn_core_status_server_internal.mdx | 2 +- api_docs/kbn_core_status_server_mocks.mdx | 2 +- api_docs/kbn_core_test_helpers_deprecations_getters.mdx | 2 +- api_docs/kbn_core_test_helpers_http_setup_browser.mdx | 2 +- api_docs/kbn_core_test_helpers_kbn_server.mdx | 2 +- api_docs/kbn_core_test_helpers_so_type_serializer.mdx | 2 +- api_docs/kbn_core_test_helpers_test_utils.mdx | 2 +- api_docs/kbn_core_theme_browser.mdx | 2 +- api_docs/kbn_core_theme_browser_internal.mdx | 2 +- api_docs/kbn_core_theme_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_browser.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_common.mdx | 2 +- api_docs/kbn_core_ui_settings_server.mdx | 2 +- api_docs/kbn_core_ui_settings_server_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_server_mocks.mdx | 2 +- api_docs/kbn_core_usage_data_server.mdx | 2 +- api_docs/kbn_core_usage_data_server_internal.mdx | 2 +- api_docs/kbn_core_usage_data_server_mocks.mdx | 2 +- api_docs/kbn_crypto.mdx | 2 +- api_docs/kbn_crypto_browser.mdx | 2 +- api_docs/kbn_datemath.mdx | 2 +- api_docs/kbn_dev_cli_errors.mdx | 2 +- api_docs/kbn_dev_cli_runner.mdx | 2 +- api_docs/kbn_dev_proc_runner.mdx | 2 +- api_docs/kbn_dev_utils.mdx | 2 +- api_docs/kbn_doc_links.mdx | 2 +- api_docs/kbn_docs_utils.mdx | 2 +- api_docs/kbn_ebt_tools.mdx | 2 +- api_docs/kbn_es.mdx | 2 +- api_docs/kbn_es_archiver.mdx | 2 +- api_docs/kbn_es_errors.mdx | 2 +- api_docs/kbn_es_query.mdx | 2 +- api_docs/kbn_es_types.mdx | 2 +- api_docs/kbn_eslint_plugin_imports.mdx | 2 +- api_docs/kbn_field_types.mdx | 2 +- api_docs/kbn_find_used_node_modules.mdx | 2 +- api_docs/kbn_ftr_common_functional_services.mdx | 2 +- api_docs/kbn_generate.mdx | 2 +- api_docs/kbn_get_repo_files.mdx | 2 +- api_docs/kbn_guided_onboarding.mdx | 2 +- api_docs/kbn_handlebars.mdx | 2 +- api_docs/kbn_hapi_mocks.mdx | 2 +- api_docs/kbn_health_gateway_server.mdx | 2 +- api_docs/kbn_home_sample_data_card.mdx | 2 +- api_docs/kbn_home_sample_data_tab.mdx | 2 +- api_docs/kbn_i18n.mdx | 2 +- api_docs/kbn_i18n_react.mdx | 2 +- api_docs/kbn_import_resolver.mdx | 2 +- api_docs/kbn_interpreter.mdx | 2 +- api_docs/kbn_io_ts_utils.mdx | 2 +- api_docs/kbn_jest_serializers.mdx | 2 +- api_docs/kbn_journeys.mdx | 2 +- api_docs/kbn_kibana_manifest_schema.mdx | 2 +- api_docs/kbn_language_documentation_popover.mdx | 2 +- api_docs/kbn_logging.mdx | 2 +- api_docs/kbn_logging_mocks.mdx | 2 +- api_docs/kbn_managed_vscode_config.mdx | 2 +- api_docs/kbn_mapbox_gl.mdx | 2 +- api_docs/kbn_ml_agg_utils.mdx | 2 +- api_docs/kbn_ml_is_populated_object.mdx | 2 +- api_docs/kbn_ml_string_hash.mdx | 2 +- api_docs/kbn_monaco.mdx | 2 +- api_docs/kbn_optimizer.mdx | 2 +- api_docs/kbn_optimizer_webpack_helpers.mdx | 2 +- api_docs/kbn_osquery_io_ts_types.mdx | 2 +- api_docs/kbn_peggy.mdx | 2 +- api_docs/kbn_performance_testing_dataset_extractor.mdx | 2 +- api_docs/kbn_plugin_generator.mdx | 2 +- api_docs/kbn_plugin_helpers.mdx | 2 +- api_docs/kbn_react_field.mdx | 2 +- api_docs/kbn_repo_source_classifier.mdx | 2 +- api_docs/kbn_rison.mdx | 2 +- api_docs/kbn_rule_data_utils.mdx | 2 +- api_docs/kbn_securitysolution_autocomplete.mdx | 2 +- api_docs/kbn_securitysolution_es_utils.mdx | 2 +- api_docs/kbn_securitysolution_exception_list_components.mdx | 2 +- api_docs/kbn_securitysolution_hook_utils.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_alerting_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_list_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_utils.mdx | 2 +- api_docs/kbn_securitysolution_list_api.mdx | 2 +- api_docs/kbn_securitysolution_list_constants.mdx | 2 +- api_docs/kbn_securitysolution_list_hooks.mdx | 2 +- api_docs/kbn_securitysolution_list_utils.mdx | 2 +- api_docs/kbn_securitysolution_rules.mdx | 2 +- api_docs/kbn_securitysolution_t_grid.mdx | 2 +- api_docs/kbn_securitysolution_utils.mdx | 2 +- api_docs/kbn_server_http_tools.mdx | 2 +- api_docs/kbn_server_route_repository.mdx | 2 +- api_docs/kbn_shared_svg.mdx | 2 +- api_docs/kbn_shared_ux_avatar_solution.mdx | 2 +- api_docs/kbn_shared_ux_avatar_user_profile_components.mdx | 2 +- api_docs/kbn_shared_ux_button_exit_full_screen.mdx | 2 +- api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx | 2 +- api_docs/kbn_shared_ux_button_toolbar.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_context.mdx | 2 +- api_docs/kbn_shared_ux_file_image.mdx | 2 +- api_docs/kbn_shared_ux_file_image_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_util.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx | 2 +- api_docs/kbn_shared_ux_markdown.mdx | 2 +- api_docs/kbn_shared_ux_markdown_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_solution_nav.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx | 2 +- api_docs/kbn_shared_ux_prompt_not_found.mdx | 2 +- api_docs/kbn_shared_ux_router.mdx | 2 +- api_docs/kbn_shared_ux_router_mocks.mdx | 2 +- api_docs/kbn_shared_ux_storybook_config.mdx | 2 +- api_docs/kbn_shared_ux_storybook_mock.mdx | 2 +- api_docs/kbn_shared_ux_utility.mdx | 2 +- api_docs/kbn_some_dev_log.mdx | 2 +- api_docs/kbn_sort_package_json.mdx | 2 +- api_docs/kbn_std.mdx | 2 +- api_docs/kbn_stdio_dev_helpers.mdx | 2 +- api_docs/kbn_storybook.mdx | 2 +- api_docs/kbn_telemetry_tools.mdx | 2 +- api_docs/kbn_test.mdx | 2 +- api_docs/kbn_test_jest_helpers.mdx | 2 +- api_docs/kbn_test_subj_selector.mdx | 2 +- api_docs/kbn_tooling_log.mdx | 2 +- api_docs/kbn_type_summarizer.mdx | 2 +- api_docs/kbn_type_summarizer_core.mdx | 2 +- api_docs/kbn_typed_react_router_config.mdx | 2 +- api_docs/kbn_ui_shared_deps_src.mdx | 2 +- api_docs/kbn_ui_theme.mdx | 2 +- api_docs/kbn_user_profile_components.mdx | 2 +- api_docs/kbn_utility_types.mdx | 2 +- api_docs/kbn_utility_types_jest.mdx | 2 +- api_docs/kbn_utils.mdx | 2 +- api_docs/kbn_yarn_lock_validator.mdx | 2 +- api_docs/kibana_overview.mdx | 2 +- api_docs/kibana_react.mdx | 2 +- api_docs/kibana_utils.mdx | 2 +- api_docs/kubernetes_security.mdx | 2 +- api_docs/lens.mdx | 2 +- api_docs/license_api_guard.mdx | 2 +- api_docs/license_management.mdx | 2 +- api_docs/licensing.mdx | 2 +- api_docs/lists.mdx | 2 +- api_docs/management.mdx | 2 +- api_docs/maps.mdx | 2 +- api_docs/maps_ems.mdx | 2 +- api_docs/ml.mdx | 2 +- api_docs/monitoring.mdx | 2 +- api_docs/monitoring_collection.mdx | 2 +- api_docs/navigation.mdx | 2 +- api_docs/newsfeed.mdx | 2 +- api_docs/notifications.mdx | 2 +- api_docs/observability.mdx | 2 +- api_docs/osquery.mdx | 2 +- api_docs/plugin_directory.mdx | 2 +- api_docs/presentation_util.mdx | 2 +- api_docs/profiling.mdx | 2 +- api_docs/remote_clusters.mdx | 2 +- api_docs/reporting.mdx | 2 +- api_docs/rollup.mdx | 2 +- api_docs/rule_registry.mdx | 2 +- api_docs/runtime_fields.mdx | 2 +- api_docs/saved_objects.mdx | 2 +- api_docs/saved_objects_finder.mdx | 2 +- api_docs/saved_objects_management.mdx | 2 +- api_docs/saved_objects_tagging.mdx | 2 +- api_docs/saved_objects_tagging_oss.mdx | 2 +- api_docs/saved_search.mdx | 2 +- api_docs/screenshot_mode.mdx | 2 +- api_docs/screenshotting.mdx | 2 +- api_docs/security.mdx | 2 +- api_docs/security_solution.mdx | 2 +- api_docs/session_view.mdx | 2 +- api_docs/share.mdx | 2 +- api_docs/snapshot_restore.mdx | 2 +- api_docs/spaces.mdx | 2 +- api_docs/stack_alerts.mdx | 2 +- api_docs/stack_connectors.mdx | 2 +- api_docs/task_manager.mdx | 2 +- api_docs/telemetry.mdx | 2 +- api_docs/telemetry_collection_manager.mdx | 2 +- api_docs/telemetry_collection_xpack.mdx | 2 +- api_docs/telemetry_management_section.mdx | 2 +- api_docs/threat_intelligence.mdx | 2 +- api_docs/timelines.mdx | 2 +- api_docs/transform.mdx | 2 +- api_docs/triggers_actions_ui.mdx | 2 +- api_docs/ui_actions.mdx | 2 +- api_docs/ui_actions_enhanced.mdx | 2 +- api_docs/unified_field_list.mdx | 2 +- api_docs/unified_histogram.mdx | 2 +- api_docs/unified_search.mdx | 2 +- api_docs/unified_search_autocomplete.mdx | 2 +- api_docs/url_forwarding.mdx | 2 +- api_docs/usage_collection.mdx | 2 +- api_docs/ux.mdx | 2 +- api_docs/vis_default_editor.mdx | 2 +- api_docs/vis_type_gauge.mdx | 2 +- api_docs/vis_type_heatmap.mdx | 2 +- api_docs/vis_type_pie.mdx | 2 +- api_docs/vis_type_table.mdx | 2 +- api_docs/vis_type_timelion.mdx | 2 +- api_docs/vis_type_timeseries.mdx | 2 +- api_docs/vis_type_vega.mdx | 2 +- api_docs/vis_type_vislib.mdx | 2 +- api_docs/vis_type_xy.mdx | 2 +- api_docs/visualizations.mdx | 2 +- 446 files changed, 446 insertions(+), 446 deletions(-) diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index 5641a8fe99d63..6b7eec0b73894 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/actions title: "actions" image: https://source.unsplash.com/400x175/?github description: API docs for the actions plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'actions'] --- import actionsObj from './actions.devdocs.json'; diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index 4f3ed81b86a53..3b79d302234b1 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/advancedSettings title: "advancedSettings" image: https://source.unsplash.com/400x175/?github description: API docs for the advancedSettings plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'advancedSettings'] --- import advancedSettingsObj from './advanced_settings.devdocs.json'; diff --git a/api_docs/aiops.mdx b/api_docs/aiops.mdx index 48139372ff275..6b58711d9b6bb 100644 --- a/api_docs/aiops.mdx +++ b/api_docs/aiops.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiops title: "aiops" image: https://source.unsplash.com/400x175/?github description: API docs for the aiops plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiops'] --- import aiopsObj from './aiops.devdocs.json'; diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index deb3152943109..eb26cd68ed6db 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/alerting title: "alerting" image: https://source.unsplash.com/400x175/?github description: API docs for the alerting plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'alerting'] --- import alertingObj from './alerting.devdocs.json'; diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index cd6fce35979f5..f12da011ad06e 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apm title: "apm" image: https://source.unsplash.com/400x175/?github description: API docs for the apm plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apm'] --- import apmObj from './apm.devdocs.json'; diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index c77604e1b0cd7..8f4b89526cbb6 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/banners title: "banners" image: https://source.unsplash.com/400x175/?github description: API docs for the banners plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'banners'] --- import bannersObj from './banners.devdocs.json'; diff --git a/api_docs/bfetch.mdx b/api_docs/bfetch.mdx index a0669c9952178..4dcb0a300111a 100644 --- a/api_docs/bfetch.mdx +++ b/api_docs/bfetch.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/bfetch title: "bfetch" image: https://source.unsplash.com/400x175/?github description: API docs for the bfetch plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'bfetch'] --- import bfetchObj from './bfetch.devdocs.json'; diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index 8c61c6086b3c0..fb4acc95ea10d 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/canvas title: "canvas" image: https://source.unsplash.com/400x175/?github description: API docs for the canvas plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'canvas'] --- import canvasObj from './canvas.devdocs.json'; diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index 5e21f938486a2..9e85edd9d191d 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cases title: "cases" image: https://source.unsplash.com/400x175/?github description: API docs for the cases plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cases'] --- import casesObj from './cases.devdocs.json'; diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index d4c6ca84fb547..c575d8766ebfd 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/charts title: "charts" image: https://source.unsplash.com/400x175/?github description: API docs for the charts plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'charts'] --- import chartsObj from './charts.devdocs.json'; diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index 32bb49002082a..c3a295463d756 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloud title: "cloud" image: https://source.unsplash.com/400x175/?github description: API docs for the cloud plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloud'] --- import cloudObj from './cloud.devdocs.json'; diff --git a/api_docs/cloud_chat.mdx b/api_docs/cloud_chat.mdx index 0e9d4a35bd067..de3620ff94786 100644 --- a/api_docs/cloud_chat.mdx +++ b/api_docs/cloud_chat.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudChat title: "cloudChat" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudChat plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudChat'] --- import cloudChatObj from './cloud_chat.devdocs.json'; diff --git a/api_docs/cloud_experiments.mdx b/api_docs/cloud_experiments.mdx index 1e73446094612..5c685d36355a4 100644 --- a/api_docs/cloud_experiments.mdx +++ b/api_docs/cloud_experiments.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudExperiments title: "cloudExperiments" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudExperiments plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudExperiments'] --- import cloudExperimentsObj from './cloud_experiments.devdocs.json'; diff --git a/api_docs/cloud_security_posture.mdx b/api_docs/cloud_security_posture.mdx index 7e3f70f983a1b..138a99f6267c2 100644 --- a/api_docs/cloud_security_posture.mdx +++ b/api_docs/cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudSecurityPosture title: "cloudSecurityPosture" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudSecurityPosture plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudSecurityPosture'] --- import cloudSecurityPostureObj from './cloud_security_posture.devdocs.json'; diff --git a/api_docs/console.mdx b/api_docs/console.mdx index 38eb36ebc4f26..70f8517084192 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/console title: "console" image: https://source.unsplash.com/400x175/?github description: API docs for the console plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'console'] --- import consoleObj from './console.devdocs.json'; diff --git a/api_docs/controls.mdx b/api_docs/controls.mdx index 278c19f71e531..eb9a5b866e1a8 100644 --- a/api_docs/controls.mdx +++ b/api_docs/controls.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/controls title: "controls" image: https://source.unsplash.com/400x175/?github description: API docs for the controls plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'controls'] --- import controlsObj from './controls.devdocs.json'; diff --git a/api_docs/core.mdx b/api_docs/core.mdx index f49031b74750c..0b6da3b85c6b4 100644 --- a/api_docs/core.mdx +++ b/api_docs/core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/core title: "core" image: https://source.unsplash.com/400x175/?github description: API docs for the core plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'core'] --- import coreObj from './core.devdocs.json'; diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index b29bb3bd4ed5e..62a47cb377b8b 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/customIntegrations title: "customIntegrations" image: https://source.unsplash.com/400x175/?github description: API docs for the customIntegrations plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'customIntegrations'] --- import customIntegrationsObj from './custom_integrations.devdocs.json'; diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index 3d338d66b3a7c..fe682cfeeede2 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboard title: "dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboard plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboard'] --- import dashboardObj from './dashboard.devdocs.json'; diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index 19810dff198a9..da356e52bab17 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboardEnhanced title: "dashboardEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboardEnhanced plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboardEnhanced'] --- import dashboardEnhancedObj from './dashboard_enhanced.devdocs.json'; diff --git a/api_docs/data.mdx b/api_docs/data.mdx index ae23992fdc917..b5885df83d354 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data title: "data" image: https://source.unsplash.com/400x175/?github description: API docs for the data plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data'] --- import dataObj from './data.devdocs.json'; diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index 4591984d1028b..3491414c144d8 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-query title: "data.query" image: https://source.unsplash.com/400x175/?github description: API docs for the data.query plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.query'] --- import dataQueryObj from './data_query.devdocs.json'; diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index 7fb66f976fc23..39395823ea452 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-search title: "data.search" image: https://source.unsplash.com/400x175/?github description: API docs for the data.search plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.search'] --- import dataSearchObj from './data_search.devdocs.json'; diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index 1a3ef72e16b1b..eafcdf5d3083d 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewEditor title: "dataViewEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewEditor plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewEditor'] --- import dataViewEditorObj from './data_view_editor.devdocs.json'; diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index c8565e470267e..84d22e3f9b75b 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewFieldEditor title: "dataViewFieldEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewFieldEditor plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewFieldEditor'] --- import dataViewFieldEditorObj from './data_view_field_editor.devdocs.json'; diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index 771aebf695e68..d32a2c7cfaedd 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewManagement title: "dataViewManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewManagement plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewManagement'] --- import dataViewManagementObj from './data_view_management.devdocs.json'; diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index 83769aefa1136..2d65cf11270ce 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViews title: "dataViews" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViews plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViews'] --- import dataViewsObj from './data_views.devdocs.json'; diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index 8b052f2cb6d5f..66e8b128cc137 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataVisualizer title: "dataVisualizer" image: https://source.unsplash.com/400x175/?github description: API docs for the dataVisualizer plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataVisualizer'] --- import dataVisualizerObj from './data_visualizer.devdocs.json'; diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index 07db0fcf766a0..0a77a914bae32 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByApi slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-api title: Deprecated API usage by API description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index 021a8a0165e47..fe91cc28432fb 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByPlugin slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-plugin title: Deprecated API usage by plugin description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_team.mdx b/api_docs/deprecations_by_team.mdx index e7dae7e1538db..f6620bb3a6033 100644 --- a/api_docs/deprecations_by_team.mdx +++ b/api_docs/deprecations_by_team.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsDueByTeam slug: /kibana-dev-docs/api-meta/deprecations-due-by-team title: Deprecated APIs due to be removed, by team description: Lists the teams that are referencing deprecated APIs with a remove by date. -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index a91ee0ac319e5..37edd828c3a33 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/devTools title: "devTools" image: https://source.unsplash.com/400x175/?github description: API docs for the devTools plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'devTools'] --- import devToolsObj from './dev_tools.devdocs.json'; diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index c6b7e0094cd9c..b86bed097f93e 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discover title: "discover" image: https://source.unsplash.com/400x175/?github description: API docs for the discover plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discover'] --- import discoverObj from './discover.devdocs.json'; diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index 2d72fad29d064..f29fd2eaff0a0 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverEnhanced title: "discoverEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverEnhanced plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverEnhanced'] --- import discoverEnhancedObj from './discover_enhanced.devdocs.json'; diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index 07fdace916e2d..08d7cb6357d26 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddable title: "embeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddable plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddable'] --- import embeddableObj from './embeddable.devdocs.json'; diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index 30d1220ec3651..bfe012694f444 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddableEnhanced title: "embeddableEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddableEnhanced plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddableEnhanced'] --- import embeddableEnhancedObj from './embeddable_enhanced.devdocs.json'; diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index 21f0f9d6c1f20..62edc48a6cc1b 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/encryptedSavedObjects title: "encryptedSavedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the encryptedSavedObjects plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'encryptedSavedObjects'] --- import encryptedSavedObjectsObj from './encrypted_saved_objects.devdocs.json'; diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index 7ddba5ebce9e2..4a61cc3643f10 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/enterpriseSearch title: "enterpriseSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the enterpriseSearch plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'enterpriseSearch'] --- import enterpriseSearchObj from './enterprise_search.devdocs.json'; diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index 3409a98c111dc..112dc4886cd8c 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esUiShared title: "esUiShared" image: https://source.unsplash.com/400x175/?github description: API docs for the esUiShared plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esUiShared'] --- import esUiSharedObj from './es_ui_shared.devdocs.json'; diff --git a/api_docs/event_annotation.mdx b/api_docs/event_annotation.mdx index ff978fa49254e..f7c147766cc1f 100644 --- a/api_docs/event_annotation.mdx +++ b/api_docs/event_annotation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotation title: "eventAnnotation" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotation plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotation'] --- import eventAnnotationObj from './event_annotation.devdocs.json'; diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index f2b8eb2fd6f8c..addf9aca3b811 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventLog title: "eventLog" image: https://source.unsplash.com/400x175/?github description: API docs for the eventLog plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventLog'] --- import eventLogObj from './event_log.devdocs.json'; diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index fd706d4af6a1b..de2b385b643bd 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionError title: "expressionError" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionError plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionError'] --- import expressionErrorObj from './expression_error.devdocs.json'; diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx index f041cff6d1a3a..7dda01f23d2dc 100644 --- a/api_docs/expression_gauge.mdx +++ b/api_docs/expression_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionGauge title: "expressionGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionGauge plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] --- import expressionGaugeObj from './expression_gauge.devdocs.json'; diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx index 65a2736a894bb..7512314ba90fb 100644 --- a/api_docs/expression_heatmap.mdx +++ b/api_docs/expression_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionHeatmap title: "expressionHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionHeatmap plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] --- import expressionHeatmapObj from './expression_heatmap.devdocs.json'; diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index ae54a1d498e88..3dd4a4fe54b8c 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionImage title: "expressionImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionImage plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionImage'] --- import expressionImageObj from './expression_image.devdocs.json'; diff --git a/api_docs/expression_legacy_metric_vis.mdx b/api_docs/expression_legacy_metric_vis.mdx index b5f9fe7bb16e2..1ff9960911260 100644 --- a/api_docs/expression_legacy_metric_vis.mdx +++ b/api_docs/expression_legacy_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionLegacyMetricVis title: "expressionLegacyMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionLegacyMetricVis plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionLegacyMetricVis'] --- import expressionLegacyMetricVisObj from './expression_legacy_metric_vis.devdocs.json'; diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index e0e5ec64325e0..582e8d5197a68 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetric title: "expressionMetric" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetric plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetric'] --- import expressionMetricObj from './expression_metric.devdocs.json'; diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index 517cc66f1d4b7..73e013fd5a000 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetricVis title: "expressionMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetricVis plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetricVis'] --- import expressionMetricVisObj from './expression_metric_vis.devdocs.json'; diff --git a/api_docs/expression_partition_vis.mdx b/api_docs/expression_partition_vis.mdx index 1df3b82fcde96..750b9e6670f8a 100644 --- a/api_docs/expression_partition_vis.mdx +++ b/api_docs/expression_partition_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionPartitionVis title: "expressionPartitionVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionPartitionVis plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionPartitionVis'] --- import expressionPartitionVisObj from './expression_partition_vis.devdocs.json'; diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 7f1bca3d989c3..50a25cda5b225 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRepeatImage title: "expressionRepeatImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRepeatImage plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRepeatImage'] --- import expressionRepeatImageObj from './expression_repeat_image.devdocs.json'; diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index 865e43e272b1f..64d4b3b7fb1b8 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRevealImage title: "expressionRevealImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRevealImage plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRevealImage'] --- import expressionRevealImageObj from './expression_reveal_image.devdocs.json'; diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index 519cdab6163af..9071ae2134fa7 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionShape title: "expressionShape" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionShape plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionShape'] --- import expressionShapeObj from './expression_shape.devdocs.json'; diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index 84784bf38ac87..a89446e40091f 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionTagcloud title: "expressionTagcloud" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionTagcloud plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionTagcloud'] --- import expressionTagcloudObj from './expression_tagcloud.devdocs.json'; diff --git a/api_docs/expression_x_y.mdx b/api_docs/expression_x_y.mdx index 89099b5bca478..97011211cd5ab 100644 --- a/api_docs/expression_x_y.mdx +++ b/api_docs/expression_x_y.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionXY title: "expressionXY" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionXY plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionXY'] --- import expressionXYObj from './expression_x_y.devdocs.json'; diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index 2b511ad670f1c..bae40d771eb4e 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressions title: "expressions" image: https://source.unsplash.com/400x175/?github description: API docs for the expressions plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressions'] --- import expressionsObj from './expressions.devdocs.json'; diff --git a/api_docs/features.mdx b/api_docs/features.mdx index 36a4231c884f7..da52b22393091 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/features title: "features" image: https://source.unsplash.com/400x175/?github description: API docs for the features plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'features'] --- import featuresObj from './features.devdocs.json'; diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index 4f9768dc08182..19a1310a4f0c6 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldFormats title: "fieldFormats" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldFormats plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldFormats'] --- import fieldFormatsObj from './field_formats.devdocs.json'; diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index 4062fb60fc541..fb6a580943204 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fileUpload title: "fileUpload" image: https://source.unsplash.com/400x175/?github description: API docs for the fileUpload plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fileUpload'] --- import fileUploadObj from './file_upload.devdocs.json'; diff --git a/api_docs/files.mdx b/api_docs/files.mdx index 8f6f9d705cabb..4dcf2b4c42622 100644 --- a/api_docs/files.mdx +++ b/api_docs/files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/files title: "files" image: https://source.unsplash.com/400x175/?github description: API docs for the files plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'files'] --- import filesObj from './files.devdocs.json'; diff --git a/api_docs/files_management.mdx b/api_docs/files_management.mdx index f2d106f447b5e..5d0a0cd21e4c5 100644 --- a/api_docs/files_management.mdx +++ b/api_docs/files_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/filesManagement title: "filesManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the filesManagement plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'filesManagement'] --- import filesManagementObj from './files_management.devdocs.json'; diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index 27b3c23297779..f672f3a525ed5 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fleet title: "fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the fleet plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fleet'] --- import fleetObj from './fleet.devdocs.json'; diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index 696edac791621..e5457f414c5fb 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/globalSearch title: "globalSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the globalSearch plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'globalSearch'] --- import globalSearchObj from './global_search.devdocs.json'; diff --git a/api_docs/guided_onboarding.mdx b/api_docs/guided_onboarding.mdx index 10c51341ce30d..5ec0097abb3a7 100644 --- a/api_docs/guided_onboarding.mdx +++ b/api_docs/guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/guidedOnboarding title: "guidedOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the guidedOnboarding plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'guidedOnboarding'] --- import guidedOnboardingObj from './guided_onboarding.devdocs.json'; diff --git a/api_docs/home.mdx b/api_docs/home.mdx index c80d2489c06a5..d33f63ffd7dfe 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/home title: "home" image: https://source.unsplash.com/400x175/?github description: API docs for the home plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'home'] --- import homeObj from './home.devdocs.json'; diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index 659c0237fa3d8..42b0024c24b1c 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexLifecycleManagement title: "indexLifecycleManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexLifecycleManagement plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexLifecycleManagement'] --- import indexLifecycleManagementObj from './index_lifecycle_management.devdocs.json'; diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index 84cdb79a4d8e4..799e716cae4c5 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexManagement title: "indexManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexManagement plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexManagement'] --- import indexManagementObj from './index_management.devdocs.json'; diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index 41fd04548f1f7..79d644bb35406 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/infra title: "infra" image: https://source.unsplash.com/400x175/?github description: API docs for the infra plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'infra'] --- import infraObj from './infra.devdocs.json'; diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index df503f4f966cf..4601b13573b7e 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inspector title: "inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the inspector plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inspector'] --- import inspectorObj from './inspector.devdocs.json'; diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index 2609970b0eb2d..3f2466b72c944 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/interactiveSetup title: "interactiveSetup" image: https://source.unsplash.com/400x175/?github description: API docs for the interactiveSetup plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'interactiveSetup'] --- import interactiveSetupObj from './interactive_setup.devdocs.json'; diff --git a/api_docs/kbn_ace.mdx b/api_docs/kbn_ace.mdx index 2f7f0516d375e..73207ade846b1 100644 --- a/api_docs/kbn_ace.mdx +++ b/api_docs/kbn_ace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ace title: "@kbn/ace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ace plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ace'] --- import kbnAceObj from './kbn_ace.devdocs.json'; diff --git a/api_docs/kbn_aiops_components.mdx b/api_docs/kbn_aiops_components.mdx index 824558fee0d10..8a3fd3d06ec37 100644 --- a/api_docs/kbn_aiops_components.mdx +++ b/api_docs/kbn_aiops_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-components title: "@kbn/aiops-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-components plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-components'] --- import kbnAiopsComponentsObj from './kbn_aiops_components.devdocs.json'; diff --git a/api_docs/kbn_aiops_utils.mdx b/api_docs/kbn_aiops_utils.mdx index 3516e3d174144..22de4883d7976 100644 --- a/api_docs/kbn_aiops_utils.mdx +++ b/api_docs/kbn_aiops_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-utils title: "@kbn/aiops-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-utils'] --- import kbnAiopsUtilsObj from './kbn_aiops_utils.devdocs.json'; diff --git a/api_docs/kbn_alerts.mdx b/api_docs/kbn_alerts.mdx index 454de1066c1a9..1582bd6fc19a2 100644 --- a/api_docs/kbn_alerts.mdx +++ b/api_docs/kbn_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts title: "@kbn/alerts" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts'] --- import kbnAlertsObj from './kbn_alerts.devdocs.json'; diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index 33b33f0648290..e2bc7bdf10d10 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics title: "@kbn/analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics'] --- import kbnAnalyticsObj from './kbn_analytics.devdocs.json'; diff --git a/api_docs/kbn_analytics_client.mdx b/api_docs/kbn_analytics_client.mdx index 0cc64b0787231..ec39e3a883062 100644 --- a/api_docs/kbn_analytics_client.mdx +++ b/api_docs/kbn_analytics_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-client title: "@kbn/analytics-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-client plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-client'] --- import kbnAnalyticsClientObj from './kbn_analytics_client.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx index fc26ea3809203..c1791b1b75b4f 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-browser title: "@kbn/analytics-shippers-elastic-v3-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-browser'] --- import kbnAnalyticsShippersElasticV3BrowserObj from './kbn_analytics_shippers_elastic_v3_browser.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx index 90800e661e926..afd0996d46a0d 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-common title: "@kbn/analytics-shippers-elastic-v3-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-common'] --- import kbnAnalyticsShippersElasticV3CommonObj from './kbn_analytics_shippers_elastic_v3_common.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx index 72e69ec7db2c1..a6c99c31797e8 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-server title: "@kbn/analytics-shippers-elastic-v3-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-server'] --- import kbnAnalyticsShippersElasticV3ServerObj from './kbn_analytics_shippers_elastic_v3_server.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_fullstory.mdx b/api_docs/kbn_analytics_shippers_fullstory.mdx index bcd7f92246dea..09272e39c2cf8 100644 --- a/api_docs/kbn_analytics_shippers_fullstory.mdx +++ b/api_docs/kbn_analytics_shippers_fullstory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-fullstory title: "@kbn/analytics-shippers-fullstory" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-fullstory plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-fullstory'] --- import kbnAnalyticsShippersFullstoryObj from './kbn_analytics_shippers_fullstory.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_gainsight.mdx b/api_docs/kbn_analytics_shippers_gainsight.mdx index e3316368d8f17..6dc8f9a46f6e7 100644 --- a/api_docs/kbn_analytics_shippers_gainsight.mdx +++ b/api_docs/kbn_analytics_shippers_gainsight.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-gainsight title: "@kbn/analytics-shippers-gainsight" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-gainsight plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-gainsight'] --- import kbnAnalyticsShippersGainsightObj from './kbn_analytics_shippers_gainsight.devdocs.json'; diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index f4ed409427259..6f37157e3bd89 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-config-loader title: "@kbn/apm-config-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-config-loader plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-config-loader'] --- import kbnApmConfigLoaderObj from './kbn_apm_config_loader.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace.mdx b/api_docs/kbn_apm_synthtrace.mdx index 8a1be28f80023..df83d5cea750b 100644 --- a/api_docs/kbn_apm_synthtrace.mdx +++ b/api_docs/kbn_apm_synthtrace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace title: "@kbn/apm-synthtrace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace'] --- import kbnApmSynthtraceObj from './kbn_apm_synthtrace.devdocs.json'; diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index 1be2f10521fe5..43d81097918e5 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-utils title: "@kbn/apm-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-utils'] --- import kbnApmUtilsObj from './kbn_apm_utils.devdocs.json'; diff --git a/api_docs/kbn_axe_config.mdx b/api_docs/kbn_axe_config.mdx index 00e140812a778..889b5d2619713 100644 --- a/api_docs/kbn_axe_config.mdx +++ b/api_docs/kbn_axe_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-axe-config title: "@kbn/axe-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/axe-config plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/axe-config'] --- import kbnAxeConfigObj from './kbn_axe_config.devdocs.json'; diff --git a/api_docs/kbn_cases_components.mdx b/api_docs/kbn_cases_components.mdx index bbd7020e4c728..d73635561febe 100644 --- a/api_docs/kbn_cases_components.mdx +++ b/api_docs/kbn_cases_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cases-components title: "@kbn/cases-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cases-components plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cases-components'] --- import kbnCasesComponentsObj from './kbn_cases_components.devdocs.json'; diff --git a/api_docs/kbn_chart_icons.mdx b/api_docs/kbn_chart_icons.mdx index 385266d637223..d8edb9e267db9 100644 --- a/api_docs/kbn_chart_icons.mdx +++ b/api_docs/kbn_chart_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-icons title: "@kbn/chart-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-icons plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-icons'] --- import kbnChartIconsObj from './kbn_chart_icons.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_core.mdx b/api_docs/kbn_ci_stats_core.mdx index d3631a7bc141a..18826c3b53f72 100644 --- a/api_docs/kbn_ci_stats_core.mdx +++ b/api_docs/kbn_ci_stats_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-core title: "@kbn/ci-stats-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-core plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-core'] --- import kbnCiStatsCoreObj from './kbn_ci_stats_core.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_performance_metrics.mdx b/api_docs/kbn_ci_stats_performance_metrics.mdx index 8da0393d08738..aec7eb5486af3 100644 --- a/api_docs/kbn_ci_stats_performance_metrics.mdx +++ b/api_docs/kbn_ci_stats_performance_metrics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-performance-metrics title: "@kbn/ci-stats-performance-metrics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-performance-metrics plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-performance-metrics'] --- import kbnCiStatsPerformanceMetricsObj from './kbn_ci_stats_performance_metrics.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_reporter.mdx b/api_docs/kbn_ci_stats_reporter.mdx index 9c87c0fc9ae34..bf50fdec5a7cf 100644 --- a/api_docs/kbn_ci_stats_reporter.mdx +++ b/api_docs/kbn_ci_stats_reporter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-reporter title: "@kbn/ci-stats-reporter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-reporter plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-reporter'] --- import kbnCiStatsReporterObj from './kbn_ci_stats_reporter.devdocs.json'; diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index f57ad0e11b50c..39b1be4a24705 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cli-dev-mode title: "@kbn/cli-dev-mode" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cli-dev-mode plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cli-dev-mode'] --- import kbnCliDevModeObj from './kbn_cli_dev_mode.devdocs.json'; diff --git a/api_docs/kbn_coloring.mdx b/api_docs/kbn_coloring.mdx index a53f15107267e..eaf4a7326d19d 100644 --- a/api_docs/kbn_coloring.mdx +++ b/api_docs/kbn_coloring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-coloring title: "@kbn/coloring" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/coloring plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/coloring'] --- import kbnColoringObj from './kbn_coloring.devdocs.json'; diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index c42b804b271ce..5b8b31dfb91ca 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config title: "@kbn/config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config'] --- import kbnConfigObj from './kbn_config.devdocs.json'; diff --git a/api_docs/kbn_config_mocks.mdx b/api_docs/kbn_config_mocks.mdx index d39d55079dc73..2369c34af3618 100644 --- a/api_docs/kbn_config_mocks.mdx +++ b/api_docs/kbn_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-mocks title: "@kbn/config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-mocks'] --- import kbnConfigMocksObj from './kbn_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index 714499ba66928..2d794f00593f5 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-schema title: "@kbn/config-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-schema plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-schema'] --- import kbnConfigSchemaObj from './kbn_config_schema.devdocs.json'; diff --git a/api_docs/kbn_content_management_inspector.mdx b/api_docs/kbn_content_management_inspector.mdx index b969b0f8c6117..458e76d265882 100644 --- a/api_docs/kbn_content_management_inspector.mdx +++ b/api_docs/kbn_content_management_inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-inspector title: "@kbn/content-management-inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-inspector plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-inspector'] --- import kbnContentManagementInspectorObj from './kbn_content_management_inspector.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list.mdx b/api_docs/kbn_content_management_table_list.mdx index 6cab483ff3c2b..fd8bb04d42231 100644 --- a/api_docs/kbn_content_management_table_list.mdx +++ b/api_docs/kbn_content_management_table_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list title: "@kbn/content-management-table-list" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list'] --- import kbnContentManagementTableListObj from './kbn_content_management_table_list.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser.mdx b/api_docs/kbn_core_analytics_browser.mdx index 9349414c32c89..1280f8aebe67f 100644 --- a/api_docs/kbn_core_analytics_browser.mdx +++ b/api_docs/kbn_core_analytics_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser title: "@kbn/core-analytics-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser'] --- import kbnCoreAnalyticsBrowserObj from './kbn_core_analytics_browser.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_internal.mdx b/api_docs/kbn_core_analytics_browser_internal.mdx index d965986e28531..5ecdc7a4ed26e 100644 --- a/api_docs/kbn_core_analytics_browser_internal.mdx +++ b/api_docs/kbn_core_analytics_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-internal title: "@kbn/core-analytics-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-internal'] --- import kbnCoreAnalyticsBrowserInternalObj from './kbn_core_analytics_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_mocks.mdx b/api_docs/kbn_core_analytics_browser_mocks.mdx index c1d018fa79c9d..2e4075ddb7502 100644 --- a/api_docs/kbn_core_analytics_browser_mocks.mdx +++ b/api_docs/kbn_core_analytics_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-mocks title: "@kbn/core-analytics-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-mocks'] --- import kbnCoreAnalyticsBrowserMocksObj from './kbn_core_analytics_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server.mdx b/api_docs/kbn_core_analytics_server.mdx index 045abd941ed37..f4591abc78ef4 100644 --- a/api_docs/kbn_core_analytics_server.mdx +++ b/api_docs/kbn_core_analytics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server title: "@kbn/core-analytics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server'] --- import kbnCoreAnalyticsServerObj from './kbn_core_analytics_server.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_internal.mdx b/api_docs/kbn_core_analytics_server_internal.mdx index d8b322e8127be..70c7a49785a29 100644 --- a/api_docs/kbn_core_analytics_server_internal.mdx +++ b/api_docs/kbn_core_analytics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-internal title: "@kbn/core-analytics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-internal'] --- import kbnCoreAnalyticsServerInternalObj from './kbn_core_analytics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_mocks.mdx b/api_docs/kbn_core_analytics_server_mocks.mdx index f1b435688f8d0..d60cc8efb97ea 100644 --- a/api_docs/kbn_core_analytics_server_mocks.mdx +++ b/api_docs/kbn_core_analytics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-mocks title: "@kbn/core-analytics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-mocks'] --- import kbnCoreAnalyticsServerMocksObj from './kbn_core_analytics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser.mdx b/api_docs/kbn_core_application_browser.mdx index 96bbd06273fce..e37085e66c871 100644 --- a/api_docs/kbn_core_application_browser.mdx +++ b/api_docs/kbn_core_application_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser title: "@kbn/core-application-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser'] --- import kbnCoreApplicationBrowserObj from './kbn_core_application_browser.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_internal.mdx b/api_docs/kbn_core_application_browser_internal.mdx index fb35a253200a2..2a13b8fb5ab8f 100644 --- a/api_docs/kbn_core_application_browser_internal.mdx +++ b/api_docs/kbn_core_application_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-internal title: "@kbn/core-application-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-internal'] --- import kbnCoreApplicationBrowserInternalObj from './kbn_core_application_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_mocks.mdx b/api_docs/kbn_core_application_browser_mocks.mdx index 481c371aa8297..8566f2ac01577 100644 --- a/api_docs/kbn_core_application_browser_mocks.mdx +++ b/api_docs/kbn_core_application_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-mocks title: "@kbn/core-application-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-mocks'] --- import kbnCoreApplicationBrowserMocksObj from './kbn_core_application_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_common.mdx b/api_docs/kbn_core_application_common.mdx index 1f16db74d4edc..3100021bc6a75 100644 --- a/api_docs/kbn_core_application_common.mdx +++ b/api_docs/kbn_core_application_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-common title: "@kbn/core-application-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-common'] --- import kbnCoreApplicationCommonObj from './kbn_core_application_common.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_internal.mdx b/api_docs/kbn_core_apps_browser_internal.mdx index 32a3a5efabfb8..e2bce0028de3b 100644 --- a/api_docs/kbn_core_apps_browser_internal.mdx +++ b/api_docs/kbn_core_apps_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-internal title: "@kbn/core-apps-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-internal'] --- import kbnCoreAppsBrowserInternalObj from './kbn_core_apps_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_mocks.mdx b/api_docs/kbn_core_apps_browser_mocks.mdx index dc21e7156b3b2..db27cd54fb143 100644 --- a/api_docs/kbn_core_apps_browser_mocks.mdx +++ b/api_docs/kbn_core_apps_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-mocks title: "@kbn/core-apps-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-mocks'] --- import kbnCoreAppsBrowserMocksObj from './kbn_core_apps_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_apps_server_internal.mdx b/api_docs/kbn_core_apps_server_internal.mdx index 947ea042a5847..13a1bfa020a9c 100644 --- a/api_docs/kbn_core_apps_server_internal.mdx +++ b/api_docs/kbn_core_apps_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-server-internal title: "@kbn/core-apps-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-server-internal'] --- import kbnCoreAppsServerInternalObj from './kbn_core_apps_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_browser_mocks.mdx b/api_docs/kbn_core_base_browser_mocks.mdx index c472dd3d1c386..6f933df6b34b3 100644 --- a/api_docs/kbn_core_base_browser_mocks.mdx +++ b/api_docs/kbn_core_base_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-browser-mocks title: "@kbn/core-base-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-browser-mocks'] --- import kbnCoreBaseBrowserMocksObj from './kbn_core_base_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_base_common.mdx b/api_docs/kbn_core_base_common.mdx index 3a4647edab48b..100734433c76c 100644 --- a/api_docs/kbn_core_base_common.mdx +++ b/api_docs/kbn_core_base_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-common title: "@kbn/core-base-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-common'] --- import kbnCoreBaseCommonObj from './kbn_core_base_common.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_internal.mdx b/api_docs/kbn_core_base_server_internal.mdx index 1c2c01ada3a50..aa6e6dc0351d1 100644 --- a/api_docs/kbn_core_base_server_internal.mdx +++ b/api_docs/kbn_core_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-internal title: "@kbn/core-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-internal'] --- import kbnCoreBaseServerInternalObj from './kbn_core_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_mocks.mdx b/api_docs/kbn_core_base_server_mocks.mdx index e3c85fe1e6310..687ed3ca52f23 100644 --- a/api_docs/kbn_core_base_server_mocks.mdx +++ b/api_docs/kbn_core_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-mocks title: "@kbn/core-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-mocks'] --- import kbnCoreBaseServerMocksObj from './kbn_core_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_browser_mocks.mdx b/api_docs/kbn_core_capabilities_browser_mocks.mdx index 6d0a76567987d..e77395a9178b3 100644 --- a/api_docs/kbn_core_capabilities_browser_mocks.mdx +++ b/api_docs/kbn_core_capabilities_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-browser-mocks title: "@kbn/core-capabilities-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-browser-mocks'] --- import kbnCoreCapabilitiesBrowserMocksObj from './kbn_core_capabilities_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_common.mdx b/api_docs/kbn_core_capabilities_common.mdx index 449711d31cadd..8ecb7234510d9 100644 --- a/api_docs/kbn_core_capabilities_common.mdx +++ b/api_docs/kbn_core_capabilities_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-common title: "@kbn/core-capabilities-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-common'] --- import kbnCoreCapabilitiesCommonObj from './kbn_core_capabilities_common.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server.mdx b/api_docs/kbn_core_capabilities_server.mdx index d9f67d7d1d7c1..9012a9050d49a 100644 --- a/api_docs/kbn_core_capabilities_server.mdx +++ b/api_docs/kbn_core_capabilities_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server title: "@kbn/core-capabilities-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server'] --- import kbnCoreCapabilitiesServerObj from './kbn_core_capabilities_server.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server_mocks.mdx b/api_docs/kbn_core_capabilities_server_mocks.mdx index c0150cc709350..dfa73a4b2597b 100644 --- a/api_docs/kbn_core_capabilities_server_mocks.mdx +++ b/api_docs/kbn_core_capabilities_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server-mocks title: "@kbn/core-capabilities-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server-mocks'] --- import kbnCoreCapabilitiesServerMocksObj from './kbn_core_capabilities_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser.mdx b/api_docs/kbn_core_chrome_browser.mdx index 4412d6af6d675..d2c2b7bf58677 100644 --- a/api_docs/kbn_core_chrome_browser.mdx +++ b/api_docs/kbn_core_chrome_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser title: "@kbn/core-chrome-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser'] --- import kbnCoreChromeBrowserObj from './kbn_core_chrome_browser.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser_mocks.mdx b/api_docs/kbn_core_chrome_browser_mocks.mdx index c5a4c9c7816a4..03842ec1ab77b 100644 --- a/api_docs/kbn_core_chrome_browser_mocks.mdx +++ b/api_docs/kbn_core_chrome_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser-mocks title: "@kbn/core-chrome-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser-mocks'] --- import kbnCoreChromeBrowserMocksObj from './kbn_core_chrome_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_config_server_internal.mdx b/api_docs/kbn_core_config_server_internal.mdx index dcf1d3daeb2fd..6c8cb060c66e0 100644 --- a/api_docs/kbn_core_config_server_internal.mdx +++ b/api_docs/kbn_core_config_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-config-server-internal title: "@kbn/core-config-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-config-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-config-server-internal'] --- import kbnCoreConfigServerInternalObj from './kbn_core_config_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser.mdx b/api_docs/kbn_core_deprecations_browser.mdx index 69af47117c852..39ab8255c9aaf 100644 --- a/api_docs/kbn_core_deprecations_browser.mdx +++ b/api_docs/kbn_core_deprecations_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser title: "@kbn/core-deprecations-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser'] --- import kbnCoreDeprecationsBrowserObj from './kbn_core_deprecations_browser.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_internal.mdx b/api_docs/kbn_core_deprecations_browser_internal.mdx index 818763ccdd643..983ae7077c629 100644 --- a/api_docs/kbn_core_deprecations_browser_internal.mdx +++ b/api_docs/kbn_core_deprecations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-internal title: "@kbn/core-deprecations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-internal'] --- import kbnCoreDeprecationsBrowserInternalObj from './kbn_core_deprecations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_mocks.mdx b/api_docs/kbn_core_deprecations_browser_mocks.mdx index 261b4ff46cc6c..374fdaccbcbdf 100644 --- a/api_docs/kbn_core_deprecations_browser_mocks.mdx +++ b/api_docs/kbn_core_deprecations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-mocks title: "@kbn/core-deprecations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-mocks'] --- import kbnCoreDeprecationsBrowserMocksObj from './kbn_core_deprecations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_common.mdx b/api_docs/kbn_core_deprecations_common.mdx index 12e47e85813e3..8ae09e898aa98 100644 --- a/api_docs/kbn_core_deprecations_common.mdx +++ b/api_docs/kbn_core_deprecations_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-common title: "@kbn/core-deprecations-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-common'] --- import kbnCoreDeprecationsCommonObj from './kbn_core_deprecations_common.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server.mdx b/api_docs/kbn_core_deprecations_server.mdx index dc9032e9068ee..42c79636e7b54 100644 --- a/api_docs/kbn_core_deprecations_server.mdx +++ b/api_docs/kbn_core_deprecations_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server title: "@kbn/core-deprecations-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server'] --- import kbnCoreDeprecationsServerObj from './kbn_core_deprecations_server.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_internal.mdx b/api_docs/kbn_core_deprecations_server_internal.mdx index 3883c58bb0e52..a5c117b26f363 100644 --- a/api_docs/kbn_core_deprecations_server_internal.mdx +++ b/api_docs/kbn_core_deprecations_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-internal title: "@kbn/core-deprecations-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-internal'] --- import kbnCoreDeprecationsServerInternalObj from './kbn_core_deprecations_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_mocks.mdx b/api_docs/kbn_core_deprecations_server_mocks.mdx index fa1829a14345e..b7ebc96bc1ec0 100644 --- a/api_docs/kbn_core_deprecations_server_mocks.mdx +++ b/api_docs/kbn_core_deprecations_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-mocks title: "@kbn/core-deprecations-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-mocks'] --- import kbnCoreDeprecationsServerMocksObj from './kbn_core_deprecations_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser.mdx b/api_docs/kbn_core_doc_links_browser.mdx index 03603f6d718da..f73ef148637c0 100644 --- a/api_docs/kbn_core_doc_links_browser.mdx +++ b/api_docs/kbn_core_doc_links_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser title: "@kbn/core-doc-links-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser'] --- import kbnCoreDocLinksBrowserObj from './kbn_core_doc_links_browser.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser_mocks.mdx b/api_docs/kbn_core_doc_links_browser_mocks.mdx index 41b8cce3c48bd..971a2f4ad165b 100644 --- a/api_docs/kbn_core_doc_links_browser_mocks.mdx +++ b/api_docs/kbn_core_doc_links_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser-mocks title: "@kbn/core-doc-links-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser-mocks'] --- import kbnCoreDocLinksBrowserMocksObj from './kbn_core_doc_links_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server.mdx b/api_docs/kbn_core_doc_links_server.mdx index d7d0841c89f97..c4ddff45e05f4 100644 --- a/api_docs/kbn_core_doc_links_server.mdx +++ b/api_docs/kbn_core_doc_links_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server title: "@kbn/core-doc-links-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server'] --- import kbnCoreDocLinksServerObj from './kbn_core_doc_links_server.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server_mocks.mdx b/api_docs/kbn_core_doc_links_server_mocks.mdx index 31f967e3dcaee..0daae1b930b4f 100644 --- a/api_docs/kbn_core_doc_links_server_mocks.mdx +++ b/api_docs/kbn_core_doc_links_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server-mocks title: "@kbn/core-doc-links-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server-mocks'] --- import kbnCoreDocLinksServerMocksObj from './kbn_core_doc_links_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx index 0828321e2856d..33ac3f388d233 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-internal title: "@kbn/core-elasticsearch-client-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-internal'] --- import kbnCoreElasticsearchClientServerInternalObj from './kbn_core_elasticsearch_client_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx index d90e0d80b47f7..c6fa9ed107712 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-mocks title: "@kbn/core-elasticsearch-client-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-mocks'] --- import kbnCoreElasticsearchClientServerMocksObj from './kbn_core_elasticsearch_client_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server.mdx b/api_docs/kbn_core_elasticsearch_server.mdx index fc61640f9c659..58ff885599c91 100644 --- a/api_docs/kbn_core_elasticsearch_server.mdx +++ b/api_docs/kbn_core_elasticsearch_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server title: "@kbn/core-elasticsearch-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server'] --- import kbnCoreElasticsearchServerObj from './kbn_core_elasticsearch_server.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_internal.mdx b/api_docs/kbn_core_elasticsearch_server_internal.mdx index f1f406153d63b..7ca2127f314a8 100644 --- a/api_docs/kbn_core_elasticsearch_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-internal title: "@kbn/core-elasticsearch-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-internal'] --- import kbnCoreElasticsearchServerInternalObj from './kbn_core_elasticsearch_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_server_mocks.mdx index 763e478f99794..d9ef18637e68b 100644 --- a/api_docs/kbn_core_elasticsearch_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-mocks title: "@kbn/core-elasticsearch-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-mocks'] --- import kbnCoreElasticsearchServerMocksObj from './kbn_core_elasticsearch_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_internal.mdx b/api_docs/kbn_core_environment_server_internal.mdx index 54c6ad93ae064..7201de939abe3 100644 --- a/api_docs/kbn_core_environment_server_internal.mdx +++ b/api_docs/kbn_core_environment_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-internal title: "@kbn/core-environment-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-internal'] --- import kbnCoreEnvironmentServerInternalObj from './kbn_core_environment_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_mocks.mdx b/api_docs/kbn_core_environment_server_mocks.mdx index 97ebbc12f7f0f..472db84c7a387 100644 --- a/api_docs/kbn_core_environment_server_mocks.mdx +++ b/api_docs/kbn_core_environment_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-mocks title: "@kbn/core-environment-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-mocks'] --- import kbnCoreEnvironmentServerMocksObj from './kbn_core_environment_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser.mdx b/api_docs/kbn_core_execution_context_browser.mdx index 987d1790d83d5..10d3cdb52f65c 100644 --- a/api_docs/kbn_core_execution_context_browser.mdx +++ b/api_docs/kbn_core_execution_context_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser title: "@kbn/core-execution-context-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser'] --- import kbnCoreExecutionContextBrowserObj from './kbn_core_execution_context_browser.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_internal.mdx b/api_docs/kbn_core_execution_context_browser_internal.mdx index 9b870cd7c155b..d967eae26b9bc 100644 --- a/api_docs/kbn_core_execution_context_browser_internal.mdx +++ b/api_docs/kbn_core_execution_context_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-internal title: "@kbn/core-execution-context-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-internal'] --- import kbnCoreExecutionContextBrowserInternalObj from './kbn_core_execution_context_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_mocks.mdx b/api_docs/kbn_core_execution_context_browser_mocks.mdx index 95afcb596b54a..5e4ea17ea6a54 100644 --- a/api_docs/kbn_core_execution_context_browser_mocks.mdx +++ b/api_docs/kbn_core_execution_context_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-mocks title: "@kbn/core-execution-context-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-mocks'] --- import kbnCoreExecutionContextBrowserMocksObj from './kbn_core_execution_context_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_common.mdx b/api_docs/kbn_core_execution_context_common.mdx index ab9c22db238b6..0d2ec396dac2a 100644 --- a/api_docs/kbn_core_execution_context_common.mdx +++ b/api_docs/kbn_core_execution_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-common title: "@kbn/core-execution-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-common'] --- import kbnCoreExecutionContextCommonObj from './kbn_core_execution_context_common.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server.mdx b/api_docs/kbn_core_execution_context_server.mdx index 58aef250a1c3e..34e56d153f1ab 100644 --- a/api_docs/kbn_core_execution_context_server.mdx +++ b/api_docs/kbn_core_execution_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server title: "@kbn/core-execution-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server'] --- import kbnCoreExecutionContextServerObj from './kbn_core_execution_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_internal.mdx b/api_docs/kbn_core_execution_context_server_internal.mdx index 8d22e155ff274..f11ab55551427 100644 --- a/api_docs/kbn_core_execution_context_server_internal.mdx +++ b/api_docs/kbn_core_execution_context_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-internal title: "@kbn/core-execution-context-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-internal'] --- import kbnCoreExecutionContextServerInternalObj from './kbn_core_execution_context_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_mocks.mdx b/api_docs/kbn_core_execution_context_server_mocks.mdx index fbcef1691a6b5..7fff486547b44 100644 --- a/api_docs/kbn_core_execution_context_server_mocks.mdx +++ b/api_docs/kbn_core_execution_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-mocks title: "@kbn/core-execution-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-mocks'] --- import kbnCoreExecutionContextServerMocksObj from './kbn_core_execution_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser.mdx b/api_docs/kbn_core_fatal_errors_browser.mdx index 4696bb123b2cd..7987974ae999f 100644 --- a/api_docs/kbn_core_fatal_errors_browser.mdx +++ b/api_docs/kbn_core_fatal_errors_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser title: "@kbn/core-fatal-errors-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser'] --- import kbnCoreFatalErrorsBrowserObj from './kbn_core_fatal_errors_browser.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx index 117e59e8c53e1..ca45f756c596b 100644 --- a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx +++ b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser-mocks title: "@kbn/core-fatal-errors-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser-mocks'] --- import kbnCoreFatalErrorsBrowserMocksObj from './kbn_core_fatal_errors_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser.mdx b/api_docs/kbn_core_http_browser.mdx index 7bbed17c23be9..0c87dde027bfb 100644 --- a/api_docs/kbn_core_http_browser.mdx +++ b/api_docs/kbn_core_http_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser title: "@kbn/core-http-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser'] --- import kbnCoreHttpBrowserObj from './kbn_core_http_browser.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_internal.mdx b/api_docs/kbn_core_http_browser_internal.mdx index ce2bc40e0e04e..320d5f3f5f0bd 100644 --- a/api_docs/kbn_core_http_browser_internal.mdx +++ b/api_docs/kbn_core_http_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-internal title: "@kbn/core-http-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-internal'] --- import kbnCoreHttpBrowserInternalObj from './kbn_core_http_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_mocks.mdx b/api_docs/kbn_core_http_browser_mocks.mdx index b5b1283a5ed78..a5ba4404b3719 100644 --- a/api_docs/kbn_core_http_browser_mocks.mdx +++ b/api_docs/kbn_core_http_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-mocks title: "@kbn/core-http-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-mocks'] --- import kbnCoreHttpBrowserMocksObj from './kbn_core_http_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_common.mdx b/api_docs/kbn_core_http_common.mdx index 624192628ad27..8b32f47125d0a 100644 --- a/api_docs/kbn_core_http_common.mdx +++ b/api_docs/kbn_core_http_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-common title: "@kbn/core-http-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-common'] --- import kbnCoreHttpCommonObj from './kbn_core_http_common.devdocs.json'; diff --git a/api_docs/kbn_core_http_context_server_mocks.mdx b/api_docs/kbn_core_http_context_server_mocks.mdx index 9b6e78996fe1d..a0a63e3017dfc 100644 --- a/api_docs/kbn_core_http_context_server_mocks.mdx +++ b/api_docs/kbn_core_http_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-context-server-mocks title: "@kbn/core-http-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-context-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-context-server-mocks'] --- import kbnCoreHttpContextServerMocksObj from './kbn_core_http_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_request_handler_context_server.mdx b/api_docs/kbn_core_http_request_handler_context_server.mdx index 6fa94186f5431..17d8d1b6c6637 100644 --- a/api_docs/kbn_core_http_request_handler_context_server.mdx +++ b/api_docs/kbn_core_http_request_handler_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-request-handler-context-server title: "@kbn/core-http-request-handler-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-request-handler-context-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-request-handler-context-server'] --- import kbnCoreHttpRequestHandlerContextServerObj from './kbn_core_http_request_handler_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server.mdx b/api_docs/kbn_core_http_resources_server.mdx index 5d496d7927d4a..1db62f81cfa1e 100644 --- a/api_docs/kbn_core_http_resources_server.mdx +++ b/api_docs/kbn_core_http_resources_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server title: "@kbn/core-http-resources-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server'] --- import kbnCoreHttpResourcesServerObj from './kbn_core_http_resources_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_internal.mdx b/api_docs/kbn_core_http_resources_server_internal.mdx index 30217c234874f..3f316dbee0c48 100644 --- a/api_docs/kbn_core_http_resources_server_internal.mdx +++ b/api_docs/kbn_core_http_resources_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-internal title: "@kbn/core-http-resources-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-internal'] --- import kbnCoreHttpResourcesServerInternalObj from './kbn_core_http_resources_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_mocks.mdx b/api_docs/kbn_core_http_resources_server_mocks.mdx index 581e6d7df75e0..07adb0bc05658 100644 --- a/api_docs/kbn_core_http_resources_server_mocks.mdx +++ b/api_docs/kbn_core_http_resources_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-mocks title: "@kbn/core-http-resources-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-mocks'] --- import kbnCoreHttpResourcesServerMocksObj from './kbn_core_http_resources_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_internal.mdx b/api_docs/kbn_core_http_router_server_internal.mdx index 0540a919e4831..575531fda0c9e 100644 --- a/api_docs/kbn_core_http_router_server_internal.mdx +++ b/api_docs/kbn_core_http_router_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-internal title: "@kbn/core-http-router-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-internal'] --- import kbnCoreHttpRouterServerInternalObj from './kbn_core_http_router_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_mocks.mdx b/api_docs/kbn_core_http_router_server_mocks.mdx index 82891887f0420..3acbdf519af3e 100644 --- a/api_docs/kbn_core_http_router_server_mocks.mdx +++ b/api_docs/kbn_core_http_router_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-mocks title: "@kbn/core-http-router-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-mocks'] --- import kbnCoreHttpRouterServerMocksObj from './kbn_core_http_router_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server.mdx b/api_docs/kbn_core_http_server.mdx index 03cfac603ca9f..c5bc83965b5ea 100644 --- a/api_docs/kbn_core_http_server.mdx +++ b/api_docs/kbn_core_http_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server title: "@kbn/core-http-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server'] --- import kbnCoreHttpServerObj from './kbn_core_http_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_internal.mdx b/api_docs/kbn_core_http_server_internal.mdx index f56cc56f42340..1482411ff0015 100644 --- a/api_docs/kbn_core_http_server_internal.mdx +++ b/api_docs/kbn_core_http_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-internal title: "@kbn/core-http-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-internal'] --- import kbnCoreHttpServerInternalObj from './kbn_core_http_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_mocks.mdx b/api_docs/kbn_core_http_server_mocks.mdx index 698b0c9f18eb0..d91451a2e2afe 100644 --- a/api_docs/kbn_core_http_server_mocks.mdx +++ b/api_docs/kbn_core_http_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-mocks title: "@kbn/core-http-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-mocks'] --- import kbnCoreHttpServerMocksObj from './kbn_core_http_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser.mdx b/api_docs/kbn_core_i18n_browser.mdx index 6e64578f2fe38..e578d532b9210 100644 --- a/api_docs/kbn_core_i18n_browser.mdx +++ b/api_docs/kbn_core_i18n_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser title: "@kbn/core-i18n-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser'] --- import kbnCoreI18nBrowserObj from './kbn_core_i18n_browser.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser_mocks.mdx b/api_docs/kbn_core_i18n_browser_mocks.mdx index 7fa8c6295c61f..0ac98dd777ddb 100644 --- a/api_docs/kbn_core_i18n_browser_mocks.mdx +++ b/api_docs/kbn_core_i18n_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser-mocks title: "@kbn/core-i18n-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser-mocks'] --- import kbnCoreI18nBrowserMocksObj from './kbn_core_i18n_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server.mdx b/api_docs/kbn_core_i18n_server.mdx index 9211fa36cdf0c..57af922992bf4 100644 --- a/api_docs/kbn_core_i18n_server.mdx +++ b/api_docs/kbn_core_i18n_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server title: "@kbn/core-i18n-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server'] --- import kbnCoreI18nServerObj from './kbn_core_i18n_server.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_internal.mdx b/api_docs/kbn_core_i18n_server_internal.mdx index 39b2b523484e2..8ddc518c69490 100644 --- a/api_docs/kbn_core_i18n_server_internal.mdx +++ b/api_docs/kbn_core_i18n_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-internal title: "@kbn/core-i18n-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-internal'] --- import kbnCoreI18nServerInternalObj from './kbn_core_i18n_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_mocks.mdx b/api_docs/kbn_core_i18n_server_mocks.mdx index c2b8cc3bddaf0..d65738f76f3f4 100644 --- a/api_docs/kbn_core_i18n_server_mocks.mdx +++ b/api_docs/kbn_core_i18n_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-mocks title: "@kbn/core-i18n-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-mocks'] --- import kbnCoreI18nServerMocksObj from './kbn_core_i18n_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser.mdx b/api_docs/kbn_core_injected_metadata_browser.mdx index d1ecaea2d5505..0340c9ee29430 100644 --- a/api_docs/kbn_core_injected_metadata_browser.mdx +++ b/api_docs/kbn_core_injected_metadata_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser title: "@kbn/core-injected-metadata-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser'] --- import kbnCoreInjectedMetadataBrowserObj from './kbn_core_injected_metadata_browser.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx index 9973df02af392..55d8700ae9f72 100644 --- a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx +++ b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser-mocks title: "@kbn/core-injected-metadata-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser-mocks'] --- import kbnCoreInjectedMetadataBrowserMocksObj from './kbn_core_injected_metadata_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_internal.mdx b/api_docs/kbn_core_integrations_browser_internal.mdx index c4b4a998d7e62..a1565f5e5162a 100644 --- a/api_docs/kbn_core_integrations_browser_internal.mdx +++ b/api_docs/kbn_core_integrations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-internal title: "@kbn/core-integrations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-internal'] --- import kbnCoreIntegrationsBrowserInternalObj from './kbn_core_integrations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_mocks.mdx b/api_docs/kbn_core_integrations_browser_mocks.mdx index eaece2e67cd7b..3ae93b70692e0 100644 --- a/api_docs/kbn_core_integrations_browser_mocks.mdx +++ b/api_docs/kbn_core_integrations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-mocks title: "@kbn/core-integrations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-mocks'] --- import kbnCoreIntegrationsBrowserMocksObj from './kbn_core_integrations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser.mdx b/api_docs/kbn_core_lifecycle_browser.mdx index 8bdcc8da30276..5c75946de3da7 100644 --- a/api_docs/kbn_core_lifecycle_browser.mdx +++ b/api_docs/kbn_core_lifecycle_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser title: "@kbn/core-lifecycle-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser'] --- import kbnCoreLifecycleBrowserObj from './kbn_core_lifecycle_browser.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser_mocks.mdx b/api_docs/kbn_core_lifecycle_browser_mocks.mdx index e20c69383e40d..8dcfb10f29357 100644 --- a/api_docs/kbn_core_lifecycle_browser_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser-mocks title: "@kbn/core-lifecycle-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser-mocks'] --- import kbnCoreLifecycleBrowserMocksObj from './kbn_core_lifecycle_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server.mdx b/api_docs/kbn_core_lifecycle_server.mdx index 516698f611866..fa234a40ab51b 100644 --- a/api_docs/kbn_core_lifecycle_server.mdx +++ b/api_docs/kbn_core_lifecycle_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server title: "@kbn/core-lifecycle-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server'] --- import kbnCoreLifecycleServerObj from './kbn_core_lifecycle_server.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server_mocks.mdx b/api_docs/kbn_core_lifecycle_server_mocks.mdx index d1a56e1524c78..13a2682681369 100644 --- a/api_docs/kbn_core_lifecycle_server_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server-mocks title: "@kbn/core-lifecycle-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server-mocks'] --- import kbnCoreLifecycleServerMocksObj from './kbn_core_lifecycle_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_browser_mocks.mdx b/api_docs/kbn_core_logging_browser_mocks.mdx index 1819d75b4641f..4ab76438af13c 100644 --- a/api_docs/kbn_core_logging_browser_mocks.mdx +++ b/api_docs/kbn_core_logging_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-browser-mocks title: "@kbn/core-logging-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-browser-mocks'] --- import kbnCoreLoggingBrowserMocksObj from './kbn_core_logging_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_common_internal.mdx b/api_docs/kbn_core_logging_common_internal.mdx index b051b4917bf0f..69af69f4a1a15 100644 --- a/api_docs/kbn_core_logging_common_internal.mdx +++ b/api_docs/kbn_core_logging_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-common-internal title: "@kbn/core-logging-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-common-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-common-internal'] --- import kbnCoreLoggingCommonInternalObj from './kbn_core_logging_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server.mdx b/api_docs/kbn_core_logging_server.mdx index 4dc40d595eb2c..31a75afb81b32 100644 --- a/api_docs/kbn_core_logging_server.mdx +++ b/api_docs/kbn_core_logging_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server title: "@kbn/core-logging-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server'] --- import kbnCoreLoggingServerObj from './kbn_core_logging_server.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_internal.mdx b/api_docs/kbn_core_logging_server_internal.mdx index 08b1a9d5e546f..a9848999f37cc 100644 --- a/api_docs/kbn_core_logging_server_internal.mdx +++ b/api_docs/kbn_core_logging_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-internal title: "@kbn/core-logging-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-internal'] --- import kbnCoreLoggingServerInternalObj from './kbn_core_logging_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_mocks.mdx b/api_docs/kbn_core_logging_server_mocks.mdx index fd2c2b387f447..86fdc7860dd5b 100644 --- a/api_docs/kbn_core_logging_server_mocks.mdx +++ b/api_docs/kbn_core_logging_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-mocks title: "@kbn/core-logging-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-mocks'] --- import kbnCoreLoggingServerMocksObj from './kbn_core_logging_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_internal.mdx b/api_docs/kbn_core_metrics_collectors_server_internal.mdx index 297cd5a7aa600..df8888f2ec40f 100644 --- a/api_docs/kbn_core_metrics_collectors_server_internal.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-internal title: "@kbn/core-metrics-collectors-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-internal'] --- import kbnCoreMetricsCollectorsServerInternalObj from './kbn_core_metrics_collectors_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx index a1b81449a4764..330aac5b29a1c 100644 --- a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-mocks title: "@kbn/core-metrics-collectors-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-mocks'] --- import kbnCoreMetricsCollectorsServerMocksObj from './kbn_core_metrics_collectors_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server.mdx b/api_docs/kbn_core_metrics_server.mdx index f536e28706ca1..1f0ccf658397d 100644 --- a/api_docs/kbn_core_metrics_server.mdx +++ b/api_docs/kbn_core_metrics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server title: "@kbn/core-metrics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server'] --- import kbnCoreMetricsServerObj from './kbn_core_metrics_server.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_internal.mdx b/api_docs/kbn_core_metrics_server_internal.mdx index f8a5c7a5c8003..a572cfe984405 100644 --- a/api_docs/kbn_core_metrics_server_internal.mdx +++ b/api_docs/kbn_core_metrics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-internal title: "@kbn/core-metrics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-internal'] --- import kbnCoreMetricsServerInternalObj from './kbn_core_metrics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_mocks.mdx b/api_docs/kbn_core_metrics_server_mocks.mdx index a831ae477663f..475c979c6ff0a 100644 --- a/api_docs/kbn_core_metrics_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-mocks title: "@kbn/core-metrics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-mocks'] --- import kbnCoreMetricsServerMocksObj from './kbn_core_metrics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_mount_utils_browser.mdx b/api_docs/kbn_core_mount_utils_browser.mdx index db7364bfc6dd4..637bf245f1d0f 100644 --- a/api_docs/kbn_core_mount_utils_browser.mdx +++ b/api_docs/kbn_core_mount_utils_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-mount-utils-browser title: "@kbn/core-mount-utils-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-mount-utils-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-mount-utils-browser'] --- import kbnCoreMountUtilsBrowserObj from './kbn_core_mount_utils_browser.devdocs.json'; diff --git a/api_docs/kbn_core_node_server.mdx b/api_docs/kbn_core_node_server.mdx index af60bab8b5f53..024ba2ac5b629 100644 --- a/api_docs/kbn_core_node_server.mdx +++ b/api_docs/kbn_core_node_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server title: "@kbn/core-node-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server'] --- import kbnCoreNodeServerObj from './kbn_core_node_server.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_internal.mdx b/api_docs/kbn_core_node_server_internal.mdx index 11378a2cab6ba..670020c4b09e4 100644 --- a/api_docs/kbn_core_node_server_internal.mdx +++ b/api_docs/kbn_core_node_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-internal title: "@kbn/core-node-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-internal'] --- import kbnCoreNodeServerInternalObj from './kbn_core_node_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_mocks.mdx b/api_docs/kbn_core_node_server_mocks.mdx index 375cd695342cb..bdbeb9c6db3dd 100644 --- a/api_docs/kbn_core_node_server_mocks.mdx +++ b/api_docs/kbn_core_node_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-mocks title: "@kbn/core-node-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-mocks'] --- import kbnCoreNodeServerMocksObj from './kbn_core_node_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser.mdx b/api_docs/kbn_core_notifications_browser.mdx index 6fba6364c822c..8e761daec6dfd 100644 --- a/api_docs/kbn_core_notifications_browser.mdx +++ b/api_docs/kbn_core_notifications_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser title: "@kbn/core-notifications-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser'] --- import kbnCoreNotificationsBrowserObj from './kbn_core_notifications_browser.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_internal.mdx b/api_docs/kbn_core_notifications_browser_internal.mdx index 5e8eb5f40ce4f..bea5e0bcaac4d 100644 --- a/api_docs/kbn_core_notifications_browser_internal.mdx +++ b/api_docs/kbn_core_notifications_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-internal title: "@kbn/core-notifications-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-internal'] --- import kbnCoreNotificationsBrowserInternalObj from './kbn_core_notifications_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_mocks.mdx b/api_docs/kbn_core_notifications_browser_mocks.mdx index 00935601dab4f..542a0ebfec2fa 100644 --- a/api_docs/kbn_core_notifications_browser_mocks.mdx +++ b/api_docs/kbn_core_notifications_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-mocks title: "@kbn/core-notifications-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-mocks'] --- import kbnCoreNotificationsBrowserMocksObj from './kbn_core_notifications_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser.mdx b/api_docs/kbn_core_overlays_browser.mdx index 9c162750d4c25..63c360c10b066 100644 --- a/api_docs/kbn_core_overlays_browser.mdx +++ b/api_docs/kbn_core_overlays_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser title: "@kbn/core-overlays-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser'] --- import kbnCoreOverlaysBrowserObj from './kbn_core_overlays_browser.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_internal.mdx b/api_docs/kbn_core_overlays_browser_internal.mdx index f580265a64827..1dc16c806f004 100644 --- a/api_docs/kbn_core_overlays_browser_internal.mdx +++ b/api_docs/kbn_core_overlays_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-internal title: "@kbn/core-overlays-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-internal'] --- import kbnCoreOverlaysBrowserInternalObj from './kbn_core_overlays_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_mocks.mdx b/api_docs/kbn_core_overlays_browser_mocks.mdx index 61a3befb71785..2e58fd997cbd2 100644 --- a/api_docs/kbn_core_overlays_browser_mocks.mdx +++ b/api_docs/kbn_core_overlays_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-mocks title: "@kbn/core-overlays-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-mocks'] --- import kbnCoreOverlaysBrowserMocksObj from './kbn_core_overlays_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser.mdx b/api_docs/kbn_core_plugins_browser.mdx index d96f61da9887c..52602c8ba250d 100644 --- a/api_docs/kbn_core_plugins_browser.mdx +++ b/api_docs/kbn_core_plugins_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser title: "@kbn/core-plugins-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser'] --- import kbnCorePluginsBrowserObj from './kbn_core_plugins_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser_mocks.mdx b/api_docs/kbn_core_plugins_browser_mocks.mdx index 3d59366fc4a73..64349e2cc9c36 100644 --- a/api_docs/kbn_core_plugins_browser_mocks.mdx +++ b/api_docs/kbn_core_plugins_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser-mocks title: "@kbn/core-plugins-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser-mocks'] --- import kbnCorePluginsBrowserMocksObj from './kbn_core_plugins_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server.mdx b/api_docs/kbn_core_plugins_server.mdx index aa18c60a793ef..560566f492b48 100644 --- a/api_docs/kbn_core_plugins_server.mdx +++ b/api_docs/kbn_core_plugins_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server title: "@kbn/core-plugins-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server'] --- import kbnCorePluginsServerObj from './kbn_core_plugins_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server_mocks.mdx b/api_docs/kbn_core_plugins_server_mocks.mdx index d00724f817155..253f1a5072b9e 100644 --- a/api_docs/kbn_core_plugins_server_mocks.mdx +++ b/api_docs/kbn_core_plugins_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server-mocks title: "@kbn/core-plugins-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server-mocks'] --- import kbnCorePluginsServerMocksObj from './kbn_core_plugins_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server.mdx b/api_docs/kbn_core_preboot_server.mdx index 64bab6b8a8601..984d25b84d9ab 100644 --- a/api_docs/kbn_core_preboot_server.mdx +++ b/api_docs/kbn_core_preboot_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server title: "@kbn/core-preboot-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server'] --- import kbnCorePrebootServerObj from './kbn_core_preboot_server.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server_mocks.mdx b/api_docs/kbn_core_preboot_server_mocks.mdx index d18ae94653e4b..f1aaf0965d6c3 100644 --- a/api_docs/kbn_core_preboot_server_mocks.mdx +++ b/api_docs/kbn_core_preboot_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server-mocks title: "@kbn/core-preboot-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server-mocks'] --- import kbnCorePrebootServerMocksObj from './kbn_core_preboot_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser_mocks.mdx b/api_docs/kbn_core_rendering_browser_mocks.mdx index 9d950889785e5..3f144775fcf63 100644 --- a/api_docs/kbn_core_rendering_browser_mocks.mdx +++ b/api_docs/kbn_core_rendering_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser-mocks title: "@kbn/core-rendering-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser-mocks'] --- import kbnCoreRenderingBrowserMocksObj from './kbn_core_rendering_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_internal.mdx b/api_docs/kbn_core_rendering_server_internal.mdx index 8fad07f19179c..6b629f849b903 100644 --- a/api_docs/kbn_core_rendering_server_internal.mdx +++ b/api_docs/kbn_core_rendering_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-internal title: "@kbn/core-rendering-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-internal'] --- import kbnCoreRenderingServerInternalObj from './kbn_core_rendering_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_mocks.mdx b/api_docs/kbn_core_rendering_server_mocks.mdx index 88fbfcd457b6d..dfc0405d8d7e6 100644 --- a/api_docs/kbn_core_rendering_server_mocks.mdx +++ b/api_docs/kbn_core_rendering_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-mocks title: "@kbn/core-rendering-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-mocks'] --- import kbnCoreRenderingServerMocksObj from './kbn_core_rendering_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_root_server_internal.mdx b/api_docs/kbn_core_root_server_internal.mdx index ad60732f24f6c..5b03a5920b6bb 100644 --- a/api_docs/kbn_core_root_server_internal.mdx +++ b/api_docs/kbn_core_root_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-root-server-internal title: "@kbn/core-root-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-root-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-root-server-internal'] --- import kbnCoreRootServerInternalObj from './kbn_core_root_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_browser.mdx b/api_docs/kbn_core_saved_objects_api_browser.mdx index a6e35a7afd6f2..c61be2aea5a3f 100644 --- a/api_docs/kbn_core_saved_objects_api_browser.mdx +++ b/api_docs/kbn_core_saved_objects_api_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-browser title: "@kbn/core-saved-objects-api-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-browser'] --- import kbnCoreSavedObjectsApiBrowserObj from './kbn_core_saved_objects_api_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server.mdx b/api_docs/kbn_core_saved_objects_api_server.mdx index 3e09e47423f0d..645cfeb2c3966 100644 --- a/api_docs/kbn_core_saved_objects_api_server.mdx +++ b/api_docs/kbn_core_saved_objects_api_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server title: "@kbn/core-saved-objects-api-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server'] --- import kbnCoreSavedObjectsApiServerObj from './kbn_core_saved_objects_api_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_internal.mdx b/api_docs/kbn_core_saved_objects_api_server_internal.mdx index 7908abb7eb95e..3533a8b5b3bdd 100644 --- a/api_docs/kbn_core_saved_objects_api_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-internal title: "@kbn/core-saved-objects-api-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-internal'] --- import kbnCoreSavedObjectsApiServerInternalObj from './kbn_core_saved_objects_api_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx index aba0e9596038d..a7888e06d68d7 100644 --- a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-mocks title: "@kbn/core-saved-objects-api-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-mocks'] --- import kbnCoreSavedObjectsApiServerMocksObj from './kbn_core_saved_objects_api_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_internal.mdx b/api_docs/kbn_core_saved_objects_base_server_internal.mdx index 60a984f1a01fe..ee41c8bbec932 100644 --- a/api_docs/kbn_core_saved_objects_base_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-internal title: "@kbn/core-saved-objects-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-internal'] --- import kbnCoreSavedObjectsBaseServerInternalObj from './kbn_core_saved_objects_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx index da9c5e0856219..0db371f7ef036 100644 --- a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-mocks title: "@kbn/core-saved-objects-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-mocks'] --- import kbnCoreSavedObjectsBaseServerMocksObj from './kbn_core_saved_objects_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser.mdx b/api_docs/kbn_core_saved_objects_browser.mdx index cdd505091261c..9728d7cad8817 100644 --- a/api_docs/kbn_core_saved_objects_browser.mdx +++ b/api_docs/kbn_core_saved_objects_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser title: "@kbn/core-saved-objects-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser'] --- import kbnCoreSavedObjectsBrowserObj from './kbn_core_saved_objects_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_internal.mdx b/api_docs/kbn_core_saved_objects_browser_internal.mdx index d32dc967b7720..f38b262b753ba 100644 --- a/api_docs/kbn_core_saved_objects_browser_internal.mdx +++ b/api_docs/kbn_core_saved_objects_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-internal title: "@kbn/core-saved-objects-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-internal'] --- import kbnCoreSavedObjectsBrowserInternalObj from './kbn_core_saved_objects_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_mocks.mdx b/api_docs/kbn_core_saved_objects_browser_mocks.mdx index 06595a3116658..ceb6a21bf2233 100644 --- a/api_docs/kbn_core_saved_objects_browser_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-mocks title: "@kbn/core-saved-objects-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-mocks'] --- import kbnCoreSavedObjectsBrowserMocksObj from './kbn_core_saved_objects_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_common.mdx b/api_docs/kbn_core_saved_objects_common.mdx index 5ea619fdbc619..e84b7282d216d 100644 --- a/api_docs/kbn_core_saved_objects_common.mdx +++ b/api_docs/kbn_core_saved_objects_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-common title: "@kbn/core-saved-objects-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-common'] --- import kbnCoreSavedObjectsCommonObj from './kbn_core_saved_objects_common.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx index 6f9c019b29af2..e9ff4c935c3be 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-internal title: "@kbn/core-saved-objects-import-export-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-internal'] --- import kbnCoreSavedObjectsImportExportServerInternalObj from './kbn_core_saved_objects_import_export_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx index e34ef728dedbe..0e1a66b67415e 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-mocks title: "@kbn/core-saved-objects-import-export-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-mocks'] --- import kbnCoreSavedObjectsImportExportServerMocksObj from './kbn_core_saved_objects_import_export_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx index ee07956027fcd..9ab556cabc157 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-internal title: "@kbn/core-saved-objects-migration-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-internal'] --- import kbnCoreSavedObjectsMigrationServerInternalObj from './kbn_core_saved_objects_migration_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx index 2893497948e84..13dc1aa6d3e14 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-mocks title: "@kbn/core-saved-objects-migration-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-mocks'] --- import kbnCoreSavedObjectsMigrationServerMocksObj from './kbn_core_saved_objects_migration_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server.mdx b/api_docs/kbn_core_saved_objects_server.mdx index 77a23a4d723de..caf0825031761 100644 --- a/api_docs/kbn_core_saved_objects_server.mdx +++ b/api_docs/kbn_core_saved_objects_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server title: "@kbn/core-saved-objects-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server'] --- import kbnCoreSavedObjectsServerObj from './kbn_core_saved_objects_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_internal.mdx b/api_docs/kbn_core_saved_objects_server_internal.mdx index 4b97a2e8b1fa8..aa99d97538efa 100644 --- a/api_docs/kbn_core_saved_objects_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-internal title: "@kbn/core-saved-objects-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-internal'] --- import kbnCoreSavedObjectsServerInternalObj from './kbn_core_saved_objects_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_mocks.mdx b/api_docs/kbn_core_saved_objects_server_mocks.mdx index 1aa58211c885a..3dc2fedc9e3bc 100644 --- a/api_docs/kbn_core_saved_objects_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-mocks title: "@kbn/core-saved-objects-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-mocks'] --- import kbnCoreSavedObjectsServerMocksObj from './kbn_core_saved_objects_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_utils_server.mdx b/api_docs/kbn_core_saved_objects_utils_server.mdx index b3383b86abe83..762594e1c8a14 100644 --- a/api_docs/kbn_core_saved_objects_utils_server.mdx +++ b/api_docs/kbn_core_saved_objects_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-utils-server title: "@kbn/core-saved-objects-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-utils-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-utils-server'] --- import kbnCoreSavedObjectsUtilsServerObj from './kbn_core_saved_objects_utils_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_common.mdx b/api_docs/kbn_core_status_common.mdx index 03db862807258..5043bcfbf60e3 100644 --- a/api_docs/kbn_core_status_common.mdx +++ b/api_docs/kbn_core_status_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common title: "@kbn/core-status-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common'] --- import kbnCoreStatusCommonObj from './kbn_core_status_common.devdocs.json'; diff --git a/api_docs/kbn_core_status_common_internal.mdx b/api_docs/kbn_core_status_common_internal.mdx index 11a43e31157a6..21933ee5219f4 100644 --- a/api_docs/kbn_core_status_common_internal.mdx +++ b/api_docs/kbn_core_status_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common-internal title: "@kbn/core-status-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common-internal'] --- import kbnCoreStatusCommonInternalObj from './kbn_core_status_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server.mdx b/api_docs/kbn_core_status_server.mdx index c215d4ea10b30..49ae687c59bb5 100644 --- a/api_docs/kbn_core_status_server.mdx +++ b/api_docs/kbn_core_status_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server title: "@kbn/core-status-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server'] --- import kbnCoreStatusServerObj from './kbn_core_status_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_internal.mdx b/api_docs/kbn_core_status_server_internal.mdx index 4d6483b846471..986ae39792128 100644 --- a/api_docs/kbn_core_status_server_internal.mdx +++ b/api_docs/kbn_core_status_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-internal title: "@kbn/core-status-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-internal'] --- import kbnCoreStatusServerInternalObj from './kbn_core_status_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_mocks.mdx b/api_docs/kbn_core_status_server_mocks.mdx index e127d0e482d50..c03a584209b5a 100644 --- a/api_docs/kbn_core_status_server_mocks.mdx +++ b/api_docs/kbn_core_status_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-mocks title: "@kbn/core-status-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-mocks'] --- import kbnCoreStatusServerMocksObj from './kbn_core_status_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx index 36b18d1ce7e79..d3e3d38afa5e6 100644 --- a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx +++ b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-deprecations-getters title: "@kbn/core-test-helpers-deprecations-getters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-deprecations-getters plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-deprecations-getters'] --- import kbnCoreTestHelpersDeprecationsGettersObj from './kbn_core_test_helpers_deprecations_getters.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx index 1936046b6ad97..d41d55e977204 100644 --- a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx +++ b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-http-setup-browser title: "@kbn/core-test-helpers-http-setup-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-http-setup-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-http-setup-browser'] --- import kbnCoreTestHelpersHttpSetupBrowserObj from './kbn_core_test_helpers_http_setup_browser.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_kbn_server.mdx b/api_docs/kbn_core_test_helpers_kbn_server.mdx index 7cbb9c0e0ad6d..a01a4c37afc06 100644 --- a/api_docs/kbn_core_test_helpers_kbn_server.mdx +++ b/api_docs/kbn_core_test_helpers_kbn_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-kbn-server title: "@kbn/core-test-helpers-kbn-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-kbn-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-kbn-server'] --- import kbnCoreTestHelpersKbnServerObj from './kbn_core_test_helpers_kbn_server.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx index 759d39332c4e4..543aff58ea69d 100644 --- a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx +++ b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-so-type-serializer title: "@kbn/core-test-helpers-so-type-serializer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-so-type-serializer plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-so-type-serializer'] --- import kbnCoreTestHelpersSoTypeSerializerObj from './kbn_core_test_helpers_so_type_serializer.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_test_utils.mdx b/api_docs/kbn_core_test_helpers_test_utils.mdx index baa5811b7d000..96cfecd4c5d79 100644 --- a/api_docs/kbn_core_test_helpers_test_utils.mdx +++ b/api_docs/kbn_core_test_helpers_test_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-test-utils title: "@kbn/core-test-helpers-test-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-test-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-test-utils'] --- import kbnCoreTestHelpersTestUtilsObj from './kbn_core_test_helpers_test_utils.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser.mdx b/api_docs/kbn_core_theme_browser.mdx index ce59771f7cac5..2729c4e60ea41 100644 --- a/api_docs/kbn_core_theme_browser.mdx +++ b/api_docs/kbn_core_theme_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser title: "@kbn/core-theme-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser'] --- import kbnCoreThemeBrowserObj from './kbn_core_theme_browser.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_internal.mdx b/api_docs/kbn_core_theme_browser_internal.mdx index c9fb7f74b6c21..0768d4fb02a83 100644 --- a/api_docs/kbn_core_theme_browser_internal.mdx +++ b/api_docs/kbn_core_theme_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-internal title: "@kbn/core-theme-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-internal'] --- import kbnCoreThemeBrowserInternalObj from './kbn_core_theme_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_mocks.mdx b/api_docs/kbn_core_theme_browser_mocks.mdx index 8fc711f9de9b8..b13bd572156a0 100644 --- a/api_docs/kbn_core_theme_browser_mocks.mdx +++ b/api_docs/kbn_core_theme_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-mocks title: "@kbn/core-theme-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-mocks'] --- import kbnCoreThemeBrowserMocksObj from './kbn_core_theme_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser.mdx b/api_docs/kbn_core_ui_settings_browser.mdx index 0b0241de0733e..2b0067aa31201 100644 --- a/api_docs/kbn_core_ui_settings_browser.mdx +++ b/api_docs/kbn_core_ui_settings_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser title: "@kbn/core-ui-settings-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser'] --- import kbnCoreUiSettingsBrowserObj from './kbn_core_ui_settings_browser.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_internal.mdx b/api_docs/kbn_core_ui_settings_browser_internal.mdx index 078e78e6d764b..99b5c5a086abf 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.mdx +++ b/api_docs/kbn_core_ui_settings_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-internal title: "@kbn/core-ui-settings-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-internal'] --- import kbnCoreUiSettingsBrowserInternalObj from './kbn_core_ui_settings_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_mocks.mdx b/api_docs/kbn_core_ui_settings_browser_mocks.mdx index 10bca7d903ba6..cd99e49b93111 100644 --- a/api_docs/kbn_core_ui_settings_browser_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-mocks title: "@kbn/core-ui-settings-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-mocks'] --- import kbnCoreUiSettingsBrowserMocksObj from './kbn_core_ui_settings_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_common.mdx b/api_docs/kbn_core_ui_settings_common.mdx index 6cd546538dccd..90a7d0f564c7b 100644 --- a/api_docs/kbn_core_ui_settings_common.mdx +++ b/api_docs/kbn_core_ui_settings_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-common title: "@kbn/core-ui-settings-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-common plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-common'] --- import kbnCoreUiSettingsCommonObj from './kbn_core_ui_settings_common.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server.mdx b/api_docs/kbn_core_ui_settings_server.mdx index d39a813cd9605..3ecb9712bd130 100644 --- a/api_docs/kbn_core_ui_settings_server.mdx +++ b/api_docs/kbn_core_ui_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server title: "@kbn/core-ui-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server'] --- import kbnCoreUiSettingsServerObj from './kbn_core_ui_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_internal.mdx b/api_docs/kbn_core_ui_settings_server_internal.mdx index aa97c78273c4d..33e8086c599fb 100644 --- a/api_docs/kbn_core_ui_settings_server_internal.mdx +++ b/api_docs/kbn_core_ui_settings_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-internal title: "@kbn/core-ui-settings-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-internal'] --- import kbnCoreUiSettingsServerInternalObj from './kbn_core_ui_settings_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_mocks.mdx b/api_docs/kbn_core_ui_settings_server_mocks.mdx index 5ea58064546cb..231b699083494 100644 --- a/api_docs/kbn_core_ui_settings_server_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-mocks title: "@kbn/core-ui-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-mocks'] --- import kbnCoreUiSettingsServerMocksObj from './kbn_core_ui_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server.mdx b/api_docs/kbn_core_usage_data_server.mdx index 8a589f61d4f51..d8b089a2b085c 100644 --- a/api_docs/kbn_core_usage_data_server.mdx +++ b/api_docs/kbn_core_usage_data_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server title: "@kbn/core-usage-data-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server'] --- import kbnCoreUsageDataServerObj from './kbn_core_usage_data_server.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_internal.mdx b/api_docs/kbn_core_usage_data_server_internal.mdx index a83bb88c0f86b..e46a5435d30ca 100644 --- a/api_docs/kbn_core_usage_data_server_internal.mdx +++ b/api_docs/kbn_core_usage_data_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-internal title: "@kbn/core-usage-data-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-internal plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-internal'] --- import kbnCoreUsageDataServerInternalObj from './kbn_core_usage_data_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_mocks.mdx b/api_docs/kbn_core_usage_data_server_mocks.mdx index 7dd9199fdc596..78591c606d052 100644 --- a/api_docs/kbn_core_usage_data_server_mocks.mdx +++ b/api_docs/kbn_core_usage_data_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-mocks title: "@kbn/core-usage-data-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-mocks'] --- import kbnCoreUsageDataServerMocksObj from './kbn_core_usage_data_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index 003844f51d705..30fd0083ee1cd 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto title: "@kbn/crypto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto'] --- import kbnCryptoObj from './kbn_crypto.devdocs.json'; diff --git a/api_docs/kbn_crypto_browser.mdx b/api_docs/kbn_crypto_browser.mdx index 3d5abdfc90382..8ec6dcd5549a5 100644 --- a/api_docs/kbn_crypto_browser.mdx +++ b/api_docs/kbn_crypto_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto-browser title: "@kbn/crypto-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto-browser plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto-browser'] --- import kbnCryptoBrowserObj from './kbn_crypto_browser.devdocs.json'; diff --git a/api_docs/kbn_datemath.mdx b/api_docs/kbn_datemath.mdx index bd31f77cdf4ea..e0bd616a4a8e1 100644 --- a/api_docs/kbn_datemath.mdx +++ b/api_docs/kbn_datemath.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-datemath title: "@kbn/datemath" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/datemath plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/datemath'] --- import kbnDatemathObj from './kbn_datemath.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_errors.mdx b/api_docs/kbn_dev_cli_errors.mdx index 3ea552b58ce2c..563a44af5013d 100644 --- a/api_docs/kbn_dev_cli_errors.mdx +++ b/api_docs/kbn_dev_cli_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-errors title: "@kbn/dev-cli-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-errors plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-errors'] --- import kbnDevCliErrorsObj from './kbn_dev_cli_errors.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_runner.mdx b/api_docs/kbn_dev_cli_runner.mdx index 2ca9cad1cfd8a..9371c89078fad 100644 --- a/api_docs/kbn_dev_cli_runner.mdx +++ b/api_docs/kbn_dev_cli_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-runner title: "@kbn/dev-cli-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-runner plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-runner'] --- import kbnDevCliRunnerObj from './kbn_dev_cli_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_proc_runner.mdx b/api_docs/kbn_dev_proc_runner.mdx index e1e319a14f480..9fbe4bd2ca32b 100644 --- a/api_docs/kbn_dev_proc_runner.mdx +++ b/api_docs/kbn_dev_proc_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-proc-runner title: "@kbn/dev-proc-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-proc-runner plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-proc-runner'] --- import kbnDevProcRunnerObj from './kbn_dev_proc_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index dde6d79b3eeea..10f96f3cd886a 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-utils title: "@kbn/dev-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-utils'] --- import kbnDevUtilsObj from './kbn_dev_utils.devdocs.json'; diff --git a/api_docs/kbn_doc_links.mdx b/api_docs/kbn_doc_links.mdx index 5d5cf38c4b25e..3a27f57dac378 100644 --- a/api_docs/kbn_doc_links.mdx +++ b/api_docs/kbn_doc_links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-doc-links title: "@kbn/doc-links" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/doc-links plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/doc-links'] --- import kbnDocLinksObj from './kbn_doc_links.devdocs.json'; diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index 43136054605f4..28233cba67685 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-docs-utils title: "@kbn/docs-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/docs-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/docs-utils'] --- import kbnDocsUtilsObj from './kbn_docs_utils.devdocs.json'; diff --git a/api_docs/kbn_ebt_tools.mdx b/api_docs/kbn_ebt_tools.mdx index a5a0ef2f8723a..1087e484381aa 100644 --- a/api_docs/kbn_ebt_tools.mdx +++ b/api_docs/kbn_ebt_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ebt-tools title: "@kbn/ebt-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ebt-tools plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ebt-tools'] --- import kbnEbtToolsObj from './kbn_ebt_tools.devdocs.json'; diff --git a/api_docs/kbn_es.mdx b/api_docs/kbn_es.mdx index 156efbd2e15c2..de9246675026d 100644 --- a/api_docs/kbn_es.mdx +++ b/api_docs/kbn_es.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es title: "@kbn/es" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es'] --- import kbnEsObj from './kbn_es.devdocs.json'; diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index 6cb884bf4a4d7..cd49a9a6d9704 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-archiver title: "@kbn/es-archiver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-archiver plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-archiver'] --- import kbnEsArchiverObj from './kbn_es_archiver.devdocs.json'; diff --git a/api_docs/kbn_es_errors.mdx b/api_docs/kbn_es_errors.mdx index 578515aa40dd0..5bc61622cb7f2 100644 --- a/api_docs/kbn_es_errors.mdx +++ b/api_docs/kbn_es_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-errors title: "@kbn/es-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-errors plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-errors'] --- import kbnEsErrorsObj from './kbn_es_errors.devdocs.json'; diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index 504f576bed995..2cd5b013aa8b8 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-query title: "@kbn/es-query" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-query plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-query'] --- import kbnEsQueryObj from './kbn_es_query.devdocs.json'; diff --git a/api_docs/kbn_es_types.mdx b/api_docs/kbn_es_types.mdx index 082787b93bcf2..d8ada30c6dd7b 100644 --- a/api_docs/kbn_es_types.mdx +++ b/api_docs/kbn_es_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-types title: "@kbn/es-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-types plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-types'] --- import kbnEsTypesObj from './kbn_es_types.devdocs.json'; diff --git a/api_docs/kbn_eslint_plugin_imports.mdx b/api_docs/kbn_eslint_plugin_imports.mdx index 796f536d0e46e..6e15b398cab42 100644 --- a/api_docs/kbn_eslint_plugin_imports.mdx +++ b/api_docs/kbn_eslint_plugin_imports.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-eslint-plugin-imports title: "@kbn/eslint-plugin-imports" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/eslint-plugin-imports plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/eslint-plugin-imports'] --- import kbnEslintPluginImportsObj from './kbn_eslint_plugin_imports.devdocs.json'; diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index 9ee9915047aed..c5a3f8ea148f3 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-types title: "@kbn/field-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-types plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-types'] --- import kbnFieldTypesObj from './kbn_field_types.devdocs.json'; diff --git a/api_docs/kbn_find_used_node_modules.mdx b/api_docs/kbn_find_used_node_modules.mdx index 55b1fb4e41a9f..25133271d8eb8 100644 --- a/api_docs/kbn_find_used_node_modules.mdx +++ b/api_docs/kbn_find_used_node_modules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-find-used-node-modules title: "@kbn/find-used-node-modules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/find-used-node-modules plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/find-used-node-modules'] --- import kbnFindUsedNodeModulesObj from './kbn_find_used_node_modules.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_services.mdx b/api_docs/kbn_ftr_common_functional_services.mdx index 0bf6fb9e72d3c..e0318b6c362e8 100644 --- a/api_docs/kbn_ftr_common_functional_services.mdx +++ b/api_docs/kbn_ftr_common_functional_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-services title: "@kbn/ftr-common-functional-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-services plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-services'] --- import kbnFtrCommonFunctionalServicesObj from './kbn_ftr_common_functional_services.devdocs.json'; diff --git a/api_docs/kbn_generate.mdx b/api_docs/kbn_generate.mdx index 8bba1a39f3607..6085ab9c8f857 100644 --- a/api_docs/kbn_generate.mdx +++ b/api_docs/kbn_generate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate title: "@kbn/generate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate'] --- import kbnGenerateObj from './kbn_generate.devdocs.json'; diff --git a/api_docs/kbn_get_repo_files.mdx b/api_docs/kbn_get_repo_files.mdx index 89819ec9a6265..844eb458b997b 100644 --- a/api_docs/kbn_get_repo_files.mdx +++ b/api_docs/kbn_get_repo_files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-get-repo-files title: "@kbn/get-repo-files" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/get-repo-files plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/get-repo-files'] --- import kbnGetRepoFilesObj from './kbn_get_repo_files.devdocs.json'; diff --git a/api_docs/kbn_guided_onboarding.mdx b/api_docs/kbn_guided_onboarding.mdx index cda7f8f1e8119..c8a7fa4804144 100644 --- a/api_docs/kbn_guided_onboarding.mdx +++ b/api_docs/kbn_guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-guided-onboarding title: "@kbn/guided-onboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/guided-onboarding plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/guided-onboarding'] --- import kbnGuidedOnboardingObj from './kbn_guided_onboarding.devdocs.json'; diff --git a/api_docs/kbn_handlebars.mdx b/api_docs/kbn_handlebars.mdx index def39579c2e55..794e439f29779 100644 --- a/api_docs/kbn_handlebars.mdx +++ b/api_docs/kbn_handlebars.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-handlebars title: "@kbn/handlebars" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/handlebars plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/handlebars'] --- import kbnHandlebarsObj from './kbn_handlebars.devdocs.json'; diff --git a/api_docs/kbn_hapi_mocks.mdx b/api_docs/kbn_hapi_mocks.mdx index 021444ae4a9e2..7a4aebb9deebb 100644 --- a/api_docs/kbn_hapi_mocks.mdx +++ b/api_docs/kbn_hapi_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-hapi-mocks title: "@kbn/hapi-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/hapi-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/hapi-mocks'] --- import kbnHapiMocksObj from './kbn_hapi_mocks.devdocs.json'; diff --git a/api_docs/kbn_health_gateway_server.mdx b/api_docs/kbn_health_gateway_server.mdx index 9c05ebc0868bf..a1b590c474ab8 100644 --- a/api_docs/kbn_health_gateway_server.mdx +++ b/api_docs/kbn_health_gateway_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-health-gateway-server title: "@kbn/health-gateway-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/health-gateway-server plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/health-gateway-server'] --- import kbnHealthGatewayServerObj from './kbn_health_gateway_server.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_card.mdx b/api_docs/kbn_home_sample_data_card.mdx index 08e9039baef29..5725908111ae2 100644 --- a/api_docs/kbn_home_sample_data_card.mdx +++ b/api_docs/kbn_home_sample_data_card.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-card title: "@kbn/home-sample-data-card" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-card plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-card'] --- import kbnHomeSampleDataCardObj from './kbn_home_sample_data_card.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_tab.mdx b/api_docs/kbn_home_sample_data_tab.mdx index 4bdc12a7cdf58..19ff00439de6f 100644 --- a/api_docs/kbn_home_sample_data_tab.mdx +++ b/api_docs/kbn_home_sample_data_tab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-tab title: "@kbn/home-sample-data-tab" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-tab plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-tab'] --- import kbnHomeSampleDataTabObj from './kbn_home_sample_data_tab.devdocs.json'; diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index 8901cbeab8a08..4b5a7ac9e5fae 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n title: "@kbn/i18n" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n'] --- import kbnI18nObj from './kbn_i18n.devdocs.json'; diff --git a/api_docs/kbn_i18n_react.mdx b/api_docs/kbn_i18n_react.mdx index eea2a958eb85d..accec8424f17d 100644 --- a/api_docs/kbn_i18n_react.mdx +++ b/api_docs/kbn_i18n_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n-react title: "@kbn/i18n-react" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n-react plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n-react'] --- import kbnI18nReactObj from './kbn_i18n_react.devdocs.json'; diff --git a/api_docs/kbn_import_resolver.mdx b/api_docs/kbn_import_resolver.mdx index 8d8ee0de96d8a..4cda7e9373391 100644 --- a/api_docs/kbn_import_resolver.mdx +++ b/api_docs/kbn_import_resolver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-import-resolver title: "@kbn/import-resolver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/import-resolver plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/import-resolver'] --- import kbnImportResolverObj from './kbn_import_resolver.devdocs.json'; diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx index 317c1d432e08a..142efc3ad007b 100644 --- a/api_docs/kbn_interpreter.mdx +++ b/api_docs/kbn_interpreter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-interpreter title: "@kbn/interpreter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/interpreter plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] --- import kbnInterpreterObj from './kbn_interpreter.devdocs.json'; diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index 20207239dc83d..56e5f7819d92a 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-io-ts-utils title: "@kbn/io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/io-ts-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/io-ts-utils'] --- import kbnIoTsUtilsObj from './kbn_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_jest_serializers.mdx b/api_docs/kbn_jest_serializers.mdx index 4e8fcb3c883ba..21f17e395faa5 100644 --- a/api_docs/kbn_jest_serializers.mdx +++ b/api_docs/kbn_jest_serializers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-jest-serializers title: "@kbn/jest-serializers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/jest-serializers plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/jest-serializers'] --- import kbnJestSerializersObj from './kbn_jest_serializers.devdocs.json'; diff --git a/api_docs/kbn_journeys.mdx b/api_docs/kbn_journeys.mdx index 995127f3e0288..6994e666c6a02 100644 --- a/api_docs/kbn_journeys.mdx +++ b/api_docs/kbn_journeys.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-journeys title: "@kbn/journeys" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/journeys plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/journeys'] --- import kbnJourneysObj from './kbn_journeys.devdocs.json'; diff --git a/api_docs/kbn_kibana_manifest_schema.mdx b/api_docs/kbn_kibana_manifest_schema.mdx index d75601b197ef9..350d691123892 100644 --- a/api_docs/kbn_kibana_manifest_schema.mdx +++ b/api_docs/kbn_kibana_manifest_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-kibana-manifest-schema title: "@kbn/kibana-manifest-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/kibana-manifest-schema plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/kibana-manifest-schema'] --- import kbnKibanaManifestSchemaObj from './kbn_kibana_manifest_schema.devdocs.json'; diff --git a/api_docs/kbn_language_documentation_popover.mdx b/api_docs/kbn_language_documentation_popover.mdx index 17dbbf0e55030..e8931d8d9daf6 100644 --- a/api_docs/kbn_language_documentation_popover.mdx +++ b/api_docs/kbn_language_documentation_popover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-language-documentation-popover title: "@kbn/language-documentation-popover" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/language-documentation-popover plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/language-documentation-popover'] --- import kbnLanguageDocumentationPopoverObj from './kbn_language_documentation_popover.devdocs.json'; diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index 6a8a6b2066902..d89bfcf5bd7d1 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging title: "@kbn/logging" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging'] --- import kbnLoggingObj from './kbn_logging.devdocs.json'; diff --git a/api_docs/kbn_logging_mocks.mdx b/api_docs/kbn_logging_mocks.mdx index 9c0bddf83c37c..f8a3acc5c4987 100644 --- a/api_docs/kbn_logging_mocks.mdx +++ b/api_docs/kbn_logging_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging-mocks title: "@kbn/logging-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging-mocks'] --- import kbnLoggingMocksObj from './kbn_logging_mocks.devdocs.json'; diff --git a/api_docs/kbn_managed_vscode_config.mdx b/api_docs/kbn_managed_vscode_config.mdx index a86b54faa2bdc..afb8c746ddc37 100644 --- a/api_docs/kbn_managed_vscode_config.mdx +++ b/api_docs/kbn_managed_vscode_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-vscode-config title: "@kbn/managed-vscode-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-vscode-config plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-vscode-config'] --- import kbnManagedVscodeConfigObj from './kbn_managed_vscode_config.devdocs.json'; diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index 1199997038ec8..3cb83ad7ee424 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mapbox-gl title: "@kbn/mapbox-gl" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mapbox-gl plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mapbox-gl'] --- import kbnMapboxGlObj from './kbn_mapbox_gl.devdocs.json'; diff --git a/api_docs/kbn_ml_agg_utils.mdx b/api_docs/kbn_ml_agg_utils.mdx index 9a359795e5ef1..717cbe42039e1 100644 --- a/api_docs/kbn_ml_agg_utils.mdx +++ b/api_docs/kbn_ml_agg_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-agg-utils title: "@kbn/ml-agg-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-agg-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-agg-utils'] --- import kbnMlAggUtilsObj from './kbn_ml_agg_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_is_populated_object.mdx b/api_docs/kbn_ml_is_populated_object.mdx index f2851315b5215..56edee1ebf784 100644 --- a/api_docs/kbn_ml_is_populated_object.mdx +++ b/api_docs/kbn_ml_is_populated_object.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-populated-object title: "@kbn/ml-is-populated-object" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-populated-object plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-populated-object'] --- import kbnMlIsPopulatedObjectObj from './kbn_ml_is_populated_object.devdocs.json'; diff --git a/api_docs/kbn_ml_string_hash.mdx b/api_docs/kbn_ml_string_hash.mdx index ecd61db266738..d00f1d863c864 100644 --- a/api_docs/kbn_ml_string_hash.mdx +++ b/api_docs/kbn_ml_string_hash.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-string-hash title: "@kbn/ml-string-hash" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-string-hash plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-string-hash'] --- import kbnMlStringHashObj from './kbn_ml_string_hash.devdocs.json'; diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index 0126b86f92f43..9a56679296197 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-monaco title: "@kbn/monaco" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/monaco plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/monaco'] --- import kbnMonacoObj from './kbn_monaco.devdocs.json'; diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index 1a052876563ca..058b6623b83e5 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer title: "@kbn/optimizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer'] --- import kbnOptimizerObj from './kbn_optimizer.devdocs.json'; diff --git a/api_docs/kbn_optimizer_webpack_helpers.mdx b/api_docs/kbn_optimizer_webpack_helpers.mdx index 049af788ebdd8..50e98eef4da95 100644 --- a/api_docs/kbn_optimizer_webpack_helpers.mdx +++ b/api_docs/kbn_optimizer_webpack_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer-webpack-helpers title: "@kbn/optimizer-webpack-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer-webpack-helpers plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer-webpack-helpers'] --- import kbnOptimizerWebpackHelpersObj from './kbn_optimizer_webpack_helpers.devdocs.json'; diff --git a/api_docs/kbn_osquery_io_ts_types.mdx b/api_docs/kbn_osquery_io_ts_types.mdx index 2003443e3c333..3540c52ef6e89 100644 --- a/api_docs/kbn_osquery_io_ts_types.mdx +++ b/api_docs/kbn_osquery_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-osquery-io-ts-types title: "@kbn/osquery-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/osquery-io-ts-types plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/osquery-io-ts-types'] --- import kbnOsqueryIoTsTypesObj from './kbn_osquery_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_peggy.mdx b/api_docs/kbn_peggy.mdx index 3055eeae25737..968d6111c44bd 100644 --- a/api_docs/kbn_peggy.mdx +++ b/api_docs/kbn_peggy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-peggy title: "@kbn/peggy" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/peggy plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/peggy'] --- import kbnPeggyObj from './kbn_peggy.devdocs.json'; diff --git a/api_docs/kbn_performance_testing_dataset_extractor.mdx b/api_docs/kbn_performance_testing_dataset_extractor.mdx index a58c9eff93fca..f76b86f0a2eb2 100644 --- a/api_docs/kbn_performance_testing_dataset_extractor.mdx +++ b/api_docs/kbn_performance_testing_dataset_extractor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-performance-testing-dataset-extractor title: "@kbn/performance-testing-dataset-extractor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/performance-testing-dataset-extractor plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/performance-testing-dataset-extractor'] --- import kbnPerformanceTestingDatasetExtractorObj from './kbn_performance_testing_dataset_extractor.devdocs.json'; diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index d021996db8c55..2357cf5bf957f 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-generator title: "@kbn/plugin-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-generator plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-generator'] --- import kbnPluginGeneratorObj from './kbn_plugin_generator.devdocs.json'; diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index c7ca6fd84becc..7f66e84626b34 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-helpers title: "@kbn/plugin-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-helpers plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-helpers'] --- import kbnPluginHelpersObj from './kbn_plugin_helpers.devdocs.json'; diff --git a/api_docs/kbn_react_field.mdx b/api_docs/kbn_react_field.mdx index ac69d7b3322d4..efb07c20a9a59 100644 --- a/api_docs/kbn_react_field.mdx +++ b/api_docs/kbn_react_field.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-field title: "@kbn/react-field" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-field plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-field'] --- import kbnReactFieldObj from './kbn_react_field.devdocs.json'; diff --git a/api_docs/kbn_repo_source_classifier.mdx b/api_docs/kbn_repo_source_classifier.mdx index 67665472f96d1..d851b458c272f 100644 --- a/api_docs/kbn_repo_source_classifier.mdx +++ b/api_docs/kbn_repo_source_classifier.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-source-classifier title: "@kbn/repo-source-classifier" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-source-classifier plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-source-classifier'] --- import kbnRepoSourceClassifierObj from './kbn_repo_source_classifier.devdocs.json'; diff --git a/api_docs/kbn_rison.mdx b/api_docs/kbn_rison.mdx index cd66a3d3de1f8..7001e9adce933 100644 --- a/api_docs/kbn_rison.mdx +++ b/api_docs/kbn_rison.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rison title: "@kbn/rison" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rison plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rison'] --- import kbnRisonObj from './kbn_rison.devdocs.json'; diff --git a/api_docs/kbn_rule_data_utils.mdx b/api_docs/kbn_rule_data_utils.mdx index e9220ce5fa3de..c65c469ec9fed 100644 --- a/api_docs/kbn_rule_data_utils.mdx +++ b/api_docs/kbn_rule_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rule-data-utils title: "@kbn/rule-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rule-data-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rule-data-utils'] --- import kbnRuleDataUtilsObj from './kbn_rule_data_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_autocomplete.mdx b/api_docs/kbn_securitysolution_autocomplete.mdx index fda5f89243704..16d984083f581 100644 --- a/api_docs/kbn_securitysolution_autocomplete.mdx +++ b/api_docs/kbn_securitysolution_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-autocomplete title: "@kbn/securitysolution-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-autocomplete plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-autocomplete'] --- import kbnSecuritysolutionAutocompleteObj from './kbn_securitysolution_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_es_utils.mdx b/api_docs/kbn_securitysolution_es_utils.mdx index 0b2a1cc567b3f..92693106817b3 100644 --- a/api_docs/kbn_securitysolution_es_utils.mdx +++ b/api_docs/kbn_securitysolution_es_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-es-utils title: "@kbn/securitysolution-es-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-es-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-es-utils'] --- import kbnSecuritysolutionEsUtilsObj from './kbn_securitysolution_es_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_exception_list_components.mdx b/api_docs/kbn_securitysolution_exception_list_components.mdx index b56ab3dea8917..fa7f76fb48459 100644 --- a/api_docs/kbn_securitysolution_exception_list_components.mdx +++ b/api_docs/kbn_securitysolution_exception_list_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-exception-list-components title: "@kbn/securitysolution-exception-list-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-exception-list-components plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-exception-list-components'] --- import kbnSecuritysolutionExceptionListComponentsObj from './kbn_securitysolution_exception_list_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_hook_utils.mdx b/api_docs/kbn_securitysolution_hook_utils.mdx index 27f9bb14f8438..096f1e985b642 100644 --- a/api_docs/kbn_securitysolution_hook_utils.mdx +++ b/api_docs/kbn_securitysolution_hook_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-hook-utils title: "@kbn/securitysolution-hook-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-hook-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-hook-utils'] --- import kbnSecuritysolutionHookUtilsObj from './kbn_securitysolution_hook_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx index 383a2dd609a79..ef626e97617b7 100644 --- a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-alerting-types title: "@kbn/securitysolution-io-ts-alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-alerting-types plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-alerting-types'] --- import kbnSecuritysolutionIoTsAlertingTypesObj from './kbn_securitysolution_io_ts_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_list_types.mdx b/api_docs/kbn_securitysolution_io_ts_list_types.mdx index 45653aa003de5..42fc5b9b45252 100644 --- a/api_docs/kbn_securitysolution_io_ts_list_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_list_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-list-types title: "@kbn/securitysolution-io-ts-list-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-list-types plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-list-types'] --- import kbnSecuritysolutionIoTsListTypesObj from './kbn_securitysolution_io_ts_list_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_types.mdx b/api_docs/kbn_securitysolution_io_ts_types.mdx index 719a9abb49320..fc127b235bd0b 100644 --- a/api_docs/kbn_securitysolution_io_ts_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-types title: "@kbn/securitysolution-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-types plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-types'] --- import kbnSecuritysolutionIoTsTypesObj from './kbn_securitysolution_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_utils.mdx b/api_docs/kbn_securitysolution_io_ts_utils.mdx index 3b84b8db64327..004c939af1520 100644 --- a/api_docs/kbn_securitysolution_io_ts_utils.mdx +++ b/api_docs/kbn_securitysolution_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-utils title: "@kbn/securitysolution-io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-utils'] --- import kbnSecuritysolutionIoTsUtilsObj from './kbn_securitysolution_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_api.mdx b/api_docs/kbn_securitysolution_list_api.mdx index 476018e100d5a..4bab6aa9aa4a2 100644 --- a/api_docs/kbn_securitysolution_list_api.mdx +++ b/api_docs/kbn_securitysolution_list_api.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-api title: "@kbn/securitysolution-list-api" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-api plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-api'] --- import kbnSecuritysolutionListApiObj from './kbn_securitysolution_list_api.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_constants.mdx b/api_docs/kbn_securitysolution_list_constants.mdx index ffaa9cc61aef4..72f498e493821 100644 --- a/api_docs/kbn_securitysolution_list_constants.mdx +++ b/api_docs/kbn_securitysolution_list_constants.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-constants title: "@kbn/securitysolution-list-constants" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-constants plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-constants'] --- import kbnSecuritysolutionListConstantsObj from './kbn_securitysolution_list_constants.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_hooks.mdx b/api_docs/kbn_securitysolution_list_hooks.mdx index c5a4ceaaed2c9..9e612e3a7a375 100644 --- a/api_docs/kbn_securitysolution_list_hooks.mdx +++ b/api_docs/kbn_securitysolution_list_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-hooks title: "@kbn/securitysolution-list-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-hooks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-hooks'] --- import kbnSecuritysolutionListHooksObj from './kbn_securitysolution_list_hooks.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_utils.mdx b/api_docs/kbn_securitysolution_list_utils.mdx index b3591d486065d..d90a4825f69bc 100644 --- a/api_docs/kbn_securitysolution_list_utils.mdx +++ b/api_docs/kbn_securitysolution_list_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-utils title: "@kbn/securitysolution-list-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-utils'] --- import kbnSecuritysolutionListUtilsObj from './kbn_securitysolution_list_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_rules.mdx b/api_docs/kbn_securitysolution_rules.mdx index 7fd967ca47e5f..371a5ef275d18 100644 --- a/api_docs/kbn_securitysolution_rules.mdx +++ b/api_docs/kbn_securitysolution_rules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-rules title: "@kbn/securitysolution-rules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-rules plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-rules'] --- import kbnSecuritysolutionRulesObj from './kbn_securitysolution_rules.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_t_grid.mdx b/api_docs/kbn_securitysolution_t_grid.mdx index 74b62521f5cea..937439eb78513 100644 --- a/api_docs/kbn_securitysolution_t_grid.mdx +++ b/api_docs/kbn_securitysolution_t_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-t-grid title: "@kbn/securitysolution-t-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-t-grid plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-t-grid'] --- import kbnSecuritysolutionTGridObj from './kbn_securitysolution_t_grid.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_utils.mdx b/api_docs/kbn_securitysolution_utils.mdx index b212b65c9432d..c729cafd500e9 100644 --- a/api_docs/kbn_securitysolution_utils.mdx +++ b/api_docs/kbn_securitysolution_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-utils title: "@kbn/securitysolution-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-utils'] --- import kbnSecuritysolutionUtilsObj from './kbn_securitysolution_utils.devdocs.json'; diff --git a/api_docs/kbn_server_http_tools.mdx b/api_docs/kbn_server_http_tools.mdx index d012f406020b0..579d59f1aa518 100644 --- a/api_docs/kbn_server_http_tools.mdx +++ b/api_docs/kbn_server_http_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-http-tools title: "@kbn/server-http-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-http-tools plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-http-tools'] --- import kbnServerHttpToolsObj from './kbn_server_http_tools.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository.mdx b/api_docs/kbn_server_route_repository.mdx index 5e7685d912a54..848d27bf7a654 100644 --- a/api_docs/kbn_server_route_repository.mdx +++ b/api_docs/kbn_server_route_repository.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository title: "@kbn/server-route-repository" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository'] --- import kbnServerRouteRepositoryObj from './kbn_server_route_repository.devdocs.json'; diff --git a/api_docs/kbn_shared_svg.mdx b/api_docs/kbn_shared_svg.mdx index a46046a5cade8..f7fbf0ffd018b 100644 --- a/api_docs/kbn_shared_svg.mdx +++ b/api_docs/kbn_shared_svg.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-svg title: "@kbn/shared-svg" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-svg plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-svg'] --- import kbnSharedSvgObj from './kbn_shared_svg.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_solution.mdx b/api_docs/kbn_shared_ux_avatar_solution.mdx index 51b6483c31153..f695a7df84f37 100644 --- a/api_docs/kbn_shared_ux_avatar_solution.mdx +++ b/api_docs/kbn_shared_ux_avatar_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-solution title: "@kbn/shared-ux-avatar-solution" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-solution plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-solution'] --- import kbnSharedUxAvatarSolutionObj from './kbn_shared_ux_avatar_solution.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx index 25c58952793ba..2b33aa0c537ee 100644 --- a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx +++ b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-user-profile-components title: "@kbn/shared-ux-avatar-user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-user-profile-components plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-user-profile-components'] --- import kbnSharedUxAvatarUserProfileComponentsObj from './kbn_shared_ux_avatar_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx index 8be41fe9eceb5..239f3f0329d6e 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen title: "@kbn/shared-ux-button-exit-full-screen" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen'] --- import kbnSharedUxButtonExitFullScreenObj from './kbn_shared_ux_button_exit_full_screen.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx index 8f6712c0e4ae2..6bf475907c652 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen-mocks title: "@kbn/shared-ux-button-exit-full-screen-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen-mocks'] --- import kbnSharedUxButtonExitFullScreenMocksObj from './kbn_shared_ux_button_exit_full_screen_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_toolbar.mdx b/api_docs/kbn_shared_ux_button_toolbar.mdx index 69d4c8d5d2b1a..e07f1a370df56 100644 --- a/api_docs/kbn_shared_ux_button_toolbar.mdx +++ b/api_docs/kbn_shared_ux_button_toolbar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-toolbar title: "@kbn/shared-ux-button-toolbar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-toolbar plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-toolbar'] --- import kbnSharedUxButtonToolbarObj from './kbn_shared_ux_button_toolbar.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data.mdx b/api_docs/kbn_shared_ux_card_no_data.mdx index 7a00476334112..a78429aa1bfe0 100644 --- a/api_docs/kbn_shared_ux_card_no_data.mdx +++ b/api_docs/kbn_shared_ux_card_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data title: "@kbn/shared-ux-card-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data'] --- import kbnSharedUxCardNoDataObj from './kbn_shared_ux_card_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx index 49d9421ab94e7..f19b60c922371 100644 --- a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data-mocks title: "@kbn/shared-ux-card-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data-mocks'] --- import kbnSharedUxCardNoDataMocksObj from './kbn_shared_ux_card_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_context.mdx b/api_docs/kbn_shared_ux_file_context.mdx index 2b1f9d4ca26d5..0335ab556c85e 100644 --- a/api_docs/kbn_shared_ux_file_context.mdx +++ b/api_docs/kbn_shared_ux_file_context.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-context title: "@kbn/shared-ux-file-context" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-context plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-context'] --- import kbnSharedUxFileContextObj from './kbn_shared_ux_file_context.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image.mdx b/api_docs/kbn_shared_ux_file_image.mdx index e6259b6509c8d..7f4a90152e4b4 100644 --- a/api_docs/kbn_shared_ux_file_image.mdx +++ b/api_docs/kbn_shared_ux_file_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image title: "@kbn/shared-ux-file-image" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image'] --- import kbnSharedUxFileImageObj from './kbn_shared_ux_file_image.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image_mocks.mdx b/api_docs/kbn_shared_ux_file_image_mocks.mdx index 9567bd207561e..3c5b73e407937 100644 --- a/api_docs/kbn_shared_ux_file_image_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_image_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image-mocks title: "@kbn/shared-ux-file-image-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image-mocks'] --- import kbnSharedUxFileImageMocksObj from './kbn_shared_ux_file_image_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_mocks.mdx b/api_docs/kbn_shared_ux_file_mocks.mdx index 80db607856795..c11b3e9dd6543 100644 --- a/api_docs/kbn_shared_ux_file_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-mocks title: "@kbn/shared-ux-file-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-mocks'] --- import kbnSharedUxFileMocksObj from './kbn_shared_ux_file_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_util.mdx b/api_docs/kbn_shared_ux_file_util.mdx index 1098ac99c0ec0..cede5e13808ed 100644 --- a/api_docs/kbn_shared_ux_file_util.mdx +++ b/api_docs/kbn_shared_ux_file_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-util title: "@kbn/shared-ux-file-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-util plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-util'] --- import kbnSharedUxFileUtilObj from './kbn_shared_ux_file_util.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app.mdx b/api_docs/kbn_shared_ux_link_redirect_app.mdx index 9608750606284..2791d696a5bb2 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app title: "@kbn/shared-ux-link-redirect-app" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app'] --- import kbnSharedUxLinkRedirectAppObj from './kbn_shared_ux_link_redirect_app.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx index 0f4a4da6a6705..124381a7da672 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app-mocks title: "@kbn/shared-ux-link-redirect-app-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app-mocks'] --- import kbnSharedUxLinkRedirectAppMocksObj from './kbn_shared_ux_link_redirect_app_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown.mdx b/api_docs/kbn_shared_ux_markdown.mdx index 1c45f28fc8fe4..ec23a2e238b31 100644 --- a/api_docs/kbn_shared_ux_markdown.mdx +++ b/api_docs/kbn_shared_ux_markdown.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown title: "@kbn/shared-ux-markdown" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown'] --- import kbnSharedUxMarkdownObj from './kbn_shared_ux_markdown.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown_mocks.mdx b/api_docs/kbn_shared_ux_markdown_mocks.mdx index 8f99fba2e4159..231d7d01da11d 100644 --- a/api_docs/kbn_shared_ux_markdown_mocks.mdx +++ b/api_docs/kbn_shared_ux_markdown_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown-mocks title: "@kbn/shared-ux-markdown-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown-mocks'] --- import kbnSharedUxMarkdownMocksObj from './kbn_shared_ux_markdown_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx index 0b4557f211f9a..24252e6edb87f 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data title: "@kbn/shared-ux-page-analytics-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data'] --- import kbnSharedUxPageAnalyticsNoDataObj from './kbn_shared_ux_page_analytics_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx index 8df0b0774db2f..f836a6cff7aab 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data-mocks title: "@kbn/shared-ux-page-analytics-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data-mocks'] --- import kbnSharedUxPageAnalyticsNoDataMocksObj from './kbn_shared_ux_page_analytics_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx index b7423f559413d..c8842e0cd87b2 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data title: "@kbn/shared-ux-page-kibana-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data'] --- import kbnSharedUxPageKibanaNoDataObj from './kbn_shared_ux_page_kibana_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx index 3f467f23ec5b1..46d7e3c6b08df 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data-mocks title: "@kbn/shared-ux-page-kibana-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data-mocks'] --- import kbnSharedUxPageKibanaNoDataMocksObj from './kbn_shared_ux_page_kibana_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template.mdx b/api_docs/kbn_shared_ux_page_kibana_template.mdx index 10e93fbfe8399..4cb97c085500b 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template title: "@kbn/shared-ux-page-kibana-template" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template'] --- import kbnSharedUxPageKibanaTemplateObj from './kbn_shared_ux_page_kibana_template.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx index 5e0b19fa3f6a2..9704652b4020b 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template-mocks title: "@kbn/shared-ux-page-kibana-template-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template-mocks'] --- import kbnSharedUxPageKibanaTemplateMocksObj from './kbn_shared_ux_page_kibana_template_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data.mdx b/api_docs/kbn_shared_ux_page_no_data.mdx index 2f430bf4b8b0f..be23ca7d8ad1a 100644 --- a/api_docs/kbn_shared_ux_page_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data title: "@kbn/shared-ux-page-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data'] --- import kbnSharedUxPageNoDataObj from './kbn_shared_ux_page_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config.mdx b/api_docs/kbn_shared_ux_page_no_data_config.mdx index d093aa92ae129..416ac404daae6 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config title: "@kbn/shared-ux-page-no-data-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config'] --- import kbnSharedUxPageNoDataConfigObj from './kbn_shared_ux_page_no_data_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx index b777e35ad7257..bcc601f7fe69a 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config-mocks title: "@kbn/shared-ux-page-no-data-config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config-mocks'] --- import kbnSharedUxPageNoDataConfigMocksObj from './kbn_shared_ux_page_no_data_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx index 2f28c79210440..8e4767686135d 100644 --- a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-mocks title: "@kbn/shared-ux-page-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-mocks'] --- import kbnSharedUxPageNoDataMocksObj from './kbn_shared_ux_page_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_solution_nav.mdx b/api_docs/kbn_shared_ux_page_solution_nav.mdx index 2c861cb5b57a3..fa6f11d495a5a 100644 --- a/api_docs/kbn_shared_ux_page_solution_nav.mdx +++ b/api_docs/kbn_shared_ux_page_solution_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-solution-nav title: "@kbn/shared-ux-page-solution-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-solution-nav plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-solution-nav'] --- import kbnSharedUxPageSolutionNavObj from './kbn_shared_ux_page_solution_nav.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx index 09fe0dfa69d4d..a9626f38637a0 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views title: "@kbn/shared-ux-prompt-no-data-views" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views'] --- import kbnSharedUxPromptNoDataViewsObj from './kbn_shared_ux_prompt_no_data_views.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx index 3fc69f1af9a4a..998d2918880c5 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views-mocks title: "@kbn/shared-ux-prompt-no-data-views-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views-mocks'] --- import kbnSharedUxPromptNoDataViewsMocksObj from './kbn_shared_ux_prompt_no_data_views_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_not_found.mdx b/api_docs/kbn_shared_ux_prompt_not_found.mdx index b36e3a1397ddf..b477e3e168623 100644 --- a/api_docs/kbn_shared_ux_prompt_not_found.mdx +++ b/api_docs/kbn_shared_ux_prompt_not_found.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-not-found title: "@kbn/shared-ux-prompt-not-found" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-not-found plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-not-found'] --- import kbnSharedUxPromptNotFoundObj from './kbn_shared_ux_prompt_not_found.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router.mdx b/api_docs/kbn_shared_ux_router.mdx index 98ebe1eac9f82..46259f07815af 100644 --- a/api_docs/kbn_shared_ux_router.mdx +++ b/api_docs/kbn_shared_ux_router.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router title: "@kbn/shared-ux-router" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router'] --- import kbnSharedUxRouterObj from './kbn_shared_ux_router.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router_mocks.mdx b/api_docs/kbn_shared_ux_router_mocks.mdx index 28e27ca49cb93..fb486aed1ab82 100644 --- a/api_docs/kbn_shared_ux_router_mocks.mdx +++ b/api_docs/kbn_shared_ux_router_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router-mocks title: "@kbn/shared-ux-router-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router-mocks plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router-mocks'] --- import kbnSharedUxRouterMocksObj from './kbn_shared_ux_router_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_config.mdx b/api_docs/kbn_shared_ux_storybook_config.mdx index 1a42d15da419c..50e03dc1df400 100644 --- a/api_docs/kbn_shared_ux_storybook_config.mdx +++ b/api_docs/kbn_shared_ux_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-config title: "@kbn/shared-ux-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-config plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-config'] --- import kbnSharedUxStorybookConfigObj from './kbn_shared_ux_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_mock.mdx b/api_docs/kbn_shared_ux_storybook_mock.mdx index 6f3cfc9437f39..3967b312d469a 100644 --- a/api_docs/kbn_shared_ux_storybook_mock.mdx +++ b/api_docs/kbn_shared_ux_storybook_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-mock title: "@kbn/shared-ux-storybook-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-mock plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-mock'] --- import kbnSharedUxStorybookMockObj from './kbn_shared_ux_storybook_mock.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_utility.mdx b/api_docs/kbn_shared_ux_utility.mdx index f915c98da04f3..fdea3af14e53b 100644 --- a/api_docs/kbn_shared_ux_utility.mdx +++ b/api_docs/kbn_shared_ux_utility.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-utility title: "@kbn/shared-ux-utility" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-utility plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-utility'] --- import kbnSharedUxUtilityObj from './kbn_shared_ux_utility.devdocs.json'; diff --git a/api_docs/kbn_some_dev_log.mdx b/api_docs/kbn_some_dev_log.mdx index d80154715c467..b927f8d45230f 100644 --- a/api_docs/kbn_some_dev_log.mdx +++ b/api_docs/kbn_some_dev_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-some-dev-log title: "@kbn/some-dev-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/some-dev-log plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/some-dev-log'] --- import kbnSomeDevLogObj from './kbn_some_dev_log.devdocs.json'; diff --git a/api_docs/kbn_sort_package_json.mdx b/api_docs/kbn_sort_package_json.mdx index 9e846d59db2a4..eef9f5c468335 100644 --- a/api_docs/kbn_sort_package_json.mdx +++ b/api_docs/kbn_sort_package_json.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sort-package-json title: "@kbn/sort-package-json" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sort-package-json plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sort-package-json'] --- import kbnSortPackageJsonObj from './kbn_sort_package_json.devdocs.json'; diff --git a/api_docs/kbn_std.mdx b/api_docs/kbn_std.mdx index 40e931fc64d46..2e497e052fde6 100644 --- a/api_docs/kbn_std.mdx +++ b/api_docs/kbn_std.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-std title: "@kbn/std" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/std plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/std'] --- import kbnStdObj from './kbn_std.devdocs.json'; diff --git a/api_docs/kbn_stdio_dev_helpers.mdx b/api_docs/kbn_stdio_dev_helpers.mdx index 69fb8df8584ea..3771950209b72 100644 --- a/api_docs/kbn_stdio_dev_helpers.mdx +++ b/api_docs/kbn_stdio_dev_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-stdio-dev-helpers title: "@kbn/stdio-dev-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/stdio-dev-helpers plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/stdio-dev-helpers'] --- import kbnStdioDevHelpersObj from './kbn_stdio_dev_helpers.devdocs.json'; diff --git a/api_docs/kbn_storybook.mdx b/api_docs/kbn_storybook.mdx index 34f9bec5610e4..acdf45bc93242 100644 --- a/api_docs/kbn_storybook.mdx +++ b/api_docs/kbn_storybook.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-storybook title: "@kbn/storybook" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/storybook plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/storybook'] --- import kbnStorybookObj from './kbn_storybook.devdocs.json'; diff --git a/api_docs/kbn_telemetry_tools.mdx b/api_docs/kbn_telemetry_tools.mdx index 3ad191b370344..ddf63fe789fd5 100644 --- a/api_docs/kbn_telemetry_tools.mdx +++ b/api_docs/kbn_telemetry_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-telemetry-tools title: "@kbn/telemetry-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/telemetry-tools plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/telemetry-tools'] --- import kbnTelemetryToolsObj from './kbn_telemetry_tools.devdocs.json'; diff --git a/api_docs/kbn_test.mdx b/api_docs/kbn_test.mdx index 58542c37f9796..6b4ba1cf101c8 100644 --- a/api_docs/kbn_test.mdx +++ b/api_docs/kbn_test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test title: "@kbn/test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test'] --- import kbnTestObj from './kbn_test.devdocs.json'; diff --git a/api_docs/kbn_test_jest_helpers.mdx b/api_docs/kbn_test_jest_helpers.mdx index c76248e64e495..79945788d6162 100644 --- a/api_docs/kbn_test_jest_helpers.mdx +++ b/api_docs/kbn_test_jest_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-jest-helpers title: "@kbn/test-jest-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-jest-helpers plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-jest-helpers'] --- import kbnTestJestHelpersObj from './kbn_test_jest_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_subj_selector.mdx b/api_docs/kbn_test_subj_selector.mdx index 699b01449810f..8914852115540 100644 --- a/api_docs/kbn_test_subj_selector.mdx +++ b/api_docs/kbn_test_subj_selector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-subj-selector title: "@kbn/test-subj-selector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-subj-selector plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-subj-selector'] --- import kbnTestSubjSelectorObj from './kbn_test_subj_selector.devdocs.json'; diff --git a/api_docs/kbn_tooling_log.mdx b/api_docs/kbn_tooling_log.mdx index aa201ed85065a..a464f9fdbccb0 100644 --- a/api_docs/kbn_tooling_log.mdx +++ b/api_docs/kbn_tooling_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-tooling-log title: "@kbn/tooling-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/tooling-log plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/tooling-log'] --- import kbnToolingLogObj from './kbn_tooling_log.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer.mdx b/api_docs/kbn_type_summarizer.mdx index 31c74ffbac4d0..3363a5cec68f0 100644 --- a/api_docs/kbn_type_summarizer.mdx +++ b/api_docs/kbn_type_summarizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer title: "@kbn/type-summarizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer'] --- import kbnTypeSummarizerObj from './kbn_type_summarizer.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer_core.mdx b/api_docs/kbn_type_summarizer_core.mdx index 13346667d2917..85e23be98377f 100644 --- a/api_docs/kbn_type_summarizer_core.mdx +++ b/api_docs/kbn_type_summarizer_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer-core title: "@kbn/type-summarizer-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer-core plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer-core'] --- import kbnTypeSummarizerCoreObj from './kbn_type_summarizer_core.devdocs.json'; diff --git a/api_docs/kbn_typed_react_router_config.mdx b/api_docs/kbn_typed_react_router_config.mdx index a90f8f44b8534..ebb3cf4608f24 100644 --- a/api_docs/kbn_typed_react_router_config.mdx +++ b/api_docs/kbn_typed_react_router_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-typed-react-router-config title: "@kbn/typed-react-router-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/typed-react-router-config plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/typed-react-router-config'] --- import kbnTypedReactRouterConfigObj from './kbn_typed_react_router_config.devdocs.json'; diff --git a/api_docs/kbn_ui_shared_deps_src.mdx b/api_docs/kbn_ui_shared_deps_src.mdx index e5b354acdd8f7..a58217e78dd46 100644 --- a/api_docs/kbn_ui_shared_deps_src.mdx +++ b/api_docs/kbn_ui_shared_deps_src.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-shared-deps-src title: "@kbn/ui-shared-deps-src" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-shared-deps-src plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-shared-deps-src'] --- import kbnUiSharedDepsSrcObj from './kbn_ui_shared_deps_src.devdocs.json'; diff --git a/api_docs/kbn_ui_theme.mdx b/api_docs/kbn_ui_theme.mdx index 9716978eab70b..9abc98b91b641 100644 --- a/api_docs/kbn_ui_theme.mdx +++ b/api_docs/kbn_ui_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-theme title: "@kbn/ui-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-theme plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-theme'] --- import kbnUiThemeObj from './kbn_ui_theme.devdocs.json'; diff --git a/api_docs/kbn_user_profile_components.mdx b/api_docs/kbn_user_profile_components.mdx index d2504204f1470..3cf992f604cf2 100644 --- a/api_docs/kbn_user_profile_components.mdx +++ b/api_docs/kbn_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-user-profile-components title: "@kbn/user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/user-profile-components plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/user-profile-components'] --- import kbnUserProfileComponentsObj from './kbn_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_utility_types.mdx b/api_docs/kbn_utility_types.mdx index 5602eb11065d5..0599816f578c8 100644 --- a/api_docs/kbn_utility_types.mdx +++ b/api_docs/kbn_utility_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types title: "@kbn/utility-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types'] --- import kbnUtilityTypesObj from './kbn_utility_types.devdocs.json'; diff --git a/api_docs/kbn_utility_types_jest.mdx b/api_docs/kbn_utility_types_jest.mdx index 730c4a3c75101..2261f424b2188 100644 --- a/api_docs/kbn_utility_types_jest.mdx +++ b/api_docs/kbn_utility_types_jest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types-jest title: "@kbn/utility-types-jest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types-jest plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types-jest'] --- import kbnUtilityTypesJestObj from './kbn_utility_types_jest.devdocs.json'; diff --git a/api_docs/kbn_utils.mdx b/api_docs/kbn_utils.mdx index 551b745b7844c..ef9bdebf517ec 100644 --- a/api_docs/kbn_utils.mdx +++ b/api_docs/kbn_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utils title: "@kbn/utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utils'] --- import kbnUtilsObj from './kbn_utils.devdocs.json'; diff --git a/api_docs/kbn_yarn_lock_validator.mdx b/api_docs/kbn_yarn_lock_validator.mdx index 2f9d75d126a10..583fbdca23200 100644 --- a/api_docs/kbn_yarn_lock_validator.mdx +++ b/api_docs/kbn_yarn_lock_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-yarn-lock-validator title: "@kbn/yarn-lock-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/yarn-lock-validator plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/yarn-lock-validator'] --- import kbnYarnLockValidatorObj from './kbn_yarn_lock_validator.devdocs.json'; diff --git a/api_docs/kibana_overview.mdx b/api_docs/kibana_overview.mdx index cd1f7e4c3a9e5..7ea5842f66fff 100644 --- a/api_docs/kibana_overview.mdx +++ b/api_docs/kibana_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaOverview title: "kibanaOverview" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaOverview plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaOverview'] --- import kibanaOverviewObj from './kibana_overview.devdocs.json'; diff --git a/api_docs/kibana_react.mdx b/api_docs/kibana_react.mdx index 0de92f7a573a9..b06dc71086b80 100644 --- a/api_docs/kibana_react.mdx +++ b/api_docs/kibana_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaReact title: "kibanaReact" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaReact plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaReact'] --- import kibanaReactObj from './kibana_react.devdocs.json'; diff --git a/api_docs/kibana_utils.mdx b/api_docs/kibana_utils.mdx index 69726bf507a5e..da3168b543a11 100644 --- a/api_docs/kibana_utils.mdx +++ b/api_docs/kibana_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaUtils title: "kibanaUtils" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaUtils plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaUtils'] --- import kibanaUtilsObj from './kibana_utils.devdocs.json'; diff --git a/api_docs/kubernetes_security.mdx b/api_docs/kubernetes_security.mdx index eb918d7f5ab17..047c692261e45 100644 --- a/api_docs/kubernetes_security.mdx +++ b/api_docs/kubernetes_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kubernetesSecurity title: "kubernetesSecurity" image: https://source.unsplash.com/400x175/?github description: API docs for the kubernetesSecurity plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kubernetesSecurity'] --- import kubernetesSecurityObj from './kubernetes_security.devdocs.json'; diff --git a/api_docs/lens.mdx b/api_docs/lens.mdx index 984bc373f101d..1e3851cab3fe8 100644 --- a/api_docs/lens.mdx +++ b/api_docs/lens.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lens title: "lens" image: https://source.unsplash.com/400x175/?github description: API docs for the lens plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lens'] --- import lensObj from './lens.devdocs.json'; diff --git a/api_docs/license_api_guard.mdx b/api_docs/license_api_guard.mdx index 02bbde181494b..daa4d14b00d65 100644 --- a/api_docs/license_api_guard.mdx +++ b/api_docs/license_api_guard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseApiGuard title: "licenseApiGuard" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseApiGuard plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseApiGuard'] --- import licenseApiGuardObj from './license_api_guard.devdocs.json'; diff --git a/api_docs/license_management.mdx b/api_docs/license_management.mdx index 440c7d51f1df7..5149523d4268b 100644 --- a/api_docs/license_management.mdx +++ b/api_docs/license_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseManagement title: "licenseManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseManagement plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseManagement'] --- import licenseManagementObj from './license_management.devdocs.json'; diff --git a/api_docs/licensing.mdx b/api_docs/licensing.mdx index 3b3acb32220dc..55e41bd187e9c 100644 --- a/api_docs/licensing.mdx +++ b/api_docs/licensing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licensing title: "licensing" image: https://source.unsplash.com/400x175/?github description: API docs for the licensing plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licensing'] --- import licensingObj from './licensing.devdocs.json'; diff --git a/api_docs/lists.mdx b/api_docs/lists.mdx index a6290007b702b..3ed98d030fe7a 100644 --- a/api_docs/lists.mdx +++ b/api_docs/lists.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lists title: "lists" image: https://source.unsplash.com/400x175/?github description: API docs for the lists plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lists'] --- import listsObj from './lists.devdocs.json'; diff --git a/api_docs/management.mdx b/api_docs/management.mdx index 5ad1c8a8f0c05..f420b65526045 100644 --- a/api_docs/management.mdx +++ b/api_docs/management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/management title: "management" image: https://source.unsplash.com/400x175/?github description: API docs for the management plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'management'] --- import managementObj from './management.devdocs.json'; diff --git a/api_docs/maps.mdx b/api_docs/maps.mdx index db10aa391a43b..9e955ec3d9385 100644 --- a/api_docs/maps.mdx +++ b/api_docs/maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/maps title: "maps" image: https://source.unsplash.com/400x175/?github description: API docs for the maps plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'maps'] --- import mapsObj from './maps.devdocs.json'; diff --git a/api_docs/maps_ems.mdx b/api_docs/maps_ems.mdx index 959b38121ea71..5ebc3b556adc2 100644 --- a/api_docs/maps_ems.mdx +++ b/api_docs/maps_ems.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mapsEms title: "mapsEms" image: https://source.unsplash.com/400x175/?github description: API docs for the mapsEms plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mapsEms'] --- import mapsEmsObj from './maps_ems.devdocs.json'; diff --git a/api_docs/ml.mdx b/api_docs/ml.mdx index 1ad3161063cc0..b0c1e82c6b608 100644 --- a/api_docs/ml.mdx +++ b/api_docs/ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ml title: "ml" image: https://source.unsplash.com/400x175/?github description: API docs for the ml plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ml'] --- import mlObj from './ml.devdocs.json'; diff --git a/api_docs/monitoring.mdx b/api_docs/monitoring.mdx index 394484d7eade1..da322c0d4d935 100644 --- a/api_docs/monitoring.mdx +++ b/api_docs/monitoring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoring title: "monitoring" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoring plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoring'] --- import monitoringObj from './monitoring.devdocs.json'; diff --git a/api_docs/monitoring_collection.mdx b/api_docs/monitoring_collection.mdx index f2e88900fbc32..7f5e3eb940060 100644 --- a/api_docs/monitoring_collection.mdx +++ b/api_docs/monitoring_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoringCollection title: "monitoringCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoringCollection plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoringCollection'] --- import monitoringCollectionObj from './monitoring_collection.devdocs.json'; diff --git a/api_docs/navigation.mdx b/api_docs/navigation.mdx index d20a4d040c71c..92b6d0716f6bd 100644 --- a/api_docs/navigation.mdx +++ b/api_docs/navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/navigation title: "navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the navigation plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'navigation'] --- import navigationObj from './navigation.devdocs.json'; diff --git a/api_docs/newsfeed.mdx b/api_docs/newsfeed.mdx index bbd8b5f6c491a..622f0f231feb4 100644 --- a/api_docs/newsfeed.mdx +++ b/api_docs/newsfeed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/newsfeed title: "newsfeed" image: https://source.unsplash.com/400x175/?github description: API docs for the newsfeed plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'newsfeed'] --- import newsfeedObj from './newsfeed.devdocs.json'; diff --git a/api_docs/notifications.mdx b/api_docs/notifications.mdx index a201cd4506e13..301bc6b805db2 100644 --- a/api_docs/notifications.mdx +++ b/api_docs/notifications.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/notifications title: "notifications" image: https://source.unsplash.com/400x175/?github description: API docs for the notifications plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'notifications'] --- import notificationsObj from './notifications.devdocs.json'; diff --git a/api_docs/observability.mdx b/api_docs/observability.mdx index 926b03f9daa5d..9fe16ad06876e 100644 --- a/api_docs/observability.mdx +++ b/api_docs/observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observability title: "observability" image: https://source.unsplash.com/400x175/?github description: API docs for the observability plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observability'] --- import observabilityObj from './observability.devdocs.json'; diff --git a/api_docs/osquery.mdx b/api_docs/osquery.mdx index 1b3f0b7f8c39b..ac18471bfc93b 100644 --- a/api_docs/osquery.mdx +++ b/api_docs/osquery.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/osquery title: "osquery" image: https://source.unsplash.com/400x175/?github description: API docs for the osquery plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'osquery'] --- import osqueryObj from './osquery.devdocs.json'; diff --git a/api_docs/plugin_directory.mdx b/api_docs/plugin_directory.mdx index 71b7f9871e274..7ee28284ff70b 100644 --- a/api_docs/plugin_directory.mdx +++ b/api_docs/plugin_directory.mdx @@ -7,7 +7,7 @@ id: kibDevDocsPluginDirectory slug: /kibana-dev-docs/api-meta/plugin-api-directory title: Directory description: Directory of public APIs available through plugins or packages. -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/presentation_util.mdx b/api_docs/presentation_util.mdx index bcb4c47d6cbd1..0c4631489fcb5 100644 --- a/api_docs/presentation_util.mdx +++ b/api_docs/presentation_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationUtil title: "presentationUtil" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationUtil plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationUtil'] --- import presentationUtilObj from './presentation_util.devdocs.json'; diff --git a/api_docs/profiling.mdx b/api_docs/profiling.mdx index ee50dac793abb..0398e026bb363 100644 --- a/api_docs/profiling.mdx +++ b/api_docs/profiling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profiling title: "profiling" image: https://source.unsplash.com/400x175/?github description: API docs for the profiling plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profiling'] --- import profilingObj from './profiling.devdocs.json'; diff --git a/api_docs/remote_clusters.mdx b/api_docs/remote_clusters.mdx index 9bd1bd9a72522..9326e9d175c38 100644 --- a/api_docs/remote_clusters.mdx +++ b/api_docs/remote_clusters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/remoteClusters title: "remoteClusters" image: https://source.unsplash.com/400x175/?github description: API docs for the remoteClusters plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'remoteClusters'] --- import remoteClustersObj from './remote_clusters.devdocs.json'; diff --git a/api_docs/reporting.mdx b/api_docs/reporting.mdx index 5688a76776bb0..ba9e296ef984f 100644 --- a/api_docs/reporting.mdx +++ b/api_docs/reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/reporting title: "reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the reporting plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'reporting'] --- import reportingObj from './reporting.devdocs.json'; diff --git a/api_docs/rollup.mdx b/api_docs/rollup.mdx index 5f94580855d95..4d30c323bb89e 100644 --- a/api_docs/rollup.mdx +++ b/api_docs/rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/rollup title: "rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the rollup plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'rollup'] --- import rollupObj from './rollup.devdocs.json'; diff --git a/api_docs/rule_registry.mdx b/api_docs/rule_registry.mdx index c08ae66106bad..f83724b037756 100644 --- a/api_docs/rule_registry.mdx +++ b/api_docs/rule_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ruleRegistry title: "ruleRegistry" image: https://source.unsplash.com/400x175/?github description: API docs for the ruleRegistry plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ruleRegistry'] --- import ruleRegistryObj from './rule_registry.devdocs.json'; diff --git a/api_docs/runtime_fields.mdx b/api_docs/runtime_fields.mdx index 82d4ed8f55162..0178f46f182a4 100644 --- a/api_docs/runtime_fields.mdx +++ b/api_docs/runtime_fields.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/runtimeFields title: "runtimeFields" image: https://source.unsplash.com/400x175/?github description: API docs for the runtimeFields plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'runtimeFields'] --- import runtimeFieldsObj from './runtime_fields.devdocs.json'; diff --git a/api_docs/saved_objects.mdx b/api_docs/saved_objects.mdx index fcb131a2ca83a..1ae97be7d0f47 100644 --- a/api_docs/saved_objects.mdx +++ b/api_docs/saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjects title: "savedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjects plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjects'] --- import savedObjectsObj from './saved_objects.devdocs.json'; diff --git a/api_docs/saved_objects_finder.mdx b/api_docs/saved_objects_finder.mdx index 7f3f5e17fabd6..7abdef8b9334a 100644 --- a/api_docs/saved_objects_finder.mdx +++ b/api_docs/saved_objects_finder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsFinder title: "savedObjectsFinder" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsFinder plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsFinder'] --- import savedObjectsFinderObj from './saved_objects_finder.devdocs.json'; diff --git a/api_docs/saved_objects_management.mdx b/api_docs/saved_objects_management.mdx index 4390e9774eb90..6ffb5e1788c30 100644 --- a/api_docs/saved_objects_management.mdx +++ b/api_docs/saved_objects_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsManagement title: "savedObjectsManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsManagement plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsManagement'] --- import savedObjectsManagementObj from './saved_objects_management.devdocs.json'; diff --git a/api_docs/saved_objects_tagging.mdx b/api_docs/saved_objects_tagging.mdx index 50d88f62cf8fd..0b71d07cd6012 100644 --- a/api_docs/saved_objects_tagging.mdx +++ b/api_docs/saved_objects_tagging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTagging title: "savedObjectsTagging" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTagging plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTagging'] --- import savedObjectsTaggingObj from './saved_objects_tagging.devdocs.json'; diff --git a/api_docs/saved_objects_tagging_oss.mdx b/api_docs/saved_objects_tagging_oss.mdx index 7db92f429c0f6..ba2e398a8cd41 100644 --- a/api_docs/saved_objects_tagging_oss.mdx +++ b/api_docs/saved_objects_tagging_oss.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTaggingOss title: "savedObjectsTaggingOss" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTaggingOss plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTaggingOss'] --- import savedObjectsTaggingOssObj from './saved_objects_tagging_oss.devdocs.json'; diff --git a/api_docs/saved_search.mdx b/api_docs/saved_search.mdx index 6979acc94c499..6b1407ef9514f 100644 --- a/api_docs/saved_search.mdx +++ b/api_docs/saved_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedSearch title: "savedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the savedSearch plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedSearch'] --- import savedSearchObj from './saved_search.devdocs.json'; diff --git a/api_docs/screenshot_mode.mdx b/api_docs/screenshot_mode.mdx index bebe1f407dbf4..63affa8cecccb 100644 --- a/api_docs/screenshot_mode.mdx +++ b/api_docs/screenshot_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotMode title: "screenshotMode" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotMode plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotMode'] --- import screenshotModeObj from './screenshot_mode.devdocs.json'; diff --git a/api_docs/screenshotting.mdx b/api_docs/screenshotting.mdx index 85fbff75a9357..cf8f6725a8f1e 100644 --- a/api_docs/screenshotting.mdx +++ b/api_docs/screenshotting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotting title: "screenshotting" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotting plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotting'] --- import screenshottingObj from './screenshotting.devdocs.json'; diff --git a/api_docs/security.mdx b/api_docs/security.mdx index 0932648c8654b..21de897df14bf 100644 --- a/api_docs/security.mdx +++ b/api_docs/security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/security title: "security" image: https://source.unsplash.com/400x175/?github description: API docs for the security plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'security'] --- import securityObj from './security.devdocs.json'; diff --git a/api_docs/security_solution.mdx b/api_docs/security_solution.mdx index 04cc8b9ebcf48..2b0fd7d8798bb 100644 --- a/api_docs/security_solution.mdx +++ b/api_docs/security_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolution title: "securitySolution" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolution plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolution'] --- import securitySolutionObj from './security_solution.devdocs.json'; diff --git a/api_docs/session_view.mdx b/api_docs/session_view.mdx index 3f7ba2985fe08..b5b437c239deb 100644 --- a/api_docs/session_view.mdx +++ b/api_docs/session_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/sessionView title: "sessionView" image: https://source.unsplash.com/400x175/?github description: API docs for the sessionView plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'sessionView'] --- import sessionViewObj from './session_view.devdocs.json'; diff --git a/api_docs/share.mdx b/api_docs/share.mdx index bd57856413ca0..e1a2176128ef1 100644 --- a/api_docs/share.mdx +++ b/api_docs/share.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/share title: "share" image: https://source.unsplash.com/400x175/?github description: API docs for the share plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'share'] --- import shareObj from './share.devdocs.json'; diff --git a/api_docs/snapshot_restore.mdx b/api_docs/snapshot_restore.mdx index 3b90924af8823..157fee75341e8 100644 --- a/api_docs/snapshot_restore.mdx +++ b/api_docs/snapshot_restore.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/snapshotRestore title: "snapshotRestore" image: https://source.unsplash.com/400x175/?github description: API docs for the snapshotRestore plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'snapshotRestore'] --- import snapshotRestoreObj from './snapshot_restore.devdocs.json'; diff --git a/api_docs/spaces.mdx b/api_docs/spaces.mdx index 94a8cd929f99a..995026c45ea97 100644 --- a/api_docs/spaces.mdx +++ b/api_docs/spaces.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/spaces title: "spaces" image: https://source.unsplash.com/400x175/?github description: API docs for the spaces plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'spaces'] --- import spacesObj from './spaces.devdocs.json'; diff --git a/api_docs/stack_alerts.mdx b/api_docs/stack_alerts.mdx index 2e23ceebaf05a..c20cc2bcbc024 100644 --- a/api_docs/stack_alerts.mdx +++ b/api_docs/stack_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackAlerts title: "stackAlerts" image: https://source.unsplash.com/400x175/?github description: API docs for the stackAlerts plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackAlerts'] --- import stackAlertsObj from './stack_alerts.devdocs.json'; diff --git a/api_docs/stack_connectors.mdx b/api_docs/stack_connectors.mdx index bdd0c86d4da15..42acea3619dd6 100644 --- a/api_docs/stack_connectors.mdx +++ b/api_docs/stack_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackConnectors title: "stackConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the stackConnectors plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackConnectors'] --- import stackConnectorsObj from './stack_connectors.devdocs.json'; diff --git a/api_docs/task_manager.mdx b/api_docs/task_manager.mdx index 8802c0714c0c7..bb79ce9488293 100644 --- a/api_docs/task_manager.mdx +++ b/api_docs/task_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/taskManager title: "taskManager" image: https://source.unsplash.com/400x175/?github description: API docs for the taskManager plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'taskManager'] --- import taskManagerObj from './task_manager.devdocs.json'; diff --git a/api_docs/telemetry.mdx b/api_docs/telemetry.mdx index 476ebd913ca64..7e055a4508737 100644 --- a/api_docs/telemetry.mdx +++ b/api_docs/telemetry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetry title: "telemetry" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetry plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetry'] --- import telemetryObj from './telemetry.devdocs.json'; diff --git a/api_docs/telemetry_collection_manager.mdx b/api_docs/telemetry_collection_manager.mdx index d9176767748ea..8152677d60598 100644 --- a/api_docs/telemetry_collection_manager.mdx +++ b/api_docs/telemetry_collection_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionManager title: "telemetryCollectionManager" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionManager plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionManager'] --- import telemetryCollectionManagerObj from './telemetry_collection_manager.devdocs.json'; diff --git a/api_docs/telemetry_collection_xpack.mdx b/api_docs/telemetry_collection_xpack.mdx index 74a48e5608a28..1b632863affc6 100644 --- a/api_docs/telemetry_collection_xpack.mdx +++ b/api_docs/telemetry_collection_xpack.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionXpack title: "telemetryCollectionXpack" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionXpack plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionXpack'] --- import telemetryCollectionXpackObj from './telemetry_collection_xpack.devdocs.json'; diff --git a/api_docs/telemetry_management_section.mdx b/api_docs/telemetry_management_section.mdx index cf3091d2ddb9f..6cec69cc796a9 100644 --- a/api_docs/telemetry_management_section.mdx +++ b/api_docs/telemetry_management_section.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryManagementSection title: "telemetryManagementSection" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryManagementSection plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryManagementSection'] --- import telemetryManagementSectionObj from './telemetry_management_section.devdocs.json'; diff --git a/api_docs/threat_intelligence.mdx b/api_docs/threat_intelligence.mdx index deedd3d468c95..b8ab09c580e69 100644 --- a/api_docs/threat_intelligence.mdx +++ b/api_docs/threat_intelligence.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/threatIntelligence title: "threatIntelligence" image: https://source.unsplash.com/400x175/?github description: API docs for the threatIntelligence plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'threatIntelligence'] --- import threatIntelligenceObj from './threat_intelligence.devdocs.json'; diff --git a/api_docs/timelines.mdx b/api_docs/timelines.mdx index 88f12a09897a3..9eff9ade1f9e4 100644 --- a/api_docs/timelines.mdx +++ b/api_docs/timelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/timelines title: "timelines" image: https://source.unsplash.com/400x175/?github description: API docs for the timelines plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'timelines'] --- import timelinesObj from './timelines.devdocs.json'; diff --git a/api_docs/transform.mdx b/api_docs/transform.mdx index 7cbb385fcff2e..2753c5093fda0 100644 --- a/api_docs/transform.mdx +++ b/api_docs/transform.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/transform title: "transform" image: https://source.unsplash.com/400x175/?github description: API docs for the transform plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'transform'] --- import transformObj from './transform.devdocs.json'; diff --git a/api_docs/triggers_actions_ui.mdx b/api_docs/triggers_actions_ui.mdx index 160c69ebd5ff0..939062c365425 100644 --- a/api_docs/triggers_actions_ui.mdx +++ b/api_docs/triggers_actions_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/triggersActionsUi title: "triggersActionsUi" image: https://source.unsplash.com/400x175/?github description: API docs for the triggersActionsUi plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'triggersActionsUi'] --- import triggersActionsUiObj from './triggers_actions_ui.devdocs.json'; diff --git a/api_docs/ui_actions.mdx b/api_docs/ui_actions.mdx index abac947f58b32..bb08e12f49804 100644 --- a/api_docs/ui_actions.mdx +++ b/api_docs/ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActions title: "uiActions" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActions plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActions'] --- import uiActionsObj from './ui_actions.devdocs.json'; diff --git a/api_docs/ui_actions_enhanced.mdx b/api_docs/ui_actions_enhanced.mdx index ad055d15c9ce3..af5a637f22470 100644 --- a/api_docs/ui_actions_enhanced.mdx +++ b/api_docs/ui_actions_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActionsEnhanced title: "uiActionsEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActionsEnhanced plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActionsEnhanced'] --- import uiActionsEnhancedObj from './ui_actions_enhanced.devdocs.json'; diff --git a/api_docs/unified_field_list.mdx b/api_docs/unified_field_list.mdx index 981d4b27a7002..370a11ee93f4e 100644 --- a/api_docs/unified_field_list.mdx +++ b/api_docs/unified_field_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedFieldList title: "unifiedFieldList" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedFieldList plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedFieldList'] --- import unifiedFieldListObj from './unified_field_list.devdocs.json'; diff --git a/api_docs/unified_histogram.mdx b/api_docs/unified_histogram.mdx index 43feaa7331d5c..8c0462c2337e9 100644 --- a/api_docs/unified_histogram.mdx +++ b/api_docs/unified_histogram.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedHistogram title: "unifiedHistogram" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedHistogram plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedHistogram'] --- import unifiedHistogramObj from './unified_histogram.devdocs.json'; diff --git a/api_docs/unified_search.mdx b/api_docs/unified_search.mdx index 73a6f3a1640bf..67d866d58db75 100644 --- a/api_docs/unified_search.mdx +++ b/api_docs/unified_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch title: "unifiedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch'] --- import unifiedSearchObj from './unified_search.devdocs.json'; diff --git a/api_docs/unified_search_autocomplete.mdx b/api_docs/unified_search_autocomplete.mdx index e4586398f9778..a585a117b19d3 100644 --- a/api_docs/unified_search_autocomplete.mdx +++ b/api_docs/unified_search_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch-autocomplete title: "unifiedSearch.autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch.autocomplete plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch.autocomplete'] --- import unifiedSearchAutocompleteObj from './unified_search_autocomplete.devdocs.json'; diff --git a/api_docs/url_forwarding.mdx b/api_docs/url_forwarding.mdx index 4eb129a7fc196..f754a8c1b3261 100644 --- a/api_docs/url_forwarding.mdx +++ b/api_docs/url_forwarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/urlForwarding title: "urlForwarding" image: https://source.unsplash.com/400x175/?github description: API docs for the urlForwarding plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'urlForwarding'] --- import urlForwardingObj from './url_forwarding.devdocs.json'; diff --git a/api_docs/usage_collection.mdx b/api_docs/usage_collection.mdx index ccbca977416d4..851f0188c2501 100644 --- a/api_docs/usage_collection.mdx +++ b/api_docs/usage_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/usageCollection title: "usageCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the usageCollection plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'usageCollection'] --- import usageCollectionObj from './usage_collection.devdocs.json'; diff --git a/api_docs/ux.mdx b/api_docs/ux.mdx index a87c4b8ea5c43..3d0162cd7f1c5 100644 --- a/api_docs/ux.mdx +++ b/api_docs/ux.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ux title: "ux" image: https://source.unsplash.com/400x175/?github description: API docs for the ux plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ux'] --- import uxObj from './ux.devdocs.json'; diff --git a/api_docs/vis_default_editor.mdx b/api_docs/vis_default_editor.mdx index a0adeeb3b4f1f..2963b2c84a5a2 100644 --- a/api_docs/vis_default_editor.mdx +++ b/api_docs/vis_default_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visDefaultEditor title: "visDefaultEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the visDefaultEditor plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visDefaultEditor'] --- import visDefaultEditorObj from './vis_default_editor.devdocs.json'; diff --git a/api_docs/vis_type_gauge.mdx b/api_docs/vis_type_gauge.mdx index c204a35f368ad..a98623c8584a1 100644 --- a/api_docs/vis_type_gauge.mdx +++ b/api_docs/vis_type_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeGauge title: "visTypeGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeGauge plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeGauge'] --- import visTypeGaugeObj from './vis_type_gauge.devdocs.json'; diff --git a/api_docs/vis_type_heatmap.mdx b/api_docs/vis_type_heatmap.mdx index 3fc89ec4cf380..5337792e08fc5 100644 --- a/api_docs/vis_type_heatmap.mdx +++ b/api_docs/vis_type_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeHeatmap title: "visTypeHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeHeatmap plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeHeatmap'] --- import visTypeHeatmapObj from './vis_type_heatmap.devdocs.json'; diff --git a/api_docs/vis_type_pie.mdx b/api_docs/vis_type_pie.mdx index 41d1a93f9bed7..0cc1950537e13 100644 --- a/api_docs/vis_type_pie.mdx +++ b/api_docs/vis_type_pie.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypePie title: "visTypePie" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypePie plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypePie'] --- import visTypePieObj from './vis_type_pie.devdocs.json'; diff --git a/api_docs/vis_type_table.mdx b/api_docs/vis_type_table.mdx index bb864ffb14099..32e034d46d20b 100644 --- a/api_docs/vis_type_table.mdx +++ b/api_docs/vis_type_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTable title: "visTypeTable" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTable plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTable'] --- import visTypeTableObj from './vis_type_table.devdocs.json'; diff --git a/api_docs/vis_type_timelion.mdx b/api_docs/vis_type_timelion.mdx index c804e7fd7e87a..29297ba80d56d 100644 --- a/api_docs/vis_type_timelion.mdx +++ b/api_docs/vis_type_timelion.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimelion title: "visTypeTimelion" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimelion plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimelion'] --- import visTypeTimelionObj from './vis_type_timelion.devdocs.json'; diff --git a/api_docs/vis_type_timeseries.mdx b/api_docs/vis_type_timeseries.mdx index c0d5bfd491206..e938bf3663322 100644 --- a/api_docs/vis_type_timeseries.mdx +++ b/api_docs/vis_type_timeseries.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimeseries title: "visTypeTimeseries" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimeseries plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimeseries'] --- import visTypeTimeseriesObj from './vis_type_timeseries.devdocs.json'; diff --git a/api_docs/vis_type_vega.mdx b/api_docs/vis_type_vega.mdx index 64d086c90c179..6822f456809f5 100644 --- a/api_docs/vis_type_vega.mdx +++ b/api_docs/vis_type_vega.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVega title: "visTypeVega" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVega plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVega'] --- import visTypeVegaObj from './vis_type_vega.devdocs.json'; diff --git a/api_docs/vis_type_vislib.mdx b/api_docs/vis_type_vislib.mdx index b781232900d25..af4bdea1c9cd4 100644 --- a/api_docs/vis_type_vislib.mdx +++ b/api_docs/vis_type_vislib.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVislib title: "visTypeVislib" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVislib plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVislib'] --- import visTypeVislibObj from './vis_type_vislib.devdocs.json'; diff --git a/api_docs/vis_type_xy.mdx b/api_docs/vis_type_xy.mdx index 5a7f923100c88..132825df8cfee 100644 --- a/api_docs/vis_type_xy.mdx +++ b/api_docs/vis_type_xy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeXy title: "visTypeXy" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeXy plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeXy'] --- import visTypeXyObj from './vis_type_xy.devdocs.json'; diff --git a/api_docs/visualizations.mdx b/api_docs/visualizations.mdx index 760a37359d0a2..5c75c0988a45c 100644 --- a/api_docs/visualizations.mdx +++ b/api_docs/visualizations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visualizations title: "visualizations" image: https://source.unsplash.com/400x175/?github description: API docs for the visualizations plugin -date: 2022-12-10 +date: 2022-12-11 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visualizations'] --- import visualizationsObj from './visualizations.devdocs.json'; From e9c2f596e8ca03a8de87285badf4691a21f649b5 Mon Sep 17 00:00:00 2001 From: Ahmad Bamieh Date: Sun, 11 Dec 2022 20:09:50 +0200 Subject: [PATCH 17/20] [i18n] Integrate 8.6.0 Translations (#147319) --- .../translations/translations/fr-FR.json | 4888 ++++++++++++++--- .../translations/translations/ja-JP.json | 4852 +++++++++++++--- .../translations/translations/zh-CN.json | 4847 +++++++++++++--- 3 files changed, 12346 insertions(+), 2241 deletions(-) diff --git a/x-pack/plugins/translations/translations/fr-FR.json b/x-pack/plugins/translations/translations/fr-FR.json index 2e930593a89a0..df5e8dbed6d8d 100644 --- a/x-pack/plugins/translations/translations/fr-FR.json +++ b/x-pack/plugins/translations/translations/fr-FR.json @@ -92,7 +92,8 @@ "advancedSettings.callOutCautionDescription": "Soyez prudent, ces paramètres sont destinés aux utilisateurs très avancés uniquement. Toute modification est susceptible d’entraîner des dommages importants à Kibana. Certains de ces paramètres peuvent être non documentés, non compatibles ou en version d'évaluation technique. Lorsqu’un champ dispose d’une valeur par défaut, le laisser vide entraîne l’application de cette valeur par défaut, ce qui peut ne pas être acceptable compte tenu d’autres directives de configuration. Toute suppression d'un paramètre personnalisé de la configuration de Kibana est définitive.", "advancedSettings.callOutCautionTitle": "Attention : toute action est susceptible de provoquer des dommages.", "advancedSettings.categoryNames.dashboardLabel": "Tableau de bord", - "advancedSettings.categoryNames.discoverLabel": "Discover", + "advancedSettings.categoryNames.discoverLabel": "Découverte", + "advancedSettings.categoryNames.enterpriseSearchLabel": "Enterprise Search", "advancedSettings.categoryNames.generalLabel": "Général", "advancedSettings.categoryNames.machineLearningLabel": "Machine Learning", "advancedSettings.categoryNames.notificationsLabel": "Notifications", @@ -128,9 +129,20 @@ "advancedSettings.searchBar.unableToParseQueryErrorMessage": "Impossible d'analyser la requête", "advancedSettings.searchBarAriaLabel": "Rechercher dans les paramètres avancés", "advancedSettings.voiceAnnouncement.ariaLabel": "Informations de résultat des paramètres avancés", + "autocomplete.customOptionText": "Ajouter {searchValuePlaceholder} comme champ personnalisé", + "autocomplete.fieldRequiredError": "Ce champ ne peut pas être vide.", + "autocomplete.fieldSpaceWarning": "Avertissement : les espaces au début ou à la fin de cette valeur ne sont pas affichés.", + "autocomplete.invalidBinaryType": "Les champs binaires ne sont pas pris en charge actuellement", + "autocomplete.invalidDateError": "Date non valide", + "autocomplete.invalidNumberError": "Nombre non valide", + "autocomplete.listsTooltipWarning": "Les listes qui ne peuvent pas être traitées par ce type de règle seront désactivées.", + "autocomplete.loadingDescription": "Chargement...", + "autocomplete.seeDocumentation": "Consultez la documentation", + "autocomplete.selectField": "Veuillez d'abord sélectionner un champ...", "charts.advancedSettings.visualization.colorMappingText": "Mappe des valeurs à des couleurs spécifiques dans les graphiques avec la palette Compatibilité.", "charts.colorPicker.setColor.screenReaderDescription": "Définir la couleur pour la valeur {legendDataLabel}", "charts.functions.palette.args.colorHelpText": "Les couleurs de la palette. Accepte un nom de couleur {html}, {hex}, {hsl}, {hsla}, {rgb} ou {rgba}.", + "charts.warning.warningLabel": "{numberWarnings, number} {numberWarnings, plural, one {avertissement} other {avertissements}}", "charts.advancedSettings.visualization.colorMappingTextDeprecation": "Ce paramètre est déclassé et ne sera plus compatible avec les futures versions.", "charts.advancedSettings.visualization.colorMappingTitle": "Mapping des couleurs", "charts.advancedSettings.visualization.useLegacyTimeAxis.description": "Active l'axe de temps hérité pour les graphiques dans Lens, Discover, Visualize et TSVB", @@ -173,17 +185,22 @@ "coloring.dynamicColoring.customPalette.distributeValues": "Distribuer les valeurs", "coloring.dynamicColoring.customPalette.distributeValuesAriaLabel": "Distribuer les valeurs", "coloring.dynamicColoring.customPalette.invalidMaxValue": "La valeur maximale doit être supérieure aux valeurs précédentes.", + "coloring.dynamicColoring.customPalette.invalidPercentValue": "Les valeurs de pourcentage doivent être comprises entre 0 et 100", "coloring.dynamicColoring.customPalette.invalidValueOrColor": "Au moins une gamme de couleurs contient une valeur ou une couleur incorrecte.", "coloring.dynamicColoring.customPalette.maximumStepsApplied": "Vous avez appliqué le nombre d’étapes maximum.", - "coloring.dynamicColoring.customPalette.maxValuePlaceholder": "Valeur max.", - "coloring.dynamicColoring.customPalette.minValuePlaceholder": "Valeur min.", + "coloring.dynamicColoring.customPalette.maxValuePlaceholder": "Aucun max.", + "coloring.dynamicColoring.customPalette.maxValuePlaceholderPercentage": "100", + "coloring.dynamicColoring.customPalette.minValuePlaceholder": "Aucun min.", + "coloring.dynamicColoring.customPalette.minValuePlaceholderPercentage": "0", "coloring.dynamicColoring.customPalette.oneColorRange": "Nécessite plus d’une couleur.", "coloring.dynamicColoring.customPalette.reverseColors": "Inverser les couleurs", "coloring.dynamicColoring.customPalette.selectNewColor": "Sélectionner une nouvelle couleur", "coloring.dynamicColoring.customPalette.setCustomMaxValue": "Définir une valeur minimum personnalisée", "coloring.dynamicColoring.customPalette.setCustomMinValue": "Définir une valeur maximum personnalisée", - "coloring.dynamicColoring.customPalette.useAutoMaxValue": "Utiliser la valeur de données maximum", - "coloring.dynamicColoring.customPalette.useAutoMinValue": "Utiliser la valeur de données minimum", + "coloring.dynamicColoring.customPalette.useAutoMaxValue": "Aucune valeur maximale", + "coloring.dynamicColoring.customPalette.useAutoMaxValuePercentage": "Utiliser le pourcentage maximal", + "coloring.dynamicColoring.customPalette.useAutoMinValue": "Aucune valeur minimale", + "coloring.dynamicColoring.customPalette.useAutoMinValuePercentage": "Utiliser le pourcentage minimal", "coloring.dynamicColoring.customPaletteAriaLabel": "Inverser les couleurs", "coloring.dynamicColoring.palettePicker.colorRangesLabel": "Gammes de couleurs", "coloring.dynamicColoring.palettePicker.label": "Palette de couleurs", @@ -260,6 +277,7 @@ "console.settingsPage.autocompleteLabel": "Saisie semi-automatique", "console.settingsPage.cancelButtonLabel": "Annuler", "console.settingsPage.dataStreamsLabelText": "Flux de données", + "console.settingsPage.enableKeyboardShortcutsLabel": "Activer les raccourcis clavier", "console.settingsPage.fieldsLabelText": "Champs", "console.settingsPage.fontSizeLabel": "Taille de la police", "console.settingsPage.historyLabel": "Historique", @@ -268,13 +286,14 @@ "console.settingsPage.keyboardShortcutsLabel": "Raccourcis clavier", "console.settingsPage.pageTitle": "Paramètres de la console", "console.settingsPage.refreshButtonLabel": "Actualiser les suggestions de saisie semi-automatique", - "console.settingsPage.refreshingDataDescription": "La console actualise les suggestions de saisie semi-automatique en interrogeant Elasticsearch. Une actualisation moins fréquente est recommandée pour réduire les coûts de bande passante.", + "console.settingsPage.refreshingDataDescription": "La console actualise les suggestions de saisie semi-automatique en interrogeant Elasticsearch. Utilisez des actualisations moins fréquentes pour réduire les coûts de bande passante.", "console.settingsPage.refreshingDataLabel": "Fréquence d'actualisation", "console.settingsPage.refreshInterval.everyHourTimeInterval": "Toutes les heures", "console.settingsPage.refreshInterval.onceTimeInterval": "Une fois, au chargement de la console", "console.settingsPage.saveButtonLabel": "Enregistrer", + "console.settingsPage.saveRequestsToHistoryLabel": "Enregistrer les requêtes dans l'historique", "console.settingsPage.templatesLabelText": "Modèles", - "console.settingsPage.tripleQuotesMessage": "Utiliser des guillemets triples dans le volet de sortie", + "console.settingsPage.tripleQuotesMessage": "Utiliser des guillemets triples dans la sortie", "console.settingsPage.wrapLongLinesLabelText": "Formater les longues lignes", "console.splitPanel.adjustPanelSizeAriaLabel": "Utilisez les flèches gauche et droite pour ajuster la taille des panneaux.", "console.topNav.helpTabDescription": "Aide", @@ -306,13 +325,59 @@ "console.welcomePage.quickTipsTitle": "Quelques brèves astuces, pendant que j'ai toute votre attention :", "console.welcomePage.supportedRequestFormatDescription": "Lors de la saisie d'une requête, la console fera des suggestions que vous pourrez accepter en appuyant sur Entrée/Tab. Ces suggestions sont faites en fonction de la structure de la requête, des index et des types.", "console.welcomePage.supportedRequestFormatTitle": "La console prend en charge les requêtes dans un format compact, tel que le format cURL :", + "contentManagement.inspector.metadataForm.unableToSaveDangerMessage": "Impossible d'enregistrer {entityName}", + "contentManagement.inspector.saveButtonLabel": "Mettre à jour {entityName}", + "contentManagement.tableList.listing.createNewItemButtonLabel": "Créer {entityName}", + "contentManagement.tableList.listing.deleteButtonMessage": "Supprimer {itemCount} {entityName}", + "contentManagement.tableList.listing.deleteConfirmModalDescription": "Vous ne pourrez pas récupérer les {entityNamePlural} supprimés.", + "contentManagement.tableList.listing.deleteSelectedConfirmModal.title": "Supprimer {itemCount} {entityName} ?", + "contentManagement.tableList.listing.fetchErrorDescription": "Le listing {entityName} n'a pas pu être récupéré : {message}.", + "contentManagement.tableList.listing.listingLimitExceededDescription": "Vous avez {totalItems} {entityNamePlural}, mais votre paramètre {listingLimitText} empêche le tableau ci-dessous d'en afficher plus de {listingLimitValue}.", + "contentManagement.tableList.listing.listingLimitExceededDescriptionPermissions": "Vous pouvez modifier ce paramètre sous {advancedSettingsLink}.", + "contentManagement.tableList.listing.table.editActionName": "Modifier {itemDescription}", + "contentManagement.tableList.listing.table.inspectActionName": "Inspecter {itemDescription}", + "contentManagement.tableList.listing.unableToDeleteDangerMessage": "Impossible de supprimer la/le/les {entityName}(s)", + "contentManagement.tableList.tagBadge.buttonLabel": "Bouton de balise {tagName}.", + "contentManagement.tableList.tagFilterPanel.modifierKeyHelpText": "{modifierKeyPrefix} + cliquer sur Exclure", + "contentManagement.inspector.cancelButtonLabel": "Annuler", + "contentManagement.inspector.flyoutTitle": "Inspecteur", + "contentManagement.inspector.metadataForm.descriptionInputLabel": "Description", + "contentManagement.inspector.metadataForm.nameInputLabel": "Nom", + "contentManagement.inspector.metadataForm.nameIsEmptyError": "Nom obligatoire.", + "contentManagement.inspector.metadataForm.tagsLabel": "Balises", + "contentManagement.tableList.lastUpdatedColumnTitle": "Dernière mise à jour", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.cancelButtonLabel": "Annuler", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.confirmButtonLabel": "Supprimer", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.confirmButtonLabelDeleting": "Suppression", + "contentManagement.tableList.listing.fetchErrorTitle": "Échec de la récupération du listing", + "contentManagement.tableList.listing.listingLimitExceeded.advancedSettingsLinkText": "Paramètres avancés", + "contentManagement.tableList.listing.listingLimitExceededDescriptionNoPermissions": "Contactez l'administrateur système pour modifier ce paramètre.", + "contentManagement.tableList.listing.listingLimitExceededTitle": "Limite de listing dépassée", + "contentManagement.tableList.listing.table.actionTitle": "Actions", + "contentManagement.tableList.listing.table.editActionDescription": "Modifier", + "contentManagement.tableList.listing.table.inspectActionDescription": "Inspecter", + "contentManagement.tableList.listing.tableSortSelect.headerLabel": "Trier par", + "contentManagement.tableList.listing.tableSortSelect.nameAscLabel": "Nom A-Z", + "contentManagement.tableList.listing.tableSortSelect.nameDescLabel": "Nom Z-A", + "contentManagement.tableList.listing.tableSortSelect.updatedAtAscLabel": "Mise à jour la moins récente", + "contentManagement.tableList.listing.tableSortSelect.updatedAtDescLabel": "Mise à jour récente", + "contentManagement.tableList.mainColumnName": "Nom, description, balises", + "contentManagement.tableList.tagFilterPanel.clearSelectionButtonLabelLabel": "Effacer la sélection", + "contentManagement.tableList.tagFilterPanel.manageAllTagsLinkLabel": "Gérer les balises", + "contentManagement.tableList.updatedDateUnknownLabel": "Dernière mise à jour inconnue", "controls.controlGroup.ariaActions.moveControlButtonAction": "Déplacer le contrôle {controlTitle}", + "controls.optionsList.controlAndPopover.exists": "{negate, plural, one {Existe} other {Existent}}", "controls.optionsList.errors.dataViewNotFound": "Impossible de localiser la vue de données : {dataViewId}", + "controls.optionsList.errors.fieldNotFound": "Impossible de localiser le champ : {fieldName}", + "controls.optionsList.popover.ariaLabel": "Fenêtre contextuelle pour le contrôle {fieldName}", "controls.optionsList.popover.cardinalityPlaceholder": "Rechercher {totalOptions} {totalOptions, plural, one {option disponible} other {options disponibles}}", "controls.optionsList.popover.cardinalityTooltip": "{totalOptions} options disponibles.", "controls.optionsList.popover.invalidSelectionsSectionTitle": "{invalidSelectionCount, plural, one {Sélection ignorée} other {Sélections ignorées}}", "controls.optionsList.popover.invalidSelectionsTitle": "{invalidSelectionCount} options sélectionnées ignorées", "controls.optionsList.popover.invalidSelectionsTooltip": "{selectedOptions} {selectedOptions, plural, one {option sélectionnée} other {options sélectionnées}} {selectedOptions, plural, one {est ignorée} other {sont ignorées}}, car {selectedOptions, plural, one {elle n'est plus présente} other {elles ne sont plus présentes}} dans les données.", + "controls.rangeSlider.errors.dataViewNotFound": "Impossible de localiser la vue de données : {dataViewId}", + "controls.rangeSlider.errors.fieldNotFound": "Impossible de localiser le champ : {fieldName}", + "controls.controlGroup.addTimeSliderControlButtonTitle": "Ajouter un contrôle de curseur temporel", "controls.controlGroup.emptyState.addControlButtonTitle": "Ajouter un contrôle", "controls.controlGroup.emptyState.badgeText": "Nouveauté", "controls.controlGroup.emptyState.callToAction": "Le filtrage des données s'est amélioré grâce aux contrôles, qui vous permettent d'afficher uniquement les données que vous souhaitez explorer.", @@ -370,16 +435,29 @@ "controls.controlGroup.management.query.useAllSearchSettingsTitle": "Assure la synchronisation entre le groupe de contrôle et la barre de requête, en appliquant une plage temporelle, des pilules de filtre et des requêtes de la barre de requête", "controls.controlGroup.management.validate.subtitle": "Ignorez automatiquement toutes les sélections de contrôle qui ne donneraient aucune donnée.", "controls.controlGroup.management.validate.title": "Valider les sélections utilisateur", + "controls.controlGroup.onlyOneTimeSliderControlMsg": "Le groupe de contrôle contient déjà un contrôle de curseur temporel.", + "controls.controlGroup.timeSlider.title": "Curseur temporel", "controls.controlGroup.title": "Groupe de contrôle", "controls.controlGroup.toolbarButtonTitle": "Contrôles", "controls.frame.error.message": "Une erreur s'est produite. En savoir plus", + "controls.optionsList.control.excludeExists": "NE PAS", + "controls.optionsList.control.negate": "NON", + "controls.optionsList.control.placeholder": "N'importe lequel", + "controls.optionsList.control.separator": ", ", "controls.optionsList.description": "Ajoutez un menu pour la sélection de valeurs de champ.", "controls.optionsList.displayName": "Liste des options", "controls.optionsList.editor.allowMultiselectTitle": "Permettre des sélections multiples dans une liste déroulante", - "controls.optionsList.editor.runPastTimeout": "Exécuter après expiration du délai", + "controls.optionsList.editor.hideExclude": "Autoriser l'exclusion des sélections", + "controls.optionsList.editor.hideExistsQuery": "Autoriser les requêtes \"existe\"", + "controls.optionsList.editor.hideExistsQueryTooltip": "Vous permet de créer une requête \"existe\", qui retourne tous les documents contenant une valeur indexée pour le champ.", + "controls.optionsList.editor.runPastTimeout": "Ignorer le délai d'expiration pour les résultats", + "controls.optionsList.editor.runPastTimeout.tooltip": "Attendre que la liste soit complète pour afficher les résultats. Ce paramètre est utile pour les ensembles de données volumineux, mais le remplissage des résultats peut prendre plus de temps.", "controls.optionsList.popover.allOptionsTitle": "Afficher toutes les options", "controls.optionsList.popover.clearAllSelectionsTitle": "Effacer les sélections", "controls.optionsList.popover.empty": "Aucune option trouvée", + "controls.optionsList.popover.excludeLabel": "Exclure", + "controls.optionsList.popover.excludeOptionsLegend": "Inclure ou exclure les sélections", + "controls.optionsList.popover.includeLabel": "Inclure", "controls.optionsList.popover.invalidSelectionsAriaLabel": "Désélectionnez toutes les sélections ignorées", "controls.optionsList.popover.loading": "Options de chargement", "controls.optionsList.popover.selectedOptionsTitle": "Afficher uniquement les options sélectionnées", @@ -389,6 +467,13 @@ "controls.rangeSlider.popover.clearRangeTitle": "Effacer la plage", "controls.rangeSlider.popover.noAvailableDataHelpText": "Il n'y a aucune donnée à afficher. Ajustez la plage temporelle et les filtres.", "controls.rangeSlider.popover.noDataHelpText": "La plage sélectionnée n'a généré aucune donnée. Aucun filtre n'a été appliqué.", + "controls.timeSlider.description": "Ajouter un curseur pour la sélection d'une plage temporelle", + "controls.timeSlider.displayName": "Curseur temporel", + "controls.timeSlider.nextLabel": "Fenêtre temporelle suivante", + "controls.timeSlider.pauseLabel": "Pause", + "controls.timeSlider.playLabel": "Lecture", + "controls.timeSlider.popover.clearTimeTitle": "Effacer la sélection de temps", + "controls.timeSlider.previousLabel": "Fenêtre temporelle précédente", "core.chrome.browserDeprecationWarning": "La prise en charge d'Internet Explorer sera abandonnée dans les futures versions de ce logiciel. Veuillez consulter le site {link}.", "core.deprecations.deprecations.fetchFailedMessage": "Impossible d'extraire les informations de déclassement pour le plug-in {domainId}.", "core.deprecations.deprecations.fetchFailedTitle": "Impossible d'extraire les déclassements pour {domainId}", @@ -424,6 +509,10 @@ "core.euiDataGrid.ariaLabel": "{label} ; page {page} sur {pageCount}.", "core.euiDataGrid.ariaLabelledBy": "Page {page} sur {pageCount}.", "core.euiDataGridCell.position": "{columnId}, colonne {col}, ligne {row}", + "core.euiDataGridHeaderCell.sortedByAscendingFirst": "Trié par {columnId}, ordre croissant", + "core.euiDataGridHeaderCell.sortedByAscendingMultiple": ", puis par {columnId}, ordre croissant", + "core.euiDataGridHeaderCell.sortedByDescendingFirst": "Trié par {columnId}, ordre décroissant", + "core.euiDataGridHeaderCell.sortedByDescendingMultiple": ", puis par {columnId}, ordre décroissant", "core.euiDataGridPagination.detailedPaginationLabel": "Pagination pour la grille précédente : {label}", "core.euiDatePopoverButton.invalidTitle": "Date non valide : {title}", "core.euiDatePopoverButton.outdatedTitle": "Mise à jour requise : {title}", @@ -539,13 +628,11 @@ "core.euiBasicTable.selectThisRow": "Sélectionner cette ligne", "core.euiBottomBar.screenReaderAnnouncement": "Il y a un nouveau repère de région avec des commandes de niveau de page à la fin du document.", "core.euiBottomBar.screenReaderHeading": "Commandes de niveau de page", + "core.euiBreadcrumb.collapsedBadge.ariaLabel": "Voir le fil d’Ariane réduit", "core.euiBreadcrumbs.nav.ariaLabel": "Fil d’Ariane", "core.euiCardSelect.select": "Sélectionner", "core.euiCardSelect.selected": "Sélectionné", "core.euiCardSelect.unavailable": "Indisponible", - "core.euiCodeBlockCopy.copy": "Copier", - "core.euiCodeBlockFullScreen.fullscreenCollapse": "Réduire", - "core.euiCodeBlockFullScreen.fullscreenExpand": "Développer", "core.euiCollapsedItemActions.allActions": "Toutes les actions", "core.euiColorPicker.alphaLabel": "Valeur (opacité) du canal Alpha", "core.euiColorPicker.closeLabel": "Appuyez sur la flèche du bas pour ouvrir la fenêtre contextuelle des options de couleur.", @@ -586,7 +673,9 @@ "core.euiDataGrid.screenReaderNotice": "Cette cellule contient du contenu interactif.", "core.euiDataGridCellActions.expandButtonTitle": "Cliquez ou appuyez sur Entrée pour interagir avec le contenu de la cellule.", "core.euiDataGridHeaderCell.actionsPopoverScreenReaderText": "Pour naviguer dans la liste des actions de la colonne, appuyez sur la touche Tab ou sur les flèches vers le haut et vers le bas.", - "core.euiDataGridHeaderCell.headerActions": "Actions d'en-tête", + "core.euiDataGridHeaderCell.headerActions": "Cliquez pour afficher les actions d'en-tête de colonne", + "core.euiDataGridHeaderCell.sortedByAscendingSingle": "Trié par ordre croissant", + "core.euiDataGridHeaderCell.sortedByDescendingSingle": "Trié par ordre décroissant", "core.euiDataGridPagination.paginationLabel": "Pagination pour la grille précédente", "core.euiDataGridSchema.booleanSortTextAsc": "Faux-Vrai", "core.euiDataGridSchema.booleanSortTextDesc": "Vrai-Faux", @@ -631,6 +720,8 @@ "core.euiHeaderLinks.appNavigation": "Menu de l'application", "core.euiHeaderLinks.openNavigationMenu": "Ouvrir le menu", "core.euiHue.label": "Sélectionner la valeur \"hue\" du mode de couleur HSV", + "core.euiImageButton.closeFullScreen": "Appuyez sur Échap ou cliquez pour fermer le mode plein écran de l'image", + "core.euiImageButton.openFullScreen": "Cliquez pour ouvrir cette image en mode plein écran", "core.euiLink.external.ariaLabel": "Lien externe", "core.euiLink.newTarget.screenReaderOnlyText": "(s’ouvre dans un nouvel onglet ou une nouvelle fenêtre)", "core.euiLoadingChart.ariaLabel": "Chargement", @@ -874,26 +965,76 @@ "core.ui.welcomeErrorMessage": "Elastic ne s'est pas chargé correctement. Vérifiez la sortie du serveur pour plus d'informations.", "core.ui.welcomeMessage": "Chargement d'Elastic", "customIntegrations.components.replacementAccordion.recommendationDescription": "Les intégrations d'Elastic Agent sont recommandées, mais vous pouvez également utiliser Beats. Pour plus de détails, consultez notre {link}.", + "customIntegrations.languageClients.DotnetElasticsearch.readme.connectingText": "Vous pouvez vous connecter à Elastic Cloud à l'aide d'une {api_key} et d'un {cloud_id} :", + "customIntegrations.languageClients.GoElasticsearch.readme.addPackage": "Ajoutez le pack à votre fichier {go_file} :", + "customIntegrations.languageClients.GoElasticsearch.readme.connectingText": "Vous pouvez vous connecter à Elastic Cloud à l'aide d'une {api_key} et d'un {cloud_id} :", + "customIntegrations.languageClients.JavaElasticsearch.readme.installMavenMsg": "Dans le {pom} de votre projet, ajoutez la définition de référentiel et les dépendances suivantes :", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.configureText": "Créez un fichier {filename} à la racine de votre projet, et ajoutez les options suivantes.", + "customIntegrations.languageClients.PhpElasticsearch.readme.connectingText": "Vous pouvez vous connecter à Elastic Cloud à l'aide d'une {api_key} et d'un {cloud_id}. Où {api_key} et {cloud_id} peuvent être récupérés à l'aide de l'interface utilisateur web d'Elastic Cloud.", + "customIntegrations.languageClients.PythonElasticsearch.readme.connectingText": "Vous pouvez vous connecter à Elastic Cloud à l'aide d'une {api_key} et d'un {cloud_id} :", + "customIntegrations.languageClients.RubyElasticsearch.readme.connectingText": "Vous pouvez vous connecter à Elastic Cloud à l'aide d'une {api_key} et d'un {cloud_id}. Où {api_key} et {cloud_id} peuvent être récupérés à l'aide de l'interface utilisateur web d'Elastic Cloud. L'Elastic Cloud ID se trouve sur la page \"Gérer ce déploiement\", et la clé d'API peut être générée à partir de la page \"Gestion\" sous la section \"Sécurité\".", + "customIntegrations.languageClients.sample.readme.configureText": "Créez un fichier {filename} à la racine de votre projet, et ajoutez les options suivantes.", "customIntegrations.components.replacementAccordion.comparisonPageLinkLabel": "page de comparaison", "customIntegrations.components.replacementAccordionLabel": "Également disponible dans Beats", "customIntegrations.languageclients.DotNetDescription": "Indexez les données dans Elasticsearch avec le client .NET.", + "customIntegrations.languageClients.DotnetElasticsearch.readme.connecting": "Connexion à Elastic Cloud", + "customIntegrations.languageClients.DotnetElasticsearch.readme.install": "Installer le client .NET Elasticsearch", + "customIntegrations.languageClients.DotnetElasticsearch.readme.intro": "La mise en route avec le client .NET Elasticsearch requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.DotnetElasticsearch.readme.manually": "Autrement, vous pouvez ajouter manuellement une référence de pack à l'intérieur de votre fichier de projet :", + "customIntegrations.languageClients.DotnetElasticsearch.readme.sdk": "Pour les projets de style SDK, vous pouvez installer le client Elasticsearch en exécutant la commande de CLI .NET suivante sur votre terminal :", + "customIntegrations.languageClients.DotnetElasticsearch.readme.title": "Client .NET Elasticsearch", "customIntegrations.languageclients.DotNetTitle": "Client .NET Elasticsearch", "customIntegrations.languageclients.GoDescription": "Indexez les données dans Elasticsearch avec le client Go.", + "customIntegrations.languageClients.GoElasticsearch.readme.clone": "Autrement, clonez le référentiel :", + "customIntegrations.languageClients.GoElasticsearch.readme.connecting": "Connexion à Elastic Cloud", + "customIntegrations.languageClients.GoElasticsearch.readme.install": "Installer le client Go Elasticsearch", + "customIntegrations.languageClients.GoElasticsearch.readme.intro": "La mise en route avec le client Go Elasticsearch requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.GoElasticsearch.readme.title": "Client Go Elasticsearch", "customIntegrations.languageclients.GoTitle": "Client Go Elasticsearch", "customIntegrations.languageclients.JavaDescription": "Indexez les données dans Elasticsearch avec le client Java.", + "customIntegrations.languageClients.JavaElasticsearch.readme.connecting": "Connexion à Elastic Cloud", + "customIntegrations.languageClients.JavaElasticsearch.readme.installGradle": "Installation dans un projet Gradle en utilisant Jackson", + "customIntegrations.languageClients.JavaElasticsearch.readme.installMaven": "Installation dans un projet Maven en utilisant Jackson", + "customIntegrations.languageClients.JavaElasticsearch.readme.intro": "La mise en route avec le client Java Elasticsearch requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.JavaElasticsearch.readme.title": "Client Java Elasticsearch", "customIntegrations.languageclients.JavascriptDescription": "Indexez les données dans Elasticsearch avec le client JavaScript.", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.apiKey": "Utilisez le bouton ci-dessous pour générer une clé d'API. Vous en aurez besoin pour configurer votre client à la prochaine étape.", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.configure": "Configurer le client JavaScript Elasticsearch", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.createApiKey": "Créer une clé d'API", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.install": "Installer le client JavaScript Elasticsearch", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.intro": "La mise en route avec le client JavaScript Elasticsearch requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.title": "Client JavaScript Elasticsearch", "customIntegrations.languageclients.JavascriptTitle": "Client JavaScript Elasticsearch", "customIntegrations.languageclients.JavaTitle": "Client Java Elasticsearch", "customIntegrations.languageclients.PerlDescription": "Indexez les données dans Elasticsearch avec le client Perl.", "customIntegrations.languageclients.PerlTitle": "Client Perl Elasticsearch", "customIntegrations.languageclients.PhpDescription": "Indexez les données dans Elasticsearch avec le client PHP.", + "customIntegrations.languageClients.PhpElasticsearch.readme.connecting": "Connexion à Elastic Cloud", + "customIntegrations.languageClients.PhpElasticsearch.readme.install": "Installer le client PHP Elasticsearch", + "customIntegrations.languageClients.PhpElasticsearch.readme.installMessage": "PHP Elasticsearch peut être utilisé à partir de PHP 7.4.", + "customIntegrations.languageClients.PhpElasticsearch.readme.intro": "La mise en route avec le client PHP Elasticsearch requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.PhpElasticsearch.readme.title": "Client PHP Elasticsearch", "customIntegrations.languageclients.PhpTitle": "Client PHP Elasticsearch", "customIntegrations.languageclients.PythonDescription": "Indexez les données dans Elasticsearch avec le client Python.", + "customIntegrations.languageClients.PythonElasticsearch.readme.connecting": "Connexion à Elastic Cloud", + "customIntegrations.languageClients.PythonElasticsearch.readme.install": "Installer le client Python Elasticsearch", + "customIntegrations.languageClients.PythonElasticsearch.readme.intro": "La mise en route avec le client Python Elasticsearch requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.PythonElasticsearch.readme.title": "Client Python Elasticsearch", "customIntegrations.languageclients.PythonTitle": "Client Python Elasticsearch", "customIntegrations.languageclients.RubyDescription": "Indexez les données dans Elasticsearch avec le client Ruby.", + "customIntegrations.languageClients.RubyElasticsearch.readme.connecting": "Connexion à Elastic Cloud", + "customIntegrations.languageClients.RubyElasticsearch.readme.install": "Installer le client Ruby Elasticsearch", + "customIntegrations.languageClients.RubyElasticsearch.readme.intro": "La mise en route avec le client Ruby Elasticsearch requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.RubyElasticsearch.readme.title": "Client Ruby Elasticsearch", "customIntegrations.languageclients.RubyTitle": "Client Ruby Elasticsearch", "customIntegrations.languageclients.RustDescription": "Indexez les données dans Elasticsearch avec le client Rust.", "customIntegrations.languageclients.RustTitle": "Client Rust Elasticsearch", + "customIntegrations.languageClients.sample.readme.apiKey": "Utilisez le bouton ci-dessous pour générer une clé d'API. Vous en aurez besoin pour configurer votre client à la prochaine étape.", + "customIntegrations.languageClients.sample.readme.configure": "Configurer le client Sample Language", + "customIntegrations.languageClients.sample.readme.createApiKey": "Créer une clé d'API", + "customIntegrations.languageClients.sample.readme.install": "Installer le client Sample Language", + "customIntegrations.languageClients.sample.readme.intro": "La mise en route avec le client Sample Language requiert l'exécution de quelques étapes.", + "customIntegrations.languageClients.sample.readme.title": "Client Sample Elasticsearch", "customIntegrations.placeholders.EsfDescription": "Collectez les logs à l'aide de l'application AWS Lambda disponible dans AWS Serverless Application Repository.", "customIntegrations.placeholders.EsfTitle": "AWS Serverless Application Repository", "dashboard.addPanel.savedObjectAddedToContainerSuccessMessageTitle": "{savedObjectName} a été ajouté.", @@ -902,6 +1043,7 @@ "dashboard.listing.unsaved.discardAria": "Ignorer les modifications apportées à {title}", "dashboard.listing.unsaved.editAria": "Poursuivre les modifications apportées à {title}", "dashboard.listing.unsaved.unsavedChangesTitle": "Vous avez des modifications non enregistrées dans le {dash} suivant :", + "dashboard.loadingError.dashboardGridErrorMessage": "Impossible de charger le tableau de bord : {message}", "dashboard.loadingError.errorMessage": "Erreur rencontrée lors du chargement du tableau de bord enregistré : {message}", "dashboard.noMatchRoute.bannerText": "L'application de tableau de bord ne reconnaît pas ce chemin : {route}.", "dashboard.panel.addToLibrary.successMessage": "Le panneau {panelTitle} a été ajouté à la bibliothèque Visualize.", @@ -939,6 +1081,7 @@ "dashboard.dashboardAppBreadcrumbsTitle": "Tableau de bord", "dashboard.dashboardPageTitle": "Tableaux de bord", "dashboard.dashboardWasSavedSuccessMessage": "Le tableau de bord \"{dashTitle}\" a été enregistré.", + "dashboard.deleteError.toastDescription": "Erreur rencontrée lors de la suppression du tableau de bord", "dashboard.discardChangesConfirmModal.cancelButtonLabel": "Annuler", "dashboard.discardChangesConfirmModal.confirmButtonLabel": "Ignorer les modifications", "dashboard.discardChangesConfirmModal.discardChangesDescription": "Une fois les modifications ignorées, vous ne pourrez pas les récupérer.", @@ -976,6 +1119,7 @@ "dashboard.listing.unsaved.discardTitle": "Abandonner les modifications", "dashboard.listing.unsaved.editTitle": "Poursuivre les modifications", "dashboard.listing.unsaved.loading": "Chargement", + "dashboard.loadURLError.PanelTooOld": "Impossible de charger les panneaux à partir d'une URL créée dans une version antérieure à 7.3", "dashboard.migratedChanges": "Certains des panneaux ont été mis à jour vers la version la plus récente.", "dashboard.noMatchRoute.bannerTitleText": "Page introuvable", "dashboard.panel.AddToLibrary": "Enregistrer dans la bibliothèque", @@ -987,6 +1131,11 @@ "dashboard.panel.copyToDashboard.goToDashboard": "Copier et accéder au tableau de bord", "dashboard.panel.copyToDashboard.newDashboardOptionLabel": "Nouveau tableau de bord", "dashboard.panel.copyToDashboard.title": "Copier dans le tableau de bord", + "dashboard.panel.filters": "Filtres de panneau", + "dashboard.panel.filters.modal.closeButton": "Fermer", + "dashboard.panel.filters.modal.editButton": "Modifier les filtres", + "dashboard.panel.filters.modal.filtersTitle": "Filtres", + "dashboard.panel.filters.modal.queryTitle": "Recherche", "dashboard.panel.LibraryNotification": "Notification de la bibliothèque Visualize", "dashboard.panel.libraryNotification.ariaLabel": "Afficher les informations de la bibliothèque et dissocier ce panneau", "dashboard.panel.libraryNotification.toolTip": "La modification de ce panneau pourrait affecter d’autres tableaux de bord. Pour modifier ce panneau uniquement, dissociez-le de la bibliothèque.", @@ -996,6 +1145,7 @@ "dashboard.panel.unlinkFromLibrary": "Dissocier de la bibliothèque", "dashboard.placeholder.factory.displayName": "paramètre fictif", "dashboard.savedDashboard.newDashboardTitle": "Nouveau tableau de bord", + "dashboard.snapshotShare.longUrlWarning": "Un ou plusieurs panneaux de ce tableau de bord ont été modifiés. Avant de générer un snapshot, enregistrez le tableau de bord.", "dashboard.solutionToolbar.addPanelButtonLabel": "Créer une visualisation", "dashboard.solutionToolbar.editorMenuButtonLabel": "Sélectionner un type", "dashboard.topNav.cloneModal.cancelButtonLabel": "Annuler", @@ -1007,6 +1157,7 @@ "dashboard.topNav.labsConfigDescription": "Ateliers", "dashboard.topNav.options.hideAllPanelTitlesSwitchLabel": "Afficher les titres de panneau", "dashboard.topNav.options.syncColorsBetweenPanelsSwitchLabel": "Synchroniser les palettes de couleur de tous les panneaux", + "dashboard.topNav.options.syncCursorBetweenPanelsSwitchLabel": "Synchroniser le curseur de tous les panneaux", "dashboard.topNav.options.syncTooltipsBetweenPanelsSwitchLabel": "Synchroniser les infobulles de tous les panneaux", "dashboard.topNav.options.useMarginsBetweenPanelsSwitchLabel": "Utiliser des marges entre les panneaux", "dashboard.topNav.saveModal.descriptionFormRowLabel": "Description", @@ -1032,13 +1183,14 @@ "dashboard.unsavedChangesBadge": "Modifications non enregistrées", "dashboard.urlWasRemovedInSixZeroWarningMessage": "L'url \"dashboard/create\" a été supprimée dans la version 6.0. Veuillez mettre vos signets à jour.", "data.advancedSettings.autocompleteIgnoreTimerangeText": "Désactivez cette propriété pour obtenir des suggestions de saisie semi-automatique depuis l’intégralité de l’ensemble de données plutôt que depuis la plage temporelle définie. {learnMoreLink}", - "data.advancedSettings.autocompleteValueSuggestionMethodText": "La méthode utilisée pour générer des suggestions de valeur pour la saisie semi-automatique KQL. Sélectionnez terms_enum pour utiliser l'API d'énumération de termes d'Elasticsearch afin d’améliorer les performances de suggestion de saisie semi-automatique. Sélectionnez terms_agg pour utiliser l'agrégation de termes d'Elasticsearch. {learnMoreLink}", + "data.advancedSettings.autocompleteValueSuggestionMethodText": "La méthode utilisée pour générer des suggestions de valeur pour la saisie semi-automatique KQL. Sélectionnez terms_enum pour utiliser l'API d'énumération de termes d'Elasticsearch afin d’améliorer les performances de suggestion de saisie semi-automatique. (Notez que terms_enum est incompatible avec la sécurité au niveau du document.) Sélectionnez terms_agg pour utiliser l'agrégation de termes d'Elasticsearch. {learnMoreLink}", "data.advancedSettings.courier.customRequestPreferenceText": "{requestPreferenceLink} utilisé lorsque {setRequestReferenceSetting} est défini sur {customSettingValue}.", "data.advancedSettings.courier.maxRequestsText": "Contrôle le paramètre {maxRequestsLink} utilisé pour les requêtes _msearch envoyées par Kibana. Définir ce paramètre sur 0 permet d’utiliser la valeur Elasticsearch par défaut.", "data.advancedSettings.query.allowWildcardsText": "Lorsque ce paramètre est activé, le caractère \"*\" est autorisé en tant que premier caractère dans une clause de requête. Ne s'applique actuellement que lorsque les fonctionnalités de requête expérimentales sont activées dans la barre de requête. Pour ne plus autoriser l’utilisation de caractères génériques au début des requêtes Lucene de base, utilisez {queryStringOptionsPattern}.", "data.advancedSettings.query.queryStringOptionsText": "{optionsLink} pour l'analyseur de chaînes de requête Lucene. Uniquement utilisé lorsque \"{queryLanguage}\" est défini sur {luceneLanguage}.", "data.advancedSettings.sortOptionsText": "{optionsLink} pour le paramètre de tri Elasticsearch", "data.advancedSettings.timepicker.quickRangesText": "La liste des plages à afficher dans la section rapide du filtre temporel. Il s’agit d’un tableau d'objets, avec chaque objet contenant \"de\", \"à\" (voir {acceptedFormatsLink}) et \"afficher\" (le titre à afficher).", + "data.advancedSettings.timepicker.timeDefaultsDescription": "L'option de filtre temporel à utiliser lorsque Kibana est démarré sans filtre. Doit être un objet contenant \"from\" et \"to\" (voir {acceptedFormatsLink}).", "data.aggTypes.buckets.ranges.rangesFormatMessage": "{gte} {from} et {lt} {to}", "data.aggTypes.buckets.ranges.rangesFormatMessageArrowRight": "{from} → {to}", "data.filter.filterBar.fieldNotFound": "Champ {key} non trouvé dans la vue de données {dataView}", @@ -1097,6 +1249,8 @@ "data.search.searchSource.indexPatternIdDescription": "L'ID dans l'index {kibanaIndexPattern}.", "data.search.searchSource.queryTimeValue": "{queryTime} ms", "data.search.searchSource.requestTimeValue": "{requestTime} ms", + "data.search.statusError": "Recherche {searchId} terminée avec un statut {errorCode}", + "data.search.statusThrow": "Le statut de la recherche avec l'ID {searchId} a généré un {message} d'erreur (statusCode : {errorCode})", "data.search.timeBuckets.dayLabel": "{amount, plural, one {un jour} other {# jours}}", "data.search.timeBuckets.hourLabel": "{amount, plural, one {une heure} other {# heures}}", "data.search.timeBuckets.millisecondLabel": "{amount, plural, one {une milliseconde} other {# millisecondes}}", @@ -1224,6 +1378,8 @@ "data.mgmt.searchSessions.status.label.expired": "Expiré", "data.mgmt.searchSessions.status.label.inProgress": "En cours", "data.mgmt.searchSessions.status.message.cancelled": "Annulé par l'utilisateur", + "data.mgmt.searchSessions.status.message.error": "Une ou plusieurs recherches n'ont pas pu être effectuées. Utilisez l'action \"Inspecter\" pour consulter les erreurs sous-jacentes.", + "data.mgmt.searchSessions.status.message.unknownError": "Erreur inconnue", "data.mgmt.searchSessions.table.headerExpiration": "Expiration", "data.mgmt.searchSessions.table.headerName": "Nom", "data.mgmt.searchSessions.table.headerStarted": "Créé", @@ -1747,6 +1903,8 @@ "data.search.functions.esaggs.index.help": "Vue de données extraite avec indexPatternLoad", "data.search.functions.esaggs.metricsAtAllLevels.help": "Spécifie l’inclusion ou non des colonnes avec indicateurs pour chaque niveau de compartiment.", "data.search.functions.esaggs.partialRows.help": "Détermine s'il faut renvoyer ou non les lignes ne contenant que des données partielles.", + "data.search.functions.esaggs.probability.help": "Probabilité qu'un document soit inclus dans les données agrégées. Utilise l'échantillonnage aléatoire.", + "data.search.functions.esaggs.samplerSeed.help": "Valeur initiale permettant de générer l'échantillonnage aléatoire de documents. Utilise l'échantillonnage aléatoire.", "data.search.functions.esaggs.timeFields.help": "Spécifiez des champs temporels afin d’obtenir les plages temporelles résolues pour la requête.", "data.search.functions.existsFilter.field.help": "Spécifiez le champ que vous souhaitez filtrer. Utilisez la fonction ''field''.", "data.search.functions.existsFilter.help": "Créer un filtre Kibana existant", @@ -1899,27 +2057,28 @@ "data.triggers.applyFilterTitle": "Appliquer le filtre", "dataViews.deprecations.scriptedFieldsMessage": "Vous avez {numberOfIndexPatternsWithScriptedFields} vues de données ({titlesPreview}...) qui utilisent des champs scriptés. Les champs scriptés sont déclassés et seront supprimés à l'avenir. Utilisez plutôt des champs d'exécution.", "dataViews.fetchFieldErrorTitle": "Erreur lors de l'extraction des champs pour la vue de données {title} (ID : {id})", + "dataViews.aliasLabel": "Alias", + "dataViews.dataStreamLabel": "Flux de données", "dataViews.deprecations.scriptedFields.manualStepOneMessage": "Accédez à Gestion de la Suite > Kibana > Vues de données.", "dataViews.deprecations.scriptedFields.manualStepTwoMessage": "Mettez à jour les vues de données {numberOfIndexPatternsWithScriptedFields} qui ont des champs scriptés pour qu’elles utilisent des champs d'exécution. Dans la plupart des cas, pour migrer des scripts existants, vous devrez remplacer \"return ;\" par \"emit();\". Vues de données avec au moins un champ scripté : {allTitles}", "dataViews.deprecations.scriptedFieldsTitle": "Vues de données utilisant des champs scriptés trouvées", + "dataViews.frozenLabel": "Frozen", "dataViews.functions.dataViewLoad.help": "Charge une vue de données", "dataViews.functions.dataViewLoad.id.help": "ID de vue de données à charger", - "dataViews.indexPatternLoad.error.kibanaRequest": "Une requête Kibana est nécessaire pour exécuter cette recherche sur le serveur. Veuillez fournir un objet de requête pour les paramètres d'exécution de l'expression.", - "dataViews.unableWriteLabel": "Impossible d'écrire la vue de données ! Actualisez la page pour obtenir la dernière version de cette vue de données.", - "dataViews.aliasLabel": "Alias", - "dataViews.dataStreamLabel": "Flux de données", - "dataViews.frozenLabel": "Frozen", "dataViews.indexLabel": "Index", + "dataViews.indexPatternLoad.error.kibanaRequest": "Une requête Kibana est nécessaire pour exécuter cette recherche sur le serveur. Veuillez fournir un objet de requête pour les paramètres d'exécution de l'expression.", "dataViews.rollupLabel": "Cumul", + "dataViews.unableWriteLabel": "Impossible d'écrire la vue de données ! Actualisez la page pour obtenir la dernière version de cette vue de données.", "discover.advancedSettings.disableDocumentExplorerDescription": "Désactivez cette option pour utiliser le nouveau {documentExplorerDocs} au lieu de la vue classique. l'explorateur de documents offre un meilleur tri des données, des colonnes redimensionnables et une vue en plein écran.", "discover.advancedSettings.discover.showFieldStatisticsDescription": "Activez le {fieldStatisticsDocs} pour afficher des détails tels que les valeurs minimale et maximale d'un champ numérique ou une carte d'un champ géographique. Cette fonctionnalité est en version bêta et susceptible d'être modifiée.", "discover.advancedSettings.discover.showMultifieldsDescription": "Détermine si les {multiFields} doivent s'afficher dans la fenêtre de document étendue. Dans la plupart des cas, les champs multiples sont les mêmes que les champs d'origine. Cette option est uniquement disponible lorsque le paramètre ''searchFieldsFromSource'' est désactivé.", - "discover.advancedSettings.enableSQLDescription": "{technicalPreviewLabel} Cette fonctionnalité en préversion est encore très expérimentale, ne pas s'y fier pour les recherches ni pour les tableaux de bord en production. Ce paramètre désactive SQL comme langage de requête à base de texte dans Discover. Si vous avez des commentaires sur cette expérience, contactez-nous via {link}", + "discover.advancedSettings.enableSQLDescription": "{technicalPreviewLabel} Cette fonctionnalité en préversion technique est à un stade hautement expérimental ; ne pas s'y fier pour les recherches enregistrées, ni pour les visualisations ou les tableaux de bord en production. Ce paramètre active SQL comme langage de requête à base de texte dans Discover et Lens. Si vous avez des commentaires sur cette expérience, contactez-nous via {link}", "discover.context.contextOfTitle": "Les documents relatifs à #{anchorId}", "discover.context.newerDocumentsWarning": "Seuls {docCount} documents plus récents que le document ancré ont été trouvés.", "discover.context.olderDocumentsWarning": "Seuls {docCount} documents plus anciens que le document ancré ont été trouvés.", "discover.context.pageTitle": "Les documents relatifs à #{anchorId}", "discover.contextViewRoute.errorMessage": "Aucune donnée correspondante pour l'ID {dataViewId}", + "discover.doc.failedToLocateDataView": "Aucune vue de données ne correspond à l'ID {dataViewId}.", "discover.doc.pageTitle": "Document unique - #{id}", "discover.doc.somethingWentWrongDescription": "Index {indexName} manquant.", "discover.docExplorerCallout.bodyMessage": "Triez, sélectionnez et comparez rapidement les données, redimensionnez les colonnes et affichez les documents en plein écran grâce à l'{documentExplorer}.", @@ -1960,6 +2119,9 @@ "discover.searchGenerationWithDescription": "Tableau généré par la recherche {searchTitle}", "discover.searchGenerationWithDescriptionGrid": "Tableau généré par la recherche {searchTitle} ({searchDescription})", "discover.selectedDocumentsNumber": "{nr} documents sélectionnés", + "discover.showingDefaultDataViewWarningDescription": "Affichage de la vue de données par défaut : \"{loadedDataViewTitle}\" ({loadedDataViewId})", + "discover.showingSavedDataViewWarningDescription": "Affichage de la vue de données enregistrée : \"{ownDataViewTitle}\" ({ownDataViewId})", + "discover.singleDocRoute.errorMessage": "Aucune donnée correspondante pour l'ID {dataViewId}", "discover.topNav.optionsPopover.currentViewMode": "{viewModeLabel} : {currentViewMode}", "discover.utils.formatHit.moreFields": "et {count} {count, plural, one {autre champ} other {autres champs}}", "discover.valueIsNotConfiguredDataViewIDWarningTitle": "{stateVal} n'est pas un ID de vue de données configuré", @@ -2000,6 +2162,8 @@ "discover.advancedSettings.sampleSizeTitle": "Lignes max. par tableau", "discover.advancedSettings.searchOnPageLoadText": "Détermine si une recherche est exécutée lors du premier chargement de Discover. Ce paramètre n'a pas d'effet lors du chargement d’une recherche enregistrée.", "discover.advancedSettings.searchOnPageLoadTitle": "Recherche au chargement de la page", + "discover.advancedSettings.showLegacyFieldStatsText": "Pour calculer les valeurs les plus élevées d'un champ dans la barre latérale en utilisant 500 au lieu de 5 000 enregistrements par partition, activez cette option.", + "discover.advancedSettings.showLegacyFieldStatsTitle": "Calcul des valeurs les plus élevées", "discover.advancedSettings.sortDefaultOrderText": "Détermine le sens de tri par défaut pour les vues de données temporelles dans l'application Discover.", "discover.advancedSettings.sortDefaultOrderTitle": "Sens de tri par défaut", "discover.advancedSettings.sortOrderAsc": "Croissant", @@ -2012,6 +2176,10 @@ "discover.badge.readOnly.text": "Lecture seule", "discover.badge.readOnly.tooltip": "Impossible d’enregistrer les recherches", "discover.clearSelection": "Effacer la sélection", + "discover.confirmDataViewSave.cancel": "Annuler", + "discover.confirmDataViewSave.message": "L'action que vous avez choisie requiert une vue de données enregistrée.", + "discover.confirmDataViewSave.saveAndContinue": "Enregistrer et continuer", + "discover.confirmDataViewSave.title": "Enregistrer la vue de données", "discover.context.breadcrumb": "Documents relatifs", "discover.context.failedToLoadAnchorDocumentDescription": "Échec de chargement du document ancré", "discover.context.failedToLoadAnchorDocumentErrorDescription": "Le document ancré n’a pas pu être chargé.", @@ -2030,9 +2198,12 @@ "discover.contextViewRoute.errorTitle": "Une erreur s'est produite", "discover.controlColumnHeader": "Colonne de commande", "discover.copyToClipboardJSON": "Copier les documents dans le presse-papiers (JSON)", - "discover.discoverBreadcrumbTitle": "Discover", + "discover.dataViewPersist.message": "\"{dataViewName}\" enregistrée", + "discover.dataViewPersistError.title": "Impossible de créer la vue de données", + "discover.discoverBreadcrumbTitle": "Découverte", "discover.discoverDefaultSearchSessionName": "Discover", "discover.discoverDescription": "Explorez vos données de manière interactive en interrogeant et en filtrant des documents bruts.", + "discover.discoverError.missingIdParamError": "La chaîne de requête URL requiert un ID.", "discover.discoverError.title": "Chargement de cette page impossible", "discover.discoverSubtitle": "Recherchez et obtenez des informations.", "discover.discoverTitle": "Discover", @@ -2114,7 +2285,7 @@ "discover.dscTour.stepSort.title": "Trier sur un ou plusieurs champs", "discover.embeddable.inspectorRequestDataTitle": "Données", "discover.embeddable.inspectorRequestDescription": "Cette requête interroge Elasticsearch afin de récupérer les données pour la recherche.", - "discover.embeddable.search.displayName": "rechercher", + "discover.embeddable.search.displayName": "recherche", "discover.field.mappingConflict": "Ce champ est défini avec plusieurs types (chaîne, entier, etc.) dans les différents index qui correspondent à ce modèle. Vous pouvez toujours utiliser ce champ conflictuel, mais il sera indisponible pour les fonctions qui nécessitent que Kibana en connaisse le type. Pour corriger ce problème, vous devrez réindexer vos données.", "discover.field.mappingConflict.title": "Conflit de mapping", "discover.fieldChooser.addField.label": "Ajouter un champ", @@ -2216,6 +2387,8 @@ "discover.helpMenu.appName": "Découverte", "discover.inspectorRequestDataTitleDocuments": "Documents", "discover.inspectorRequestDescriptionDocument": "Cette requête interroge Elasticsearch afin de récupérer les documents.", + "discover.invalidFiltersWarnToast.description": "Les références d'ID de la vue de données dans certains filtres appliqués diffèrent de la vue de données actuelle.", + "discover.invalidFiltersWarnToast.title": "Références d'index différentes", "discover.json.codeEditorAriaLabel": "Affichage JSON en lecture seule d’un document Elasticsearch", "discover.json.copyToClipboardLabel": "Copier dans le presse-papiers", "discover.loadingDocuments": "Chargement des documents", @@ -2251,7 +2424,9 @@ "discover.notifications.invalidTimeRangeText": "La plage temporelle spécifiée n'est pas valide (de : \"{from}\" à \"{to}\").", "discover.notifications.invalidTimeRangeTitle": "Plage temporelle non valide", "discover.notifications.notSavedSearchTitle": "La recherche \"{savedSearchTitle}\" n'a pas été enregistrée.", + "discover.notifications.notUpdatedSavedSearchTitle": "La recherche \"{savedSearchTitle}\" n'a pas été mise à jour avec savedDataView.", "discover.notifications.savedSearchTitle": "La recherche \"{savedSearchTitle}\" a été enregistrée.", + "discover.notifications.updateSavedSearchTitle": "La recherche \"{savedSearchTitle}\" a été mise à jour avec la vue de données enregistrée", "discover.openOptionsPopover.classicDiscoverText": "Classique", "discover.openOptionsPopover.documentExplorerText": "Explorateur de documents", "discover.openOptionsPopover.gotToSettings": "Afficher les paramètres de Discover", @@ -2263,6 +2438,7 @@ "discover.sampleData.viewLinkLabel": "Découverte", "discover.savedSearch.savedObjectName": "Recherche enregistrée", "discover.savedSearchEmbeddable.action.viewSavedSearch.displayName": "Ouvrir dans Discover", + "discover.searchingTitle": "Recherche", "discover.selectColumnHeader": "Sélectionner la colonne", "discover.showAllDocuments": "Afficher tous les documents", "discover.showErrorMessageAgain": "Afficher le message d'erreur", @@ -2272,6 +2448,7 @@ "discover.sourceViewer.errorMessage": "Impossible de récupérer les données pour le moment. Actualisez l'onglet et réessayez.", "discover.sourceViewer.errorMessageTitle": "Une erreur s'est produite.", "discover.sourceViewer.refresh": "Actualiser", + "discover.textBasedLanguages.visualize.label": "Visualiser dans Lens", "discover.toggleSidebarAriaLabel": "Activer/Désactiver la barre latérale", "discover.topNav.openOptionsPopover.documentExplorerDisabledHint": "Saviez-vous que Discover possède un nouvel Explorateur de documents avec un meilleur tri des données, des colonnes redimensionnables et une vue en plein écran ? Vous pouvez modifier le mode d'affichage dans les Paramètres avancés.", "discover.topNav.openOptionsPopover.documentExplorerEnabledHint": "Vous pouvez revenir à l'affichage Discover classique dans les Paramètres avancés.", @@ -2279,6 +2456,8 @@ "discover.topNav.openSearchPanel.noSearchesFoundDescription": "Aucune recherche correspondante trouvée.", "discover.topNav.openSearchPanel.openSearchTitle": "Ouvrir une recherche", "discover.topNav.optionsPopover.discoverViewModeLabel": "Mode d'affichage Discover", + "discover.topNav.saveModal.storeTimeWithSearchToggleDescription": "Mettez à jour le filtre temporel et actualisez l'intervalle pour afficher la sélection actuelle lors de l'utilisation de cette recherche.", + "discover.topNav.saveModal.storeTimeWithSearchToggleLabel": "Stocker la durée avec la recherche enregistrée", "discover.uninitializedRefreshButtonText": "Actualiser les données", "discover.uninitializedText": "Saisissez une requête, ajoutez quelques filtres, ou cliquez simplement sur Actualiser afin d’extraire les résultats pour la requête en cours.", "discover.uninitializedTitle": "Commencer la recherche", @@ -2404,6 +2583,50 @@ "esUi.viewApiRequest.closeButtonLabel": "Fermer", "esUi.viewApiRequest.copyToClipboardButton": "Copier dans le presse-papiers", "esUi.viewApiRequest.openInConsoleButton": "Ouvrir dans la console", + "exceptionList-components.empty.viewer.state.empty.viewer_button": "Créer une exception {exceptionType}", + "exceptionList-components.exception_list_header_edit_modal_name": "Modifier {listName}", + "exceptionList-components.exception_list_header_linked_rules": "Lié à {noOfRules} règles", + "exceptionList-components.exceptions.card.exceptionItem.affectedRules": "Affecte {numRules} {numRules, plural, =1 {règle} other {règles}}", + "exceptionList-components.exceptions.exceptionItem.card.deleteItemButton": "Supprimer l'exception {listType}", + "exceptionList-components.exceptions.exceptionItem.card.editItemButton": "Modifier l'exception {listType}", + "exceptionList-components.exceptions.exceptionItem.card.showCommentsLabel": "Afficher {comments, plural, =1 {commentaire} other {commentaires}} ({comments})", + "exceptionList-components.empty.viewer.state.empty_search.body": "Essayez de modifier votre recherche", + "exceptionList-components.empty.viewer.state.empty_search.search.title": "Aucun résultat ne correspond à vos critères de recherche.", + "exceptionList-components.empty.viewer.state.empty.body": "Aucune exception ne figure dans votre règle. Créez votre première exception de règle.", + "exceptionList-components.empty.viewer.state.empty.title": "Ajouter des exceptions à cette règle", + "exceptionList-components.empty.viewer.state.error_body": "Une erreur s'est produite lors du chargement des éléments d'exception. Contactez votre administrateur pour obtenir de l'aide.", + "exceptionList-components.empty.viewer.state.error_title": "Impossible de charger les éléments d'exception", + "exceptionList-components.exception_list_header_breadcrumb": "Exceptions de règle", + "exceptionList-components.exception_list_header_delete_action": "Supprimer la liste d'exceptions", + "exceptionList-components.exception_list_header_description": "Ajouter une description", + "exceptionList-components.exception_list_header_description_textbox": "Description", + "exceptionList-components.exception_list_header_description_textboxexceptionList-components.exception_list_header_name_required_eror": "Le nom de liste ne peut pas être vide", + "exceptionList-components.exception_list_header_edit_modal_cancel_button": "Annuler", + "exceptionList-components.exception_list_header_edit_modal_save_button": "Enregistrer", + "exceptionList-components.exception_list_header_export_action": "Exporter la liste d'exceptions", + "exceptionList-components.exception_list_header_list_id": "ID de liste", + "exceptionList-components.exception_list_header_manage_rules_button": "Gérer les règles", + "exceptionList-components.exception_list_header_name": "Ajouter un nom", + "exceptionList-components.exception_list_header_Name_textbox": "Nom", + "exceptionList-components.exceptions.exceptionItem.card.conditions.and": "AND", + "exceptionList-components.exceptions.exceptionItem.card.conditions.existsOperator": "existe", + "exceptionList-components.exceptions.exceptionItem.card.conditions.existsOperator.not": "n'existe pas", + "exceptionList-components.exceptions.exceptionItem.card.conditions.linux": "Linux", + "exceptionList-components.exceptions.exceptionItem.card.conditions.listOperator": "inclus dans", + "exceptionList-components.exceptions.exceptionItem.card.conditions.listOperator.not": "n'est pas inclus dans", + "exceptionList-components.exceptions.exceptionItem.card.conditions.macos": "Mac", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchAnyOperator": "est l'une des options suivantes", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchAnyOperator.not": "n'est pas l'une des options suivantes", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchOperator": "IS", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchOperator.not": "N'EST PAS", + "exceptionList-components.exceptions.exceptionItem.card.conditions.nestedOperator": "a", + "exceptionList-components.exceptions.exceptionItem.card.conditions.os": "Système d'exploitation", + "exceptionList-components.exceptions.exceptionItem.card.conditions.wildcardDoesNotMatchOperator": "NE CORRESPOND PAS À", + "exceptionList-components.exceptions.exceptionItem.card.conditions.wildcardMatchesOperator": "CORRESPONDANCES", + "exceptionList-components.exceptions.exceptionItem.card.conditions.windows": "Windows", + "exceptionList-components.exceptions.exceptionItem.card.createdLabel": "Créé", + "exceptionList-components.exceptions.exceptionItem.card.metaDetailsBy": "par", + "exceptionList-components.exceptions.exceptionItem.card.updatedLabel": "Mis à jour", "expressionError.renderer.debug.helpDescription": "Générer un rendu de sortie de débogage au format {JSON}", "expressionError.errorComponent.description": "Échec de l'expression avec le message :", "expressionError.errorComponent.title": "Oups ! Échec de l'expression", @@ -2450,13 +2673,16 @@ "expressionMetric.renderer.metric.displayName": "Indicateur", "expressionMetric.renderer.metric.helpDescription": "Présenter un nombre sur une étiquette", "expressionMetricVis.errors.unsupportedColumnFormat": "Expression de visualisation de l'indicateur - Format de colonne non pris en charge : \"{id}\"", + "expressionMetricVis.trendA11yTitle": "{dataTitle} sur la durée.", "expressionMetricVis.function.breakdownBy.help": "La dimension contenant les étiquettes des sous-catégories.", "expressionMetricVis.function.color.help": "Fournit une couleur de visualisation statique. Remplacé par la palette.", "expressionMetricVis.function.dimension.maximum": "Maximum", "expressionMetricVis.function.dimension.metric": "Indicateur", "expressionMetricVis.function.dimension.secondaryMetric": "Indicateur secondaire", "expressionMetricVis.function.dimension.splitGroup": "Diviser le groupe", + "expressionMetricVis.function.dimension.timeField": "Champ temporel", "expressionMetricVis.function.help": "Visualisation de l'indicateur", + "expressionMetricVis.function.inspectorTableId.help": "ID pour le tableau de l'inspecteur", "expressionMetricVis.function.max.help.": "La dimension contenant la valeur maximale.", "expressionMetricVis.function.metric.help": "L’indicateur principal.", "expressionMetricVis.function.minTiles.help": "Spécifie le nombre minimum de tuiles dans la grille d’indicateur, quelles que soient les données d'entrée.", @@ -2466,11 +2692,20 @@ "expressionMetricVis.function.secondaryMetric.help": "L’indicateur secondaire (affiché au-dessus de l’indicateur principal).", "expressionMetricVis.function.secondaryPrefix.help": "Texte facultatif à afficher avant secondaryMetric.", "expressionMetricVis.function.subtitle.help": "Le sous-titre pour un indicateur unique. Remplacé si breakdownBy est spécifié.", + "expressionMetricVis.function.trendline.help": "Configuration de la courbe de tendance facultative", + "expressionMetricVis.trendA11yDescription": "Graphique linéaire affichant la tendance de l'indicateur principal sur la durée.", + "expressionMetricVis.trendline.function.breakdownBy.help": "La dimension contenant les étiquettes des sous-catégories.", + "expressionMetricVis.trendline.function.help": "Visualisation de l'indicateur", + "expressionMetricVis.trendline.function.inspectorTableId.help": "ID pour le tableau de l'inspecteur", + "expressionMetricVis.trendline.function.metric.help": "L’indicateur principal.", + "expressionMetricVis.trendline.function.table.help": "Tableau de données", + "expressionMetricVis.trendline.function.timeField.help": "Champ temporel de la courbe de tendance", "expressionPartitionVis.legend.filterOptionsLegend": "{legendDataLabel}, options de filtre", "expressionPartitionVis.negativeValuesFound": "Le graphique {chartType} ne peut pas rendre des valeurs négatives.", "expressionPartitionVis.reusable.function.errors.moreThenNumberBuckets": "Les compartiments de plus de {maxLength} ne sont pas pris en charge.", "expressionPartitionVis.legend.filterForValueButtonAriaLabel": "Filtrer sur la valeur", "expressionPartitionVis.legend.filterOutValueButtonAriaLabel": "Exclure la valeur", + "expressionPartitionVis.metricToLabel.help": "Paires clé-valeur JSON de l'ID de colonne pour l'étiquette", "expressionPartitionVis.partitionLabels.function.args.last_level.help": "Afficher les étiquettes de niveau supérieur uniquement pour les camemberts/graphiques en anneau", "expressionPartitionVis.partitionLabels.function.args.percentDecimals.help": "Définit le nombre de décimales qui s'affichent pour les valeurs sous forme de pourcentage.", "expressionPartitionVis.partitionLabels.function.args.position.help": "Définit la position des étiquettes.", @@ -2571,6 +2806,7 @@ "expressions.functions.math.emptyDatatableErrorMessage": "Table de données vide", "expressions.functions.math.emptyExpressionErrorMessage": "Expression vide", "expressions.functions.math.executionFailedErrorMessage": "Échec d'exécution de l'expression mathématique. Vérifiez les noms des colonnes.", + "expressions.functions.mathColumn.args.castColumnsHelpText": "ID des colonnes à convertir en nombres avant d'appliquer la formule", "expressions.functions.mathColumn.args.copyMetaFromHelpText": "Si défini, l'objet méta de l'ID de colonne spécifié est copié dans la colonne cible spécifiée. Si la colonne n'existe pas, un échec silencieux se produit.", "expressions.functions.mathColumn.args.idHelpText": "ID de la colonne produite. Doit être unique.", "expressions.functions.mathColumn.args.nameHelpText": "Le nom de la colonne produite. Les noms n'ont pas besoin d'être uniques.", @@ -2621,7 +2857,10 @@ "expressionShape.renderer.progress.helpDescription": "Présenter une progression basique", "expressionShape.renderer.shape.displayName": "Forme", "expressionShape.renderer.shape.helpDescription": "Présenter une forme basique", + "expressionXY.annotations.skippedCount": "+{value} de plus…", "expressionXY.legend.filterOptionsLegend": "{legendDataLabel}, options de filtre", + "expressionXY.annotation.label": "Étiquette", + "expressionXY.annotation.time": "Heure", "expressionXY.annotationLayer.annotations.help": "Annotations", "expressionXY.annotationLayer.help": "Configurer un calque d'annotation dans le graphique xy", "expressionXY.annotationLayer.simpleView.help": "Afficher/masquer les détails", @@ -2640,6 +2879,7 @@ "expressionXY.axisConfig.showTitle.help": "Afficher le titre de l’axe", "expressionXY.axisConfig.title.help": "Titre de l’axe", "expressionXY.axisConfig.truncate.help": "Nombre de symboles avant troncature", + "expressionXY.axisExtentConfig.enforce.help": "Appliquez les paramètres d'extension.", "expressionXY.axisExtentConfig.extentMode.help": "Mode d'extension", "expressionXY.axisExtentConfig.help": "Configurer les étendues d'axe du graphique xy", "expressionXY.axisExtentConfig.lowerBound.help": "Limite inférieure", @@ -2673,7 +2913,9 @@ "expressionXY.decorationConfig.lineWidth.help": "La largeur de la ligne de référence", "expressionXY.decorationConfig.textVisibility.help": "Visibilité de l'étiquette sur la ligne de référence", "expressionXY.layer.columnToLabel.help": "Paires clé-valeur JSON de l'ID de colonne pour l'étiquette", + "expressionXY.layeredXyVis.annotations.help": "Annotations", "expressionXY.layeredXyVis.layers.help": "Calques de série visuelle", + "expressionXY.layeredXyVis.singleTable.help": "Tous les calques utilisent le tableau de données", "expressionXY.layers.layerId.help": "ID du calque", "expressionXY.layers.table.help": "Tableau", "expressionXY.legend.filterForValueButtonAriaLabel": "Filtrer sur la valeur", @@ -2718,6 +2960,7 @@ "expressionXY.reusable.function.xyVis.errors.pointsRadiusForNonLineOrAreaChartError": "\"pointsRadius\" peut être appliqué uniquement aux graphiques linéaires ou aux graphiques en aires", "expressionXY.reusable.function.xyVis.errors.showPointsForNonLineOrAreaChartError": "\"showPoints\" peut être appliqué uniquement aux graphiques linéaires ou aux graphiques en aires", "expressionXY.reusable.function.xyVis.errors.timeMarkerForNotTimeChartsError": "Seuls les graphiques temporels peuvent avoir un repère de temps actuel", + "expressionXY.reusable.function.xyVis.errors.valueLabelsForNotBarChartsError": "L'argument \"valueLabels\" s'applique uniquement aux graphiques à barres.", "expressionXY.xAxisConfigFn.help": "Configurer la config de l'axe x du graphique xy", "expressionXY.xyChart.emptyXLabel": "(vide)", "expressionXY.xyChart.iconSelect.alertIconLabel": "Alerte", @@ -2732,6 +2975,7 @@ "expressionXY.xyChart.iconSelect.mapMarkerLabel": "Repère", "expressionXY.xyChart.iconSelect.mapPinLabel": "Punaise", "expressionXY.xyChart.iconSelect.noIconLabel": "Aucun", + "expressionXY.xyChart.iconSelect.starFilledLabel": "Étoile remplie", "expressionXY.xyChart.iconSelect.starLabel": "Étoile", "expressionXY.xyChart.iconSelect.tagIconLabel": "Balise", "expressionXY.xyChart.iconSelect.triangleIconLabel": "Triangle", @@ -2748,7 +2992,10 @@ "expressionXY.xyVis.hideEndzones.help": "Masquer les marqueurs de zone de fin pour les données partielles", "expressionXY.xyVis.legend.help": "Configurez la légende du graphique.", "expressionXY.xyVis.logDatatable.breakDown": "Répartir par", + "expressionXY.xyVis.logDatatable.markSize": "Taille de la marque", "expressionXY.xyVis.logDatatable.metric": "Axe vertical", + "expressionXY.xyVis.logDatatable.splitColumn": "Diviser les colonnes par", + "expressionXY.xyVis.logDatatable.splitRow": "Diviser les lignes par", "expressionXY.xyVis.logDatatable.x": "Axe horizontal", "expressionXY.xyVis.markSizeRatio.help": "Spécifie le rapport des points pour les graphiques linéaires et les graphiques en aires", "expressionXY.xyVis.orderBucketsBySum.help": "Classer les groupes par somme", @@ -2843,6 +3090,87 @@ "fieldFormats.url.types.audio": "Audio", "fieldFormats.url.types.img": "Image", "fieldFormats.url.types.link": "Lien", + "guidedOnboarding.dropdownPanel.completeGuideFlyoutDescription": "Vous avez terminé le guide Elastic {guideName}.", + "guidedOnboarding.dropdownPanel.progressValueLabel": "{stepCount} étapes", + "guidedOnboarding.guidedSetupStepButtonLabel": "Guide de configuration : étape {stepNumber}", + "guidedOnboarding.dropdownPanel.backToGuidesLink": "Retour aux guides", + "guidedOnboarding.dropdownPanel.completedLabel": "Terminé", + "guidedOnboarding.dropdownPanel.completeGuideError": "Impossible de mettre à jour le guide. Réessayez plus tard.", + "guidedOnboarding.dropdownPanel.completeGuideFlyoutTitle": "Bien joué !", + "guidedOnboarding.dropdownPanel.continueStepButtonLabel": "Continuer", + "guidedOnboarding.dropdownPanel.elasticButtonLabel": "Continuer à utiliser Elastic", + "guidedOnboarding.dropdownPanel.footer.exitGuideButtonLabel": "Quitter le guide", + "guidedOnboarding.dropdownPanel.footer.feedback": "Donner un retour", + "guidedOnboarding.dropdownPanel.footer.support": "Besoin d'aide ?", + "guidedOnboarding.dropdownPanel.markDoneStepButtonLabel": "Marquer comme terminé", + "guidedOnboarding.dropdownPanel.progressLabel": "Progression", + "guidedOnboarding.dropdownPanel.startStepButtonLabel": "Début", + "guidedOnboarding.dropdownPanel.stepHandlerError": "Impossible de mettre à jour le guide. Réessayez plus tard.", + "guidedOnboarding.guidedSetupButtonLabel": "Guide de configuration", + "guidedOnboarding.guidedSetupRedirectButtonLabel": "Guides de configuration", + "guidedOnboarding.observabilityGuide.addDataStep.descriptionList.item2": "Ajoutez l'intégration Elastic Kubernetes.", + "guidedOnboarding.observabilityGuide.addDataStep.title": "Ajouter et vérifier vos données", + "guidedOnboarding.observabilityGuide.description": "Nous vous aiderons à obtenir rapidement de la visibilité dans votre environnement Kubernetes avec notre intégration d'Elastic. Obtenez des informations détaillées à partir de vos logs, indicateurs et traces pour détecter les problèmes de façon proactive et prendre des mesures pour les résoudre.", + "guidedOnboarding.observabilityGuide.documentationLink": "En savoir plus", + "guidedOnboarding.observabilityGuide.title": "Observer mon infrastructure Kubernetes", + "guidedOnboarding.observabilityGuide.tourObservabilityStep.description": "Familiarisez-vous avec le reste d'Elastic Observability et explorez encore plus d'intégrations.", + "guidedOnboarding.observabilityGuide.tourObservabilityStep.title": "Découvrir Elastic Observability", + "guidedOnboarding.observabilityGuide.viewDashboardStep.description": "Diffusez, visualisez et analysez vos indicateurs d'infrastructure Kubernetes.", + "guidedOnboarding.observabilityGuide.viewDashboardStep.manualCompletionPopoverDescription": "Prenez le temps d'explorer ces tableaux de bord prédéfinis inclus avec l'intégration Kubernetes. Lorsque vous serez prêt, cliquez sur le bouton Guide de configuration pour continuer.", + "guidedOnboarding.observabilityGuide.viewDashboardStep.manualCompletionPopoverTitle": "Explorer les tableaux de bord Kubernetes", + "guidedOnboarding.observabilityGuide.viewDashboardStep.title": "Explorer les indicateurs Kubernetes", + "guidedOnboarding.quitGuideModal.cancelButtonLabel": "Annuler", + "guidedOnboarding.quitGuideModal.deactivateGuideError": "Impossible de mettre à jour le guide. Réessayez plus tard.", + "guidedOnboarding.quitGuideModal.modalDescription": "Vous pouvez redémarrer le guide de configuration à tout moment à partir du menu Aide.", + "guidedOnboarding.quitGuideModal.modalTitle": "Quitter ce guide ?", + "guidedOnboarding.quitGuideModal.quitButtonLabel": "Quitter le guide", + "guidedOnboarding.searchGuide.addDataStep.description1": "Sélectionnez une méthode d'ingestion.", + "guidedOnboarding.searchGuide.addDataStep.description2": "Créez un nouvel index Elasticsearch.", + "guidedOnboarding.searchGuide.addDataStep.description3": "Configurez vos paramètres d'ingestion.", + "guidedOnboarding.searchGuide.addDataStep.title": "Ajouter des données", + "guidedOnboarding.searchGuide.description": "Créez des expériences de recherche personnalisées avec vos données grâce au robot d'indexation, aux connecteurs et aux API robustes prêts à l'emploi d'Elastic. Obtenez des informations détaillées à partir des analyses de recherche intégrées pour organiser les résultats et optimiser la pertinence.", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item1": "Découvrez plus de détails sur le framework d'interface utilisateur de recherche d'Elastic.", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item2": "Essayez le tutoriel dédié à l'interface utilisateur de recherche pour Elasticsearch.", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item3": "Créez une expérience de recherche de classe mondiale pour vos clients, vos employés ou vos utilisateurs.", + "guidedOnboarding.searchGuide.searchExperienceStep.manualCompletionPopoverDescription": "Prenez le temps de découvrir comment utiliser l'interface utilisateur de recherche pour créer des expériences de recherche de classe mondiale. Lorsque vous serez prêt, cliquez sur le bouton Guide de configuration pour continuer.", + "guidedOnboarding.searchGuide.searchExperienceStep.manualCompletionPopoverTitle": "Explorer l'interface utilisateur de recherche", + "guidedOnboarding.searchGuide.searchExperienceStep.title": "Créer une expérience de recherche", + "guidedOnboarding.searchGuide.title": "Rechercher dans mes données", + "guidedOnboarding.securityGuide.addDataStep.description1": "Sélectionnez l'intégration Elastic Defend pour ajouter vos données.", + "guidedOnboarding.securityGuide.addDataStep.description2": "Assurez-vous que vos données sont correctes.", + "guidedOnboarding.securityGuide.addDataStep.title": "Ajouter des données avec Elastic Defend", + "guidedOnboarding.securityGuide.alertsStep.description1": "Affichez et triez les alertes.", + "guidedOnboarding.securityGuide.alertsStep.description2": "Créez un cas.", + "guidedOnboarding.securityGuide.alertsStep.manualCompletion.description": "Après avoir exploré le cas que vous avez créé, cliquez ici pour continuer.", + "guidedOnboarding.securityGuide.alertsStep.manualCompletion.title": "Continuer avec la visite", + "guidedOnboarding.securityGuide.alertsStep.title": "Gérer les alertes et les cas", + "guidedOnboarding.securityGuide.description": "Nous vous aiderons à vous mettre en route rapidement grâce aux intégrations prêtes à l'emploi d'Elastic.", + "guidedOnboarding.securityGuide.rulesStep.description1": "Chargez les règles prédéfinies.", + "guidedOnboarding.securityGuide.rulesStep.description2": "Sélectionnez les règles souhaitées.", + "guidedOnboarding.securityGuide.rulesStep.manualCompletion.description": "Après avoir activé les règles souhaitées, cliquez ici pour continuer.", + "guidedOnboarding.securityGuide.rulesStep.manualCompletion.title": "Continuer avec la visite", + "guidedOnboarding.securityGuide.rulesStep.title": "Activer les règles", + "guidedOnboarding.securityGuide.title": "Configuration guidée d'Elastic Security", + "guidedOnboardingPackage.gettingStarted.guideCard.stepsLabel": "{progress} étapes", + "guidedOnboardingPackage.gettingStarted.guideCard.continueGuide.buttonLabel": "Continuer", + "guidedOnboardingPackage.gettingStarted.guideCard.observability.cardDescription": "Monitorez votre infrastructure Kubernetes en consolidant vos logs et indicateurs.", + "guidedOnboardingPackage.gettingStarted.guideCard.observability.cardTitle": "Observer mon infrastructure Kubernetes", + "guidedOnboardingPackage.gettingStarted.guideCard.progress.completedLabel": "Terminé", + "guidedOnboardingPackage.gettingStarted.guideCard.progress.inProgressLabel": "En cours", + "guidedOnboardingPackage.gettingStarted.guideCard.search.cardDescription": "Créez une expérience de recherche pour vos sites web, vos applications, votre contenu sur le lieu de travail, etc.", + "guidedOnboardingPackage.gettingStarted.guideCard.search.cardTitle": "Rechercher dans mes données", + "guidedOnboardingPackage.gettingStarted.guideCard.security.cardDescription": "Défendez votre environnement contre les menaces en unifiant SIEM, la sécurité des points de terminaison et la sécurité cloud.", + "guidedOnboardingPackage.gettingStarted.guideCard.security.cardTitle": "Protéger mon environnement", + "guidedOnboardingPackage.gettingStarted.guideCard.startGuide.buttonLabel": "Afficher le guide", + "guidedOnboardingPackage.gettingStarted.linkCard.buttonLabel": "Voir les intégrations", + "guidedOnboardingPackage.gettingStarted.linkCard.observability.cardDescription": "Ajoutez des données d'application, d'infrastructure et d'utilisateur via nos intégrations prédéfinies.", + "guidedOnboardingPackage.gettingStarted.linkCard.observability.cardTitle": "Observer mes données", + "guidedOnboardingPackage.gettingStarted.observability.betaBadgeLabel": "observe", + "guidedOnboardingPackage.gettingStarted.observability.iconName": "Logo Observability", + "guidedOnboardingPackage.gettingStarted.search.betaBadgeLabel": "rechercher", + "guidedOnboardingPackage.gettingStarted.search.iconName": "Logo Entreprise Search", + "guidedOnboardingPackage.gettingStarted.security.betaBadgeLabel": "sécurité", + "guidedOnboardingPackage.gettingStarted.security.iconName": "Logo Security", "home.loadTutorials.requestFailedErrorMessage": "Échec de la requête avec le code de statut : {status}", "home.tutorial.addDataToKibanaDescription": "En plus d'ajouter {integrationsLink}, vous pouvez essayer l'exemple de données ou charger vos propres données.", "home.tutorial.noTutorialLabel": "Tutoriel {tutorialId} introuvable", @@ -2894,13 +3222,13 @@ "home.tutorials.common.filebeatCloudInstructions.config.osxTextPre": "Modifiez {path} afin de définir les informations de connexion pour Elastic Cloud :", "home.tutorials.common.filebeatCloudInstructions.config.rpmTextPre": "Modifiez {path} afin de définir les informations de connexion pour Elastic Cloud :", "home.tutorials.common.filebeatCloudInstructions.config.windowsTextPre": "Modifiez {path} afin de définir les informations de connexion pour Elastic Cloud :", - "home.tutorials.common.filebeatEnableInstructions.debTextPost": "Modifiez les paramètres dans le fichier ''/etc/filebeat/modules.d/{moduleName}.yml''.", + "home.tutorials.common.filebeatEnableInstructions.debTextPost": "Modifiez les paramètres dans le fichier ''/etc/filebeat/modules.d/{moduleName}.yml''. Vous devez activer au moins un ensemble de fichiers.", "home.tutorials.common.filebeatEnableInstructions.debTitle": "Activer et configurer le module {moduleName}", - "home.tutorials.common.filebeatEnableInstructions.osxTextPost": "Modifiez les paramètres dans le fichier ''modules.d/{moduleName}.yml''.", + "home.tutorials.common.filebeatEnableInstructions.osxTextPost": "Modifiez les paramètres dans le fichier ''modules.d/{moduleName}.yml''. Vous devez activer au moins un ensemble de fichiers.", "home.tutorials.common.filebeatEnableInstructions.osxTitle": "Activer et configurer le module {moduleName}", - "home.tutorials.common.filebeatEnableInstructions.rpmTextPost": "Modifiez les paramètres dans le fichier ''/etc/filebeat/modules.d/{moduleName}.yml''.", + "home.tutorials.common.filebeatEnableInstructions.rpmTextPost": "Modifiez les paramètres dans le fichier ''/etc/filebeat/modules.d/{moduleName}.yml''. Vous devez activer au moins un ensemble de fichiers.", "home.tutorials.common.filebeatEnableInstructions.rpmTitle": "Activer et configurer le module {moduleName}", - "home.tutorials.common.filebeatEnableInstructions.windowsTextPost": "Modifiez les paramètres dans le fichier ''modules.d/{moduleName}.yml''.", + "home.tutorials.common.filebeatEnableInstructions.windowsTextPost": "Modifiez les paramètres dans le fichier ''modules.d/{moduleName}.yml''. Vous devez activer au moins un ensemble de fichiers.", "home.tutorials.common.filebeatEnableInstructions.windowsTextPre": "Dans le dossier {path}, exécutez la commande suivante :", "home.tutorials.common.filebeatEnableInstructions.windowsTitle": "Activer et configurer le module {moduleName}", "home.tutorials.common.filebeatInstructions.config.debTextPostMarkdown": "Où {passwordTemplate} est le mot de passe de l'utilisateur \"elastic\", {esUrlTemplate} est l'URL d'Elasticsearch et {kibanaUrlTemplate} est l'URL de Kibana. Pour [configurer le SSL]({configureSslUrl}) avec le certificat par défaut généré par Elasticsearch, ajoutez son empreinte digitale dans {esCertFingerprintTemplate}.\n\n> **_Important :_** n'utilisez pas l'utilisateur \"elastic\" intégré pour sécuriser les clients dans un environnement de production. À la place, configurez des utilisateurs autorisés ou des clés d'API, et n'exposez pas les mots de passe dans les fichiers de configuration. [Learn more]({linkUrl}).", @@ -3078,20 +3406,26 @@ "home.tutorials.zookeeperMetrics.longDescription": "Le module Metricbeat \"{moduleName}\" récupère des indicateurs depuis un serveur Zookeeper. [En savoir plus]({learnMoreLink}).", "home.tutorials.zscalerLogs.longDescription": "Ce module permet de recevoir des logs Zscaler NSS par le biais de Syslog ou d'un fichier. [En savoir plus]({learnMoreLink}).", "home.addData.addDataButtonLabel": "Ajouter des intégrations", + "home.addData.guidedOnboardingLinkLabel": "Guides de configuration", "home.addData.sampleDataButtonLabel": "Utiliser un exemple de données", "home.addData.sectionTitle": "Ajoutez des intégrations pour commencer", - "home.addData.text": "Vous avez plusieurs options pour commencer à exploiter vos données. Vous pouvez collecter des données à partir d'une application ou d'un service, ou bien charger un fichier. Et si vous n'êtes pas encore prêt à utiliser vos propres données, utilisez notre exemple d’ensemble de données.", + "home.addData.text": "Vous avez plusieurs options pour commencer à exploiter vos données. Vous pouvez collecter des données à partir d'une application ou d'un service, ou bien charger un fichier. Et si vous n'êtes pas encore prêt à utiliser vos propres données, testez un exemple d'ensemble de données.", "home.addData.uploadFileButtonLabel": "Charger un fichier", - "home.breadcrumbs.gettingStartedTitle": "Commencer", + "home.breadcrumbs.gettingStartedTitle": "Guides de configuration", "home.breadcrumbs.homeTitle": "Accueil", "home.breadcrumbs.integrationsAppTitle": "Intégrations", "home.exploreButtonLabel": "Explorer par moi-même", "home.exploreYourDataDescription": "Une fois toutes les étapes terminées, vous êtes prêt à explorer vos données.", - "home.guidedOnboarding.gettingStarted.skip.buttonLabel": "Non merci, je vais explorer par moi-même.", - "home.guidedOnboarding.gettingStarted.useCaseSelectionSubtitle": "Sélectionnez un point de départ pour une visite rapide de la façon dont Elastic peut vous aider à faire encore plus avec vos données.", + "home.guidedOnboarding.gettingStarted.activateGuide.errorMessage": "Impossible de démarrer le guide. Réessayez plus tard.", + "home.guidedOnboarding.gettingStarted.errorSectionDescription": "Une erreur s'est produite lors du chargement de l'état du guide. Réessayez plus tard.", + "home.guidedOnboarding.gettingStarted.errorSectionRefreshButton": "Actualiser", + "home.guidedOnboarding.gettingStarted.errorSectionTitle": "Impossible de charger l'état du guide", + "home.guidedOnboarding.gettingStarted.loadingIndicator": "Chargement de l'état du guide de configuration...", + "home.guidedOnboarding.gettingStarted.skip.buttonLabel": "Je souhaiterais faire autre chose (ignorer)", + "home.guidedOnboarding.gettingStarted.useCaseSelectionSubtitle": "Sélectionnez un guide pour vous aider à tirer le meilleur parti de vos données.", "home.guidedOnboarding.gettingStarted.useCaseSelectionTitle": "Par quoi voulez-vous commencer ?", "home.header.title": "Bienvenue chez vous", - "home.letsStartDescription": "Ajoutez des données à votre cluster depuis n’importe quelle source, puis analysez-les et visualisez-les en temps réel. Utilisez nos solutions pour définir des recherches, observer votre écosystème et vous protéger contre les menaces de sécurité.", + "home.letsStartDescription": "Ajoutez des données à votre cluster depuis n’importe quelle source, puis analysez-les et visualisez-les en temps réel. Utilisez nos solutions pour définir des recherches, observer votre écosystème et vous défendre contre les menaces de sécurité.", "home.letsStartTitle": "Ajoutez des intégrations pour commencer", "home.loadTutorials.unableToLoadErrorMessage": "Impossible de charger les tutoriels", "home.manageData.devToolsButtonLabel": "Outils de développement", @@ -3686,6 +4020,7 @@ "indexPatternEditor.editDataView.editConfirmationModal.modalDescription": "La modification de cette vue de données peut briser les autres objets qui en dépendent.", "indexPatternEditor.editor.flyoutCloseButtonLabel": "Fermer", "indexPatternEditor.editor.flyoutEditButtonLabel": "Enregistrer", + "indexPatternEditor.editor.flyoutEditUnpersistedButtonLabel": "Continuer à utiliser sans enregistrer", "indexPatternEditor.editor.flyoutExploreButtonLabel": "Utiliser sans sauvegarder", "indexPatternEditor.editor.flyoutExploreButtonTitle": "Utiliser cette vue de données sans créer d’objet enregistré", "indexPatternEditor.editor.flyoutSaveButtonLabel": "Enregistrer la vue de données dans Kibana", @@ -3709,6 +4044,7 @@ "indexPatternEditor.form.customIndexPatternIdLabel": "ID de vue de données personnalisé", "indexPatternEditor.form.nameAriaLabel": "Champ de nom facultatif", "indexPatternEditor.form.titleAriaLabel": "Champ de modèle d'indexation", + "indexPatternEditor.goToManagementPage": "Gérer les paramètres et afficher les détails de champ", "indexPatternEditor.loadingHeader": "Recherche d'index correspondants…", "indexPatternEditor.requireTimestampOption.ValidationErrorMessage": "Sélectionnez un champ d'horodatage.", "indexPatternEditor.rollupDataView.createIndex.noMatchError": "Erreur de vue de données de cumul : doit correspondre à un index de cumul", @@ -3774,6 +4110,8 @@ "indexPatternFieldEditor.duration.showSuffixLabel": "Afficher le suffixe", "indexPatternFieldEditor.duration.showSuffixLabel.short": "Utiliser un suffixe court", "indexPatternFieldEditor.durationErrorMessage": "Le nombre de décimales doit être compris entre 0 et 20.", + "indexPatternFieldEditor.editor.compositeFieldsCount": "Champs générés", + "indexPatternFieldEditor.editor.compositeRefreshTypes": "Réinitialiser", "indexPatternFieldEditor.editor.flyoutCancelButtonLabel": "Annuler", "indexPatternFieldEditor.editor.flyoutDefaultTitle": "Créer un champ", "indexPatternFieldEditor.editor.flyoutEditFieldTitle": "Modifier le champ \"{fieldName}\"", @@ -3801,6 +4139,7 @@ "indexPatternFieldEditor.editor.form.scriptEditor.compileErrorMessage": "Erreur lors de la compilation du script Painless", "indexPatternFieldEditor.editor.form.scriptEditorAriaLabel": "Éditeur de script", "indexPatternFieldEditor.editor.form.scriptEditorPainlessValidationMessage": "Script Painless non valide.", + "indexPatternFieldEditor.editor.form.subFieldParentInfo": "La valeur de champ est définie par \"{parentName}\"", "indexPatternFieldEditor.editor.form.typeSelectAriaLabel": "Sélection du type", "indexPatternFieldEditor.editor.form.validations.customLabelIsRequiredErrorMessage": "Spécifiez une étiquette pour le champ.", "indexPatternFieldEditor.editor.form.validations.nameIsRequiredErrorMessage": "Nom obligatoire.", @@ -3809,6 +4148,7 @@ "indexPatternFieldEditor.editor.form.validations.scriptIsRequiredErrorMessage": "Un script est obligatoire pour définir la valeur du champ.", "indexPatternFieldEditor.editor.form.validations.starCharacterNotAllowedValidationErrorMessage": "Le nom du champ ne peut pas contenir *.", "indexPatternFieldEditor.editor.form.valueTitle": "Définir la valeur", + "indexPatternFieldEditor.editor.runtimeFieldsEditor.existCompositeNamesValidationErrorMessage": "Un composite de temps d'exécution portant ce nom existe déjà.", "indexPatternFieldEditor.editor.runtimeFieldsEditor.existRuntimeFieldNamesValidationErrorMessage": "Un champ portant ce nom existe déjà.", "indexPatternFieldEditor.fieldPreview.documentIdField.label": "ID de document", "indexPatternFieldEditor.fieldPreview.documentIdField.loadDocumentsFromCluster": "Charger des documents depuis le cluster", @@ -3882,6 +4222,7 @@ "indexPatternManagement.editDataView.deleteWarning": "La vue de données {dataViewName} va être supprimée. Vous ne pouvez pas annuler cette action.", "indexPatternManagement.editDataView.deleteWarningWithNamespaces": "Supprimer la vue de données {dataViewName} de tous les espaces dans lesquels elle est partagée. Vous ne pouvez pas annuler cette action.", "indexPatternManagement.editHeader": "Modifier {fieldName}", + "indexPatternManagement.editIndexPattern.couldNotLoadMessage": "La vue de données ayant l'ID {objectId} n'a pas pu être chargée. Essayez d'en créer une nouvelle.", "indexPatternManagement.editIndexPattern.deprecation": "Les champs scriptés sont déclassés. Utilisez {runtimeDocs} à la place.", "indexPatternManagement.editIndexPattern.fields.conflictModal.description": "Le type de champ {fieldName} change entre les index et peut ne pas être disponible pour la recherche, les visualisations et d'autres analyses.", "indexPatternManagement.editIndexPattern.list.DateHistogramDelaySummary": "retard : {delay},", @@ -3958,6 +4299,7 @@ "indexPatternManagement.editDataView.setDefaultAria": "Définir en tant que vue de données par défaut.", "indexPatternManagement.editDataView.setDefaultTooltip": "Définir par défaut", "indexPatternManagement.editIndexPattern.badge.securityDataViewTitle": "Vue de données Security", + "indexPatternManagement.editIndexPattern.couldNotLoadTitle": "Impossible de charger la vue de données", "indexPatternManagement.editIndexPattern.deleteButton": "Supprimer", "indexPatternManagement.editIndexPattern.fields.addFieldButtonLabel": "Ajouter un champ", "indexPatternManagement.editIndexPattern.fields.conflictModal.closeBtn": "Fermer", @@ -3993,6 +4335,8 @@ "indexPatternManagement.editIndexPattern.fields.table.primaryTimeAriaLabel": "Champ temporel principal", "indexPatternManagement.editIndexPattern.fields.table.primaryTimeTooltip": "Ce champ représente l'heure à laquelle les événements se sont produits.", "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitle": "Champ d'exécution", + "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitleComposite": "Champ de temps d'exécution composite", + "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitleCompositeSubfield": "Sous-champ de temps d'exécution composite", "indexPatternManagement.editIndexPattern.fields.table.searchableDescription": "Ces champs peuvent être utilisés dans la barre de filtre.", "indexPatternManagement.editIndexPattern.fields.table.searchableHeader": "Interrogeable", "indexPatternManagement.editIndexPattern.fields.table.typeHeader": "Type", @@ -4283,6 +4627,9 @@ "kibana-react.pageFooter.makeDefaultRouteLink": "Choisir comme page de destination", "kibana-react.solutionNav.collapsibleLabel": "Réduire la navigation latérale", "kibana-react.solutionNav.openLabel": "Ouvrir la navigation latérale", + "languageDocumentationPopover.header": "Référence de {language}", + "languageDocumentationPopover.tooltip": "Référence de {lang}", + "languageDocumentationPopover.searchPlaceholder": "Recherche", "management.landing.header": "Bienvenue dans Gestion de la Suite {version}", "management.breadcrumb": "Gestion de la Suite", "management.landing.subhead": "Gérez vos index, vues de données, objets enregistrés, paramètres Kibana et plus encore.", @@ -4375,6 +4722,12 @@ "savedObjects.advancedSettings.perPageTitle": "Objets par page", "savedObjects.confirmModal.cancelButtonLabel": "Annuler", "savedObjects.confirmModal.overwriteButtonLabel": "Écraser", + "savedObjects.finder.filterButtonLabel": "Types", + "savedObjects.finder.searchPlaceholder": "Rechercher…", + "savedObjects.finder.sortAsc": "Croissant", + "savedObjects.finder.sortAuto": "Meilleure correspondance", + "savedObjects.finder.sortButtonLabel": "Trier", + "savedObjects.finder.sortDesc": "Décroissant", "savedObjects.overwriteRejectedDescription": "La confirmation d'écrasement a été rejetée.", "savedObjects.saveDuplicateRejectedDescription": "La confirmation d'enregistrement avec un doublon de titre a été rejetée.", "savedObjects.saveModal.cancelButtonLabel": "Annuler", @@ -4525,6 +4878,7 @@ "savedObjectsManagement.view.indexPatternDoesNotExistErrorMessage": "La vue de données associée à cet objet n'existe plus.", "savedObjectsManagement.view.savedObjectProblemErrorMessage": "Un problème est survenu avec cet objet enregistré.", "savedObjectsManagement.view.savedSearchDoesNotExistErrorMessage": "La recherche enregistrée associée à cet objet n'existe plus.", + "savedSearch.legacyURLConflict.errorMessage": "Cette recherche a la même URL qu'un alias hérité. Désactiver l'alias pour résoudre cette erreur : {json}", "share.contextMenuTitle": "Partager ce {objectType}", "share.urlPanel.canNotShareAsSavedObjectHelpText": "Impossible de partager comme objet enregistré tant que {objectType} n'a pas été enregistré.", "share.urlPanel.savedObjectDescription": "Vous pouvez partager cette URL avec des personnes pour leur permettre de charger la version enregistrée la plus récente de ce {objectType}.", @@ -4557,9 +4911,10 @@ "share.urlService.redirect.RedirectManager.missingParamVersion": "Version des paramètres du localisateur non spécifiée. Spécifiez le paramètre de recherche \"v\" dans l'URL ; ce devrait être la version de Kibana au moment de la génération des paramètres du localisateur.", "sharedUXPackages.noDataPage.intro": "Ajoutez vos données pour commencer, ou {link} sur {solution}.", "sharedUXPackages.noDataPage.welcomeTitle": "Bienvenue dans Elastic {solution}.", - "sharedUXPackages.noDataPage.intro.link": "en savoir plus", "sharedUXPackages.solutionNav.mobileTitleText": "{solutionName} {menuText}", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.selectedStatusMessage": "{count, plural, one {# utilisateur sélectionné} other {# utilisateurs sélectionnés}}", "sharedUXPackages.buttonToolbar.buttons.addFromLibrary.libraryButtonLabel": "Ajouter depuis la bibliothèque", + "sharedUXPackages.buttonToolbar.toolbar.errorToolbarText": "Il y a plus de 120 boutons supplémentaires. Nous vous invitons à limiter le nombre de boutons.", "sharedUXPackages.card.noData.description": "Utilisez Elastic Agent pour collecter de manière simple et unifiée les données de vos machines.", "sharedUXPackages.card.noData.noPermission.description": "Cette intégration n'est pas encore activée. Votre administrateur possède les autorisations requises pour l'activer.", "sharedUXPackages.card.noData.noPermission.title": "Contactez votre administrateur", @@ -4570,6 +4925,7 @@ "sharedUXPackages.noDataConfig.addIntegrationsTitle": "Ajouter des intégrations", "sharedUXPackages.noDataConfig.analytics": "Analyse", "sharedUXPackages.noDataConfig.analyticsPageTitle": "Bienvenue dans Analytics !", + "sharedUXPackages.noDataPage.intro.link": "en savoir plus", "sharedUXPackages.noDataViewsPrompt.addDataViewText": "Créer une vue de données", "sharedUXPackages.noDataViewsPrompt.dataViewExplanation": "Les vues de données identifient les données Elasticsearch que vous souhaitez explorer. Vous pouvez faire pointer des vues de données vers un ou plusieurs flux de données, index et alias d'index, tels que vos données de log d'hier, ou vers tous les index contenant vos données de log.", "sharedUXPackages.noDataViewsPrompt.learnMore": "Envie d'en savoir plus ?", @@ -4581,6 +4937,9 @@ "sharedUXPackages.solutionNav.collapsibleLabel": "Réduire la navigation latérale", "sharedUXPackages.solutionNav.menuText": "menu", "sharedUXPackages.solutionNav.openLabel": "Ouvrir la navigation latérale", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.clearButtonLabel": "Retirer tous les utilisateurs", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.searchPlaceholder": "Recherche", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.suggestedLabel": "Suggérée", "telemetry.callout.appliesSettingTitle": "Les modifications apportées à ce paramètre s'appliquent dans {allOfKibanaText} et sont enregistrées automatiquement.", "telemetry.seeExampleOfClusterDataAndEndpointSecuity": "Découvrez des exemples de {clusterData} et de {securityData} que nous collectons.", "telemetry.telemetryBannerDescription": "Vous souhaitez nous aider à améliorer la Suite Elastic ? La collecte de données d'utilisation est actuellement désactivée. En activant la collecte de données d'utilisation, vous nous aidez à gérer et à améliorer nos produits et nos services. Consultez notre {privacyStatementLink} pour plus d'informations.", @@ -4880,8 +5239,77 @@ "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateSyntaxHelpLinkText": "Aide pour la syntaxe", "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateVariablesFilterPlaceholderText": "Variables de filtre", "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateVariablesHelpLinkText": "Aide", + "unifiedFieldList.fieldListGrouped.fieldSearchForAvailableFieldsLiveRegion": "{availableFields} {availableFields, plural, one {champ disponible} other {champs disponibles}}.", + "unifiedFieldList.fieldListGrouped.fieldSearchForEmptyFieldsLiveRegion": "{emptyFields} {emptyFields, plural, one {champ vide} other {champs vides}}.", + "unifiedFieldList.fieldListGrouped.fieldSearchForMetaFieldsLiveRegion": "{metaFields} {metaFields, plural, one {champ} other {champs}} méta.", + "unifiedFieldList.fieldListGrouped.fieldSearchForSelectedFieldsLiveRegion": "{selectedFields} {selectedFields, plural, one {champ sélectionné} other {champs sélectionnés}}.", + "unifiedFieldList.fieldPopover.addFieldToWorkspaceLabel": "Ajouter un champ \"{field}\"", + "unifiedFieldList.fieldStats.bucketPercentageTooltip": "{formattedPercentage} ({count, plural, one {# enregistrement} other {# enregistrements}})", + "unifiedFieldList.fieldStats.calculatedFromSampleRecordsLabel": "Calculé à partir de {sampledDocumentsFormatted} {sampledDocuments, plural, one {exemple d'enregistrement} other {exemples d'enregistrement}}.", + "unifiedFieldList.fieldStats.calculatedFromTotalRecordsLabel": "Calculé à partir de {totalDocumentsFormatted} {totalDocuments, plural, one {enregistrement} other {enregistrements}}.", + "unifiedFieldList.fieldStats.filterOutValueButtonAriaLabel": "Exclure le {field} : \"{value}\"", + "unifiedFieldList.fieldStats.filterValueButtonAriaLabel": "Filtrer sur le {field} : \"{value}\"", + "unifiedFieldList.fieldStats.noFieldDataInSampleDescription": "Aucune donnée de champ pour {sampledDocumentsFormatted} {sampledDocuments, plural, one {exemple d'enregistrement} other {exemples d'enregistrement}}.", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.deprecation": "Ce paramètre est déclassé et ne sera plus pris en charge à partir de la version 8.6.", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.description": "Lorsque cette option est activée, l’échantillonnage de document est utilisé pour déterminer l’existence des champs (disponibles ou vides) pour la liste de champs Lens au lieu de se fonder sur les mappings d’index.", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.title": "Utiliser l’échantillonnage d’existence des champs", + "unifiedFieldList.fieldList.noFieldsCallout.noDataLabel": "Aucun champ.", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.extendTimeBullet": "Extension de la plage temporelle", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.fieldTypeFilterBullet": "Utilisation de différents filtres de champ", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.globalFiltersBullet": "Modification des filtres globaux", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.tryText": "Essayer :", + "unifiedFieldList.fieldList.noFieldsCallout.noFieldsLabel": "Aucun champ n'existe dans cette vue de données.", + "unifiedFieldList.fieldList.noFieldsCallout.noFilteredFieldsLabel": "Aucun champ ne correspond aux filtres sélectionnés.", + "unifiedFieldList.fieldPopover.addExistsFilterLabel": "Filtrer sur le champ", + "unifiedFieldList.fieldPopover.deleteFieldLabel": "Supprimer le champ de la vue de données", + "unifiedFieldList.fieldPopover.editFieldLabel": "Modifier le champ de la vue de données", + "unifiedFieldList.fieldsAccordion.existenceErrorAriaLabel": "La récupération de l'existence a échoué", + "unifiedFieldList.fieldsAccordion.existenceErrorLabel": "Impossible de charger les informations de champ", + "unifiedFieldList.fieldsAccordion.existenceTimeoutAriaLabel": "La récupération de l'existence a expiré", + "unifiedFieldList.fieldsAccordion.existenceTimeoutLabel": "Les informations de champ ont pris trop de temps", + "unifiedFieldList.fieldStats.countLabel": "Décompte", + "unifiedFieldList.fieldStats.displayToggleLegend": "Basculer soit", + "unifiedFieldList.fieldStats.emptyStringValueLabel": "(vide)", + "unifiedFieldList.fieldStats.examplesLabel": "Exemples", + "unifiedFieldList.fieldStats.fieldDistributionLabel": "Distribution", + "unifiedFieldList.fieldStats.fieldTimeDistributionLabel": "Répartition du temps", + "unifiedFieldList.fieldStats.noFieldDataDescription": "Aucune donnée de champ pour la recherche actuelle.", + "unifiedFieldList.fieldStats.notAvailableForThisFieldDescription": "L'analyse n'est pas disponible pour ce champ.", + "unifiedFieldList.fieldStats.otherDocsLabel": "Autre", + "unifiedFieldList.fieldStats.topValuesLabel": "Valeurs les plus élevées", + "unifiedFieldList.fieldVisualizeButton.label": "Visualiser", + "unifiedFieldList.useGroupedFields.allFieldsLabel": "Tous les champs", + "unifiedFieldList.useGroupedFields.availableFieldsLabel": "Champs disponibles", + "unifiedFieldList.useGroupedFields.emptyFieldsLabel": "Champs vides", + "unifiedFieldList.useGroupedFields.emptyFieldsLabelHelp": "Les champs vides ne contenaient aucune valeur basée sur vos filtres.", + "unifiedFieldList.useGroupedFields.metaFieldsLabel": "Champs méta", + "unifiedFieldList.useGroupedFields.noAvailableDataLabel": "Aucun champ disponible ne contient de données.", + "unifiedFieldList.useGroupedFields.noEmptyDataLabel": "Aucun champ vide.", + "unifiedFieldList.useGroupedFields.noMetaDataLabel": "Aucun champ méta.", + "unifiedFieldList.useGroupedFields.selectedFieldsLabel": "Champs sélectionnés", + "unifiedHistogram.bucketIntervalTooltip": "Cet intervalle crée {bucketsDescription} pour permettre l’affichage dans la plage temporelle sélectionnée, il a donc été redimensionné vers {bucketIntervalDescription}.", + "unifiedHistogram.histogramTimeRangeIntervalDescription": "(intervalle : {value})", + "unifiedHistogram.hitsPluralTitle": "{formattedHits} {hits, plural, one {résultat} other {résultats}}", + "unifiedHistogram.partialHits": "≥ {formattedHits} {hits, plural, one {résultat} other {résultats}}", + "unifiedHistogram.timeIntervalWithValue": "Intervalle de temps : {timeInterval}", + "unifiedHistogram.bucketIntervalTooltip.tooLargeBucketsText": "des compartiments trop volumineux", + "unifiedHistogram.bucketIntervalTooltip.tooManyBucketsText": "un trop grand nombre de compartiments", + "unifiedHistogram.chartOptions": "Options de graphique", + "unifiedHistogram.chartOptionsButton": "Options de graphique", + "unifiedHistogram.editVisualizationButton": "Modifier la visualisation", + "unifiedHistogram.hideChart": "Masquer le graphique", + "unifiedHistogram.histogramOfFoundDocumentsAriaLabel": "Histogramme des documents détectés", + "unifiedHistogram.histogramTimeRangeIntervalAuto": "Auto", + "unifiedHistogram.hitCountSpinnerAriaLabel": "Nombre final de résultats toujours en chargement", + "unifiedHistogram.resetChartHeight": "Réinitialiser à la hauteur par défaut", + "unifiedHistogram.showChart": "Afficher le graphique", + "unifiedHistogram.timeIntervals": "Intervalles de temps", + "unifiedHistogram.timeIntervalWithValueWarning": "Avertissement", + "unifiedSearch.filter.filterBar.filterActionsMessage": "Filtre : {innerText}. Sélectionner pour plus d’actions de filtrage.", "unifiedSearch.filter.filterBar.filterItemBadgeIconAriaLabel": "Supprimer {filter}", + "unifiedSearch.filter.filterBar.filterString": "Filtre : {innerText}.", "unifiedSearch.filter.filterBar.labelWarningInfo": "Le champ {fieldName} n'existe pas dans la vue en cours.", + "unifiedSearch.filter.filtersBuilder.delimiterLabel": "{conditionType}", "unifiedSearch.kueryAutocomplete.andOperatorDescription": "Nécessite que {bothArguments} soient ''vrai''.", "unifiedSearch.kueryAutocomplete.equalOperatorDescription": "{equals} une certaine valeur", "unifiedSearch.kueryAutocomplete.existOperatorDescription": "{exists} sous un certain format", @@ -4891,6 +5319,7 @@ "unifiedSearch.kueryAutocomplete.lessThanOrEqualOperatorDescription": "est {lessThanOrEqualTo} une certaine valeur", "unifiedSearch.kueryAutocomplete.orOperatorDescription": "Nécessite qu’{oneOrMoreArguments} soit ''vrai''.", "unifiedSearch.query.queryBar.comboboxAriaLabel": "Rechercher et filtrer la page {pageType}", + "unifiedSearch.query.queryBar.indexPattern.createForMatchingIndices": "Explorer {indicesLength, plural,\n one {# index correspondant}\n other {# index correspondants}}", "unifiedSearch.query.queryBar.KQLNestedQuerySyntaxInfoText": "Il semblerait que votre requête porte sur un champ imbriqué. Selon le résultat visé, il existe plusieurs façons de construire une syntaxe KQL pour des requêtes imbriquées. Apprenez-en plus avec notre {link}.", "unifiedSearch.query.queryBar.searchInputAriaLabel": "Commencer à taper pour rechercher et filtrer la page {pageType}", "unifiedSearch.query.queryBar.searchInputPlaceholder": "Filtrer vos données à l'aide de la syntaxe {language}", @@ -4991,6 +5420,12 @@ "unifiedSearch.filter.filterEditor.valueSelectPlaceholder": "Sélectionner une valeur", "unifiedSearch.filter.filterEditor.valuesSelectLabel": "Valeurs", "unifiedSearch.filter.filterEditor.valuesSelectPlaceholder": "Sélectionner des valeurs", + "unifiedSearch.filter.filtersBuilder.addAndFilterGroupButtonIcon": "Ajouter un groupe de filtres avec AND", + "unifiedSearch.filter.filtersBuilder.addOrFilterGroupButtonIcon": "Ajouter un groupe de filtres avec OR", + "unifiedSearch.filter.filtersBuilder.deleteFilterGroupButtonIcon": "Supprimer le groupe de filtres", + "unifiedSearch.filter.filtersBuilder.fieldSelectPlaceholder": "Sélectionner d'abord un champ", + "unifiedSearch.filter.filtersBuilder.operatorSelectPlaceholderSelect": "Sélectionner", + "unifiedSearch.filter.filtersBuilder.operatorSelectPlaceholderWaiting": "En attente", "unifiedSearch.filter.options.addFilterButtonLabel": "Ajouter un filtre", "unifiedSearch.filter.options.applyAllFiltersButtonLabel": "Appliquer à tous", "unifiedSearch.filter.options.clearllFiltersButtonLabel": "Tout effacer", @@ -5025,6 +5460,7 @@ "unifiedSearch.query.queryBar.indexPattern.findDataView": "Rechercher une vue de données", "unifiedSearch.query.queryBar.indexPattern.findFilterSet": "Rechercher une requête enregistrée", "unifiedSearch.query.queryBar.indexPattern.manageFieldButton": "Gérer cette vue de données", + "unifiedSearch.query.queryBar.indexPattern.temporaryDataviewLabel": "Temporaire", "unifiedSearch.query.queryBar.indexPattern.textBasedLangSwitchWarning": "Un changement de vue de données supprime la requête SQL en cours. Sauvegardez cette recherche pour ne pas perdre de travail.", "unifiedSearch.query.queryBar.indexPattern.textBasedLanguagesLabel": "Langages de requête à base de texte", "unifiedSearch.query.queryBar.indexPattern.textBasedLanguagesTransitionModalBody": "Un changement de vue de données supprime la requête SQL en cours. Sauvegardez cette recherche pour ne pas perdre de travail.", @@ -5039,6 +5475,7 @@ "unifiedSearch.query.queryBar.luceneLanguageName": "Lucene", "unifiedSearch.query.queryBar.searchInputPlaceholderForText": "Filtrer vos données", "unifiedSearch.query.queryBar.syntaxOptionsTitle": "Options de syntaxe", + "unifiedSearch.query.queryBar.textBasedLanguagesTechPreviewLabel": "Version d'évaluation technique", "unifiedSearch.query.textBasedLanguagesEditor.aggregateFunctions": "Fonctions agrégées", "unifiedSearch.query.textBasedLanguagesEditor.aggregateFunctionsDocumentationDescription": "Fonctions permettant de calculer un résultat unique à partir d'un ensemble de valeurs d'entrée. Elasticsearch SQL ne prend en charge les fonctions agrégées que parallèlement au regroupement (implicite ou explicite).", "unifiedSearch.query.textBasedLanguagesEditor.comparisonOperators": "Opérateurs de comparaison", @@ -5114,6 +5551,12 @@ "unifiedSearch.switchLanguage.buttonText": "Bouton de changement de langue.", "unifiedSearch.triggers.updateFilterReferencesTrigger": "Mettre à jour les références de filtre", "unifiedSearch.triggers.updateFilterReferencesTriggerDescription": "Mettre à jour les références de filtre", + "userProfileComponents.userProfilesSelectable.limitReachedMessage": "Vous avez sélectionné la limite maximale de {count, plural, one {# utilisateur} other {# utilisateurs}}", + "userProfileComponents.userProfilesSelectable.selectedStatusMessage": "{count, plural, one {# utilisateur sélectionné} other {# utilisateurs sélectionnés}}", + "userProfileComponents.userProfilesSelectable.clearButtonLabel": "Retirer tous les utilisateurs", + "userProfileComponents.userProfilesSelectable.defaultOptionsLabel": "Suggérée", + "userProfileComponents.userProfilesSelectable.nullOptionLabel": "Aucun utilisateur", + "userProfileComponents.userProfilesSelectable.searchPlaceholder": "Recherche", "visDefaultEditor.agg.disableAggButtonTooltip": "Désactiver l'agrégation {aggTitle} de {schemaTitle}", "visDefaultEditor.agg.enableAggButtonTooltip": "Activer l'agrégation {aggTitle} de {schemaTitle}", "visDefaultEditor.agg.errorsAriaLabel": "L'agrégation {aggTitle} de {schemaTitle} présente des erreurs.", @@ -5436,6 +5879,7 @@ "visTypeTimeseries.annotationsEditor.ignorePanelFiltersLabel": "Ignorer les filtres de panneau ?", "visTypeTimeseries.annotationsEditor.queryStringLabel": "Chaîne de requête", "visTypeTimeseries.annotationsEditor.rowTemplateLabel": "Modèle de ligne (requis)", + "visTypeTimeseries.annotationsEditor.timeFieldLabel": "Champ temporel", "visTypeTimeseries.calculateLabel.bucketScriptsLabel": "Script de compartiment", "visTypeTimeseries.calculateLabel.countLabel": "Décompte", "visTypeTimeseries.calculateLabel.filterRatioLabel": "Rapport de filtre", @@ -5565,6 +6009,7 @@ "visTypeTimeseries.indexPatternSelect.switchModePopover.areaLabel": "Configurer le mode de sélection de la vue de données", "visTypeTimeseries.indexPatternSelect.switchModePopover.title": "Mode de vue de données", "visTypeTimeseries.indexPatternSelect.switchModePopover.useKibanaIndices": "Utiliser des vues de données Kibana", + "visTypeTimeseries.indexPatternSelect.updateIndex": "Mettre à jour la visualisation avec la vue de données saisie", "visTypeTimeseries.kbnVisTypes.metricsDescription": "Réalisez des analyses avancées de vos données temporelles.", "visTypeTimeseries.kbnVisTypes.metricsTitle": "TSVB", "visTypeTimeseries.lastValueModeIndicator.lastValue": "Dernière valeur", @@ -5975,6 +6420,7 @@ "visTypeVislib.vislib.tooltip.valueLabel": "valeur", "visTypeXy.controls.pointSeries.seriesAccordionAriaLabel": "Basculer les options {agg}", "visTypeXy.controls.pointSeries.valueAxes.toggleOptionsAriaLabel": "Basculer les options {axisName}", + "visTypeXy.allDocsTitle": "Tous les docs", "visTypeXy.area.areaDescription": "Mettez en avant les données entre un axe et une ligne.", "visTypeXy.area.areaTitle": "Aire", "visTypeXy.area.groupTitle": "Diviser la série", @@ -6230,517 +6676,126 @@ "xpack.actions.serverSideErrors.predefinedActionDeleteDisabled": "L'action préconfigurée {id} n'est pas autorisée à effectuer des suppressions.", "xpack.actions.serverSideErrors.predefinedActionUpdateDisabled": "L'action préconfigurée {id} n'est pas autorisée à effectuer des mises à jour.", "xpack.actions.serverSideErrors.unavailableLicenseErrorMessage": "Le type d'action {actionTypeId} est désactivé, car les informations de licence ne sont pas disponibles actuellement.", + "xpack.actions.subActionsFramework.urlValidationError": "Erreur lors de la validation de l'URL : {message}", "xpack.actions.urlAllowedHostsConfigurationError": "Le {field} cible \"{value}\" n'est pas ajouté à la configuration Kibana xpack.actions.allowedHosts", "xpack.actions.alertHistoryEsIndexConnector.name": "Index Elasticsearch d'historique d'alertes", "xpack.actions.appName": "Actions", "xpack.actions.availableConnectorFeatures.alerting": "Alerting", "xpack.actions.availableConnectorFeatures.cases": "Cas", + "xpack.actions.availableConnectorFeatures.compatibility.alertingRules": "Règles d'alerting", + "xpack.actions.availableConnectorFeatures.compatibility.cases": "Cas", "xpack.actions.availableConnectorFeatures.securitySolution": "Solution de sécurité", "xpack.actions.availableConnectorFeatures.uptime": "Uptime", + "xpack.actions.builtin.cases.jiraTitle": "Jira", "xpack.actions.featureRegistry.actionsFeatureName": "Actions et connecteurs", "xpack.actions.savedObjects.goToConnectorsButtonText": "Accéder aux connecteurs", "xpack.actions.serverSideErrors.unavailableLicenseInformationErrorMessage": "Les actions sont indisponibles - les informations de licence ne sont pas disponibles actuellement.", - "xpack.stackConnectors.casesWebhook.configurationError": "erreur lors de la configuration de l'action webhook des cas : {err}", - "xpack.stackConnectors.casesWebhook.configurationErrorNoHostname": "erreur lors de la configuration de l'action webhook des cas : impossible d'analyser l'url {url} : {err}", - "xpack.stackConnectors.casesWebhook.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", - "xpack.stackConnectors.resilient.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", - "xpack.stackConnectors.serviceNow.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", - "xpack.stackConnectors.serviceNow.configuration.apiValidateMissingOAuthFieldError": "{field} doit être fourni quand isOAuth = {isOAuth}", - "xpack.stackConnectors.serviceNow.configuration.apiValidateOAuthFieldError": "{field} ne doit pas être fourni quand isOAuth = {isOAuth}", - "xpack.stackConnectors.email.customViewInKibanaMessage": "Ce message a été envoyé par Kibana. [{kibanaFooterLinkText}]({link}).", - "xpack.stackConnectors.jira.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", - "xpack.stackConnectors.pagerduty.invalidTimestampErrorMessage": "erreur lors de l'analyse de l'horodatage \"{timestamp}\"", - "xpack.stackConnectors.pagerduty.missingDedupkeyErrorMessage": "DedupKey est requis lorsque eventAction est \"{eventAction}\"", - "xpack.stackConnectors.pagerduty.configurationError": "erreur lors de la configuration de l'action pagerduty : {message}", - "xpack.stackConnectors.pagerduty.postingRetryErrorMessage": "erreur lors de la publication de l'événement pagerduty : statut http {status}, réessayer ultérieurement", - "xpack.stackConnectors.pagerduty.postingUnexpectedErrorMessage": "erreur lors de la publication de l'événement pagerduty : statut inattendu {status}", - "xpack.stackConnectors.pagerduty.timestampParsingFailedErrorMessage": "erreur lors de l'analyse de l'horodatage \"{timestamp}\" : {message}", - "xpack.stackConnectors.slack.errorPostingRetryDateErrorMessage": "erreur lors de la publication d'un message slack, réessayer à cette date/heure : {retryString}", - "xpack.stackConnectors.slack.configurationError": "erreur lors de la configuration de l'action slack : {message}", - "xpack.stackConnectors.slack.unexpectedHttpResponseErrorMessage": "réponse http inattendue de Slack : {httpStatus} {httpStatusText}", - "xpack.stackConnectors.swimlane.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", - "xpack.stackConnectors.teams.errorPostingRetryDateErrorMessage": "erreur lors de la publication d'un message Microsoft Teams, réessayer à cette date/heure : {retryString}", - "xpack.stackConnectors.teams.configurationError": "erreur lors de la configuration de l'action teams : {message}", - "xpack.stackConnectors.webhook.invalidResponseRetryDateErrorMessage": "erreur lors de l'appel de webhook, réessayer à cette date/heure : {retryString}", - "xpack.stackConnectors.webhook.configurationError": "erreur lors de la configuration de l'action webhook : {message}", - "xpack.stackConnectors.webhook.configurationErrorNoHostname": "erreur lors de la configuration de l'action webhook : impossible d'analyser l'url : {err}", - "xpack.stackConnectors.xmatters.postingRetryErrorMessage": "Erreur lors du déclenchement du flux xMatters : statut http {status}, réessayer plus tard", - "xpack.stackConnectors.xmatters.unexpectedStatusErrorMessage": "Erreur de déclenchement du flux xMatters : statut inattendu {status}", - "xpack.stackConnectors.xmatters.configurationError": "Erreur lors de la configuration de l'action xMatters : {message}", - "xpack.stackConnectors.xmatters.configurationErrorNoHostname": "Erreur lors de la configuration de l'action xMatters : impossible d'analyser l'url : {err}", - "xpack.stackConnectors.xmatters.hostnameNotAllowed": "{message}", - "xpack.stackConnectors.xmatters.invalidUrlError": "secretsUrl non valide : {err}", - "xpack.stackConnectors.casesWebhook.title": "Webhook - Gestion des cas", - "xpack.stackConnectors.jira.title": "Jira", - "xpack.stackConnectors.resilient.title": "IBM Resilient", - "xpack.stackConnectors.casesWebhook.invalidUsernamePassword": "l'utilisateur et le mot de passe doivent être spécifiés", - "xpack.stackConnectors.serviceNow.configuration.apiBasicAuthCredentialsError": "le nom d'utilisateur et le mot de passe doivent être tous deux spécifiés", - "xpack.stackConnectors.serviceNow.configuration.apiCredentialsError": "Les informations d'identification auth ou OAuth de base doivent être spécifiées", - "xpack.stackConnectors.serviceNow.configuration.apiOAuthCredentialsError": "clientSecret et privateKey doivent tous deux être spécifiés", - "xpack.stackConnectors.email.errorSendingErrorMessage": "erreur lors de l'envoi de l'e-mail", - "xpack.stackConnectors.email.kibanaFooterLinkText": "Accéder à Kibana", - "xpack.stackConnectors.email.sentByKibanaMessage": "Ce message a été envoyé par Kibana.", - "xpack.stackConnectors.email.title": "E-mail", - "xpack.stackConnectors.esIndex.errorIndexingErrorMessage": "erreur lors de l'indexation des documents", - "xpack.stackConnectors.esIndex.title": "Index", - "xpack.stackConnectors.pagerduty.postingErrorMessage": "erreur lors de la publication de l'événement pagerduty", - "xpack.stackConnectors.pagerduty.title": "PagerDuty", - "xpack.stackConnectors.serverLog.errorLoggingErrorMessage": "erreur lors du logging du message", - "xpack.stackConnectors.serverLog.title": "Log de serveur", - "xpack.stackConnectors.serviceNowITOM.title": "ServiceNow ITOM", - "xpack.stackConnectors.serviceNowITSM.title": "ServiceNow ITSM", - "xpack.stackConnectors.serviceNowSIR.title": "ServiceNow SecOps", - "xpack.stackConnectors.serviceNow.title": "ServiceNow", - "xpack.stackConnectors.slack.errorPostingErrorMessage": "erreur lors de la publication du message slack", - "xpack.stackConnectors.slack.errorPostingRetryLaterErrorMessage": "erreur lors de la publication d'un message slack, réessayer ultérieurement", - "xpack.stackConnectors.slack.configurationErrorNoHostname": "erreur lors de la configuration de l'action slack : impossible d'analyser le nom de l'hôte depuis webhookUrl", - "xpack.stackConnectors.slack.unexpectedNullResponseErrorMessage": "réponse nulle inattendue de Slack", - "xpack.stackConnectors.slack.title": "Slack", - "xpack.stackConnectors.swimlane.title": "Swimlane", - "xpack.stackConnectors.teams.errorPostingRetryLaterErrorMessage": "erreur lors de la publication d'un message Microsoft Teams, réessayer ultérieurement", - "xpack.stackConnectors.teams.invalidResponseErrorMessage": "erreur lors de la publication sur Microsoft Teams, réponse non valide", - "xpack.stackConnectors.teams.configurationErrorNoHostname": "erreur lors de la configuration de l'action teams : impossible d'analyser le nom de l'hôte depuis webhookUrl", - "xpack.stackConnectors.teams.unreachableErrorMessage": "erreur lors de la publication sur Microsoft Teams, erreur inattendue", - "xpack.stackConnectors.teams.title": "Microsoft Teams", - "xpack.stackConnectors.webhook.invalidResponseErrorMessage": "erreur lors de l'appel de webhook, réponse non valide", - "xpack.stackConnectors.webhook.invalidResponseRetryLaterErrorMessage": "erreur lors de l'appel de webhook, réessayer ultérieurement", - "xpack.stackConnectors.webhook.invalidUsernamePassword": "l'utilisateur et le mot de passe doivent être spécifiés", - "xpack.stackConnectors.webhook.requestFailedErrorMessage": "erreur lors de l'appel de webhook, requête échouée", - "xpack.stackConnectors.webhook.unreachableErrorMessage": "erreur lors de l'appel de webhook, erreur inattendue", - "xpack.stackConnectors.webhook.title": "Webhook", - "xpack.stackConnectors.xmatters.invalidUsernamePassword": "L'utilisateur et le mot de passe doivent être spécifiés.", - "xpack.stackConnectors.xmatters.missingConfigUrl": "Fournir une configUrl valide", - "xpack.stackConnectors.xmatters.missingPassword": "Fournir un mot de passe valide", - "xpack.stackConnectors.xmatters.missingSecretsUrl": "Fournir une secretsUrl valide avec la clé d'API", - "xpack.stackConnectors.xmatters.missingUser": "Fournir un nom d'utilisateur valide", - "xpack.stackConnectors.xmatters.noSecretsProvided": "Fournir le lien secretsUrl ou le nom d'utilisateur/le mot de passe pour vous authentifier", - "xpack.stackConnectors.xmatters.noUserPassWhenSecretsUrl": "Impossible d'utiliser le nom d'utilisateur/le mot de passe pour l'authentification de l'URL. Fournir une secretsUrl valide ou utiliser l'authentification de base.", - "xpack.stackConnectors.xmatters.postingErrorMessage": "Erreur de déclenchement du workflow xMatters", - "xpack.stackConnectors.xmatters.shouldNotHaveConfigUrl": "configUrl ne doit pas être fournie lorsque usesBasic est faux", - "xpack.stackConnectors.xmatters.shouldNotHaveSecretsUrl": "secretsUrl ne doit pas être fournie lorsque usesBasic est vrai", - "xpack.stackConnectors.xmatters.shouldNotHaveUsernamePassword": "Le nom d'utilisateur et le mot de passe ne doivent pas être fournis lorsque usesBasic est faux", - "xpack.stackConnectors.xmatters.title": "xMatters", - "xpack.stackConnectors.components.casesWebhook.error.missingVariables": "{variableCount, plural, one {Variable obligatoire manquante} other {Variables obligatoires manquantes}} : {variables}", - "xpack.stackConnectors.components.index.preconfiguredIndexHelpText": "Les documents sont indexés dans l'index {alertHistoryIndex}. ", - "xpack.stackConnectors.components.jira.unableToGetIssueMessage": "Impossible d'obtenir le problème ayant l'ID {id}", - "xpack.stackConnectors.components.pagerDuty.error.invalidTimestamp": "L'horodatage doit être une date valide, telle que {nowShortFormat} ou {nowLongFormat}.", - "xpack.stackConnectors.components.serviceNow.apiInfoError": "Statut reçu : {status} lors de la tentative d'obtention d'informations sur l'application", - "xpack.stackConnectors.components.serviceNow.appInstallationInfo": "{update} {create} ", - "xpack.stackConnectors.components.serviceNow.updateSuccessToastTitle": "Connecteur {connectorName} mis à jour", - "xpack.stackConnectors.components.serviceNow.apiUrlHelpLabel": "Fournissez l'URL complète vers l'instance ServiceNow souhaitée. Si vous n'en avez pas, {instance}.", - "xpack.stackConnectors.components.serviceNow.appRunning": "L'application Elastic de l'app store ServiceNow doit être installée avant d'exécuter la mise à jour. {visitLink} pour installer l'application", - "xpack.stackConnectors.components.swimlane.unableToGetApplicationMessage": "Impossible d'obtenir l'application avec l'ID {id}", - "xpack.stackConnectors.components.casesWebhook.commentsTextAreaFieldLabel": "Commentaires supplémentaires", - "xpack.stackConnectors.components.casesWebhook.descriptionTextAreaFieldLabel": "Description", - "xpack.stackConnectors.components.casesWebhook.tagsFieldLabel": "Balises", - "xpack.stackConnectors.components.casesWebhook.titleFieldLabel": "Résumé (requis)", - "xpack.stackConnectors.components.casesWebhook.addHeaderButton": "Ajouter", - "xpack.stackConnectors.components.casesWebhook.addVariable": "Ajouter une variable", - "xpack.stackConnectors.components.casesWebhook.authenticationLabel": "Authentification", - "xpack.stackConnectors.components.casesWebhook.caseCommentDesc": "Commentaire de cas Kibana", - "xpack.stackConnectors.components.casesWebhook.caseDescriptionDesc": "Description de cas Kibana", - "xpack.stackConnectors.components.casesWebhook.caseTagsDesc": "Balises de cas Kibana", - "xpack.stackConnectors.components.casesWebhook.caseTitleDesc": "Titre de cas Kibana", - "xpack.stackConnectors.components.casesWebhook.createCommentJsonHelp": "Objet JSON pour créer un commentaire. Utilisez le sélecteur de variable pour ajouter des données de cas à la charge de travail.", - "xpack.stackConnectors.components.casesWebhook.createCommentJsonTextFieldLabel": "Objet de création de commentaire", - "xpack.stackConnectors.components.casesWebhook.createCommentMethodTextFieldLabel": "Méthode de création de commentaire", - "xpack.stackConnectors.components.casesWebhook.createCommentUrlHelp": "URL de l'API pour ajouter un commentaire au cas.", - "xpack.stackConnectors.components.casesWebhook.createCommentUrlTextFieldLabel": "URL de création de commentaire", - "xpack.stackConnectors.components.casesWebhook.createIncidentJsonHelpText": "Objet JSON pour créer un cas. Utilisez le sélecteur de variable pour ajouter des données de cas à la charge de travail.", - "xpack.stackConnectors.components.casesWebhook.createIncidentJsonTextFieldLabel": "Objet de création de cas", - "xpack.stackConnectors.components.casesWebhook.createIncidentMethodTextFieldLabel": "Méthode de création de cas", - "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyHelpText": "Clé JSON dans la réponse de création de cas qui contient l'ID de cas externe", - "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyTextFieldLabel": "Clé de cas pour la réponse de création de cas", - "xpack.stackConnectors.components.casesWebhook.createIncidentUrlTextFieldLabel": "URL de création de cas", - "xpack.stackConnectors.components.casesWebhook.deleteHeaderButton": "Supprimer", - "xpack.stackConnectors.components.casesWebhook.docLink": "Configuration de Webhook - Connecteur de gestion des cas.", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentIncidentText": "L'objet de création de commentaire doit être un JSON valide.", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentUrlText": "L'URL de création de commentaire doit être au format URL.", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentText": "L'objet de création de cas est requis et doit être un JSON valide.", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateUrlText": "L'URL de création de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentUrlText": "L'URL d'obtention de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateIncidentText": "L'objet de mise à jour de cas est requis et doit être un JSON valide.", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateUrlText": "L'URL de mise à jour de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.externalIdDesc": "ID du système externe", - "xpack.stackConnectors.components.casesWebhook.externalTitleDesc": "Titre du système externe", - "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyHelp": "Clé JSON dans la réponse d’obtention de cas qui contient le titre de cas externe", - "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyTextFieldLabel": "Clé de titre externe pour la réponse d’obtention de cas", - "xpack.stackConnectors.components.casesWebhook.getIncidentUrlHelp": "URL d’API pour le JSON de détails d’obtention de cas provenant d’un système externe. Utilisez le sélecteur de variable pour ajouter à l’URL l'ID du système externe.", - "xpack.stackConnectors.components.casesWebhook.getIncidentUrlTextFieldLabel": "URL d’obtention de cas", - "xpack.stackConnectors.components.casesWebhook.hasAuthSwitchLabel": "Demander une authentification pour ce webhook", - "xpack.stackConnectors.components.casesWebhook.httpHeadersTitle": "En-têtes utilisés", - "xpack.stackConnectors.components.casesWebhook.jsonCodeEditorAriaLabel": "Éditeur de code", - "xpack.stackConnectors.components.casesWebhook.jsonFieldLabel": "JSON", - "xpack.stackConnectors.components.casesWebhook.keyTextFieldLabel": "Clé", - "xpack.stackConnectors.components.casesWebhook.next": "Suivant", - "xpack.stackConnectors.components.casesWebhook.passwordTextFieldLabel": "Mot de passe", - "xpack.stackConnectors.components.casesWebhook.previous": "Précédent", - "xpack.stackConnectors.components.casesWebhook.selectMessageText": "Envoyer une requête à un service web de gestion de cas.", - "xpack.stackConnectors.components.casesWebhook.step1": "Configurer le connecteur", - "xpack.stackConnectors.components.casesWebhook.step2": "Créer un cas", - "xpack.stackConnectors.components.casesWebhook.step2Description": "Définissez les champs pour créer le cas dans le système externe. Consultez la documentation de l'API de votre service pour savoir quels sont les champs obligatoires", - "xpack.stackConnectors.components.casesWebhook.step3": "Informations sur l’obtention de cas", - "xpack.stackConnectors.components.casesWebhook.step3Description": "Définissez les champs pour ajouter des commentaires au cas dans le système externe. Pour certains systèmes, cela peut être la même méthode que pour la création de mises à jour dans les cas. Consultez la documentation de l'API de votre service pour savoir quels sont les champs obligatoires.", - "xpack.stackConnectors.components.casesWebhook.step4": "Commentaires et mises à jour", - "xpack.stackConnectors.components.casesWebhook.step4a": "Créer une mise à jour dans le cas", - "xpack.stackConnectors.components.casesWebhook.step4aDescription": "Définissez les champs pour créer des mises à jour du cas dans le système externe. Pour certains systèmes, cela peut être la même méthode que pour l’ajout de commentaires aux cas.", - "xpack.stackConnectors.components.casesWebhook.step4b": "Ajouter un commentaire dans le cas", - "xpack.stackConnectors.components.casesWebhook.step4bDescription": "Définissez les champs pour ajouter des commentaires au cas dans le système externe. Pour certains systèmes, cela peut être la même méthode que pour la création de mises à jour dans les cas.", - "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonHelpl": "Objet JSON pour mettre à jour le cas. Utilisez le sélecteur de variable pour ajouter des données de cas à la charge de travail.", - "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonTextFieldLabel": "Objet de mise à jour de cas", - "xpack.stackConnectors.components.casesWebhook.updateIncidentMethodTextFieldLabel": "Méthode de mise à jour de cas", - "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlHelp": "URL d’API pour mettre à jour le cas.", - "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlTextFieldLabel": "URL de mise à jour du cas", - "xpack.stackConnectors.components.casesWebhook.userTextFieldLabel": "Nom d'utilisateur", - "xpack.stackConnectors.components.casesWebhook.valueTextFieldLabel": "Valeur", - "xpack.stackConnectors.components.casesWebhook.viewHeadersSwitch": "Ajouter un en-tête HTTP", - "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlHelp": "URL pour voir le cas dans le système externe. Utilisez le sélecteur de variable pour ajouter à l’URL l'ID ou le titre du système externe.", - "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlTextFieldLabel": "URL de visualisation de cas externe", - "xpack.stackConnectors.components.serviceNow.requiredShortDescTextField": "Une brève description est requise.", - "xpack.stackConnectors.components.email.exchangeForm.clientIdHelpLabel": "Configurer l'ID client", - "xpack.stackConnectors.components.email.exchangeForm.clientSecretHelpLabel": "Configurer l'identifiant client secret", - "xpack.stackConnectors.components.email.exchangeForm.tenantIdHelpLabel": "Configurer l'ID locataire", - "xpack.stackConnectors.components.email.connectorTypeTitle": "Envoyer vers la messagerie électronique", - "xpack.stackConnectors.components.email.amazonSesServerTypeLabel": "Amazon SES", - "xpack.stackConnectors.components.email.configureAccountsHelpLabel": "Configurer les comptes de messagerie électronique", - "xpack.stackConnectors.components.email.elasticCloudServerTypeLabel": "Elastic Cloud", - "xpack.stackConnectors.components.email.exchangeServerTypeLabel": "MS Exchange Server", - "xpack.stackConnectors.components.email.gmailServerTypeLabel": "Gmail", - "xpack.stackConnectors.components.email.otherServerTypeLabel": "Autre", - "xpack.stackConnectors.components.email.outlookServerTypeLabel": "Outlook", - "xpack.stackConnectors.components.email.selectMessageText": "Envoyez un e-mail à partir de votre serveur.", - "xpack.stackConnectors.components.email.updateErrorNotificationText": "Impossible d’obtenir la configuration du service", - "xpack.stackConnectors.components.index.error.badIndexOverrideSuffix": "L'index d'historique d'alertes doit contenir un suffixe valide.", - "xpack.stackConnectors.components.email.error.invalidPortText": "Le port n'est pas valide.", - "xpack.stackConnectors.components.email.error.requiredAuthUserNameText": "Le nom d'utilisateur est requis.", - "xpack.stackConnectors.components.email.error.requiredClientIdText": "L'ID client est requis.", - "xpack.stackConnectors.components.index.error.requiredDocumentJson": "Le document est requis et doit être un objet JSON valide.", - "xpack.stackConnectors.components.email.error.requiredEntryText": "Aucune entrée À, Cc ou Cci. Au moins une entrée est requise.", - "xpack.stackConnectors.components.email.error.requiredFromText": "L'expéditeur est requis.", - "xpack.stackConnectors.components.email.error.requiredHostText": "L'hôte est requis.", - "xpack.stackConnectors.components.email.error.requiredMessageText": "Le message est requis.", - "xpack.stackConnectors.components.email.error.requiredPortText": "Le port est requis.", - "xpack.stackConnectors.components.serverLog.error.requiredServerLogMessageText": "Le message est requis.", - "xpack.stackConnectors.components.email.error.requiredServiceText": "Le service est requis.", - "xpack.stackConnectors.components.email.error.requiredSubjectText": "Le sujet est requis.", - "xpack.stackConnectors.components.email.error.requiredTenantIdText": "L'ID locataire est requis.", - "xpack.stackConnectors.components.webhook.error.requiredWebhookBodyText": "Le corps est requis.", - "xpack.stackConnectors.components.casesWebhook.error.requiredWebhookSummaryText": "Le titre est requis.", - "xpack.stackConnectors.components.index.connectorTypeTitle": "Données d'index", - "xpack.stackConnectors.components.index.configureIndexHelpLabel": "Configuration du connecteur d'index.", - "xpack.stackConnectors.components.index.connectorSectionTitle": "Écrire dans l'index", - "xpack.stackConnectors.components.index.definedateFieldTooltip": "Définissez ce champ temporel sur l'heure à laquelle le document a été indexé.", - "xpack.stackConnectors.components.index.defineTimeFieldLabel": "Définissez l'heure pour chaque document", - "xpack.stackConnectors.components.index.documentsFieldLabel": "Document à indexer", - "xpack.stackConnectors.components.index.error.notValidIndexText": "L’index n’est pas valide.", - "xpack.stackConnectors.components.index.executionTimeFieldLabel": "Champ temporel", - "xpack.stackConnectors.components.index.howToBroadenSearchQueryDescription": "Utilisez le caractère * pour élargir votre recherche.", - "xpack.stackConnectors.components.index.indexDocumentHelpLabel": "Exemple de document d'index.", - "xpack.stackConnectors.components.index.indicesToQueryLabel": "Index", - "xpack.stackConnectors.components.index.jsonDocAriaLabel": "Éditeur de code", - "xpack.stackConnectors.components.index.preconfiguredIndex": "Index Elasticsearch", - "xpack.stackConnectors.components.index.preconfiguredIndexDocLink": "Affichez les documents.", - "xpack.stackConnectors.components.index.refreshLabel": "Actualiser l'index", - "xpack.stackConnectors.components.index.refreshTooltip": "Actualisez les partitions affectées pour rendre cette opération visible pour la recherche.", - "xpack.stackConnectors.components.index.selectMessageText": "Indexez les données dans Elasticsearch.", - "xpack.stackConnectors.components.jira.connectorTypeTitle": "Jira", - "xpack.stackConnectors.components.jira.apiTokenTextFieldLabel": "Token d'API", - "xpack.stackConnectors.components.jira.apiUrlTextFieldLabel": "URL", - "xpack.stackConnectors.components.jira.commentsTextAreaFieldLabel": "Commentaires supplémentaires", - "xpack.stackConnectors.components.jira.descriptionTextAreaFieldLabel": "Description", - "xpack.stackConnectors.components.jira.emailTextFieldLabel": "Adresse e-mail", - "xpack.stackConnectors.components.jira.impactSelectFieldLabel": "Étiquettes", - "xpack.stackConnectors.components.jira.labelsSpacesErrorMessage": "Les étiquettes ne peuvent pas contenir d'espaces.", - "xpack.stackConnectors.components.jira.parentIssueSearchLabel": "Problème parent", - "xpack.stackConnectors.components.jira.projectKey": "Clé de projet", - "xpack.stackConnectors.components.jira.requiredSummaryTextField": "Le résumé est requis.", - "xpack.stackConnectors.components.jira.searchIssuesComboBoxAriaLabel": "Taper pour rechercher", - "xpack.stackConnectors.components.jira.searchIssuesComboBoxPlaceholder": "Taper pour rechercher", - "xpack.stackConnectors.components.jira.searchIssuesLoading": "Chargement...", - "xpack.stackConnectors.components.jira.selectMessageText": "Créez un incident dans Jira.", - "xpack.stackConnectors.components.jira.severitySelectFieldLabel": "Priorité", - "xpack.stackConnectors.components.jira.summaryFieldLabel": "Résumé (requis)", - "xpack.stackConnectors.components.jira.unableToGetFieldsMessage": "Impossible d'obtenir les champs", - "xpack.stackConnectors.components.jira.unableToGetIssuesMessage": "Impossible d'obtenir les problèmes", - "xpack.stackConnectors.components.jira.unableToGetIssueTypesMessage": "Impossible d'obtenir les types d'erreurs", - "xpack.stackConnectors.components.jira.urgencySelectFieldLabel": "Type d'erreur", - "xpack.stackConnectors.components.pagerDuty.connectorTypeTitle": "Envoyer à PagerDuty", - "xpack.stackConnectors.components.pagerDuty.apiUrlInvalid": "URL d’API non valide", - "xpack.stackConnectors.components.pagerDuty.apiUrlTextFieldLabel": "URL de l'API (facultative)", - "xpack.stackConnectors.components.pagerDuty.classFieldLabel": "Classe (facultative)", - "xpack.stackConnectors.components.pagerDuty.componentTextFieldLabel": "Composant (facultatif)", - "xpack.stackConnectors.components.pagerDuty.dedupKeyTextFieldLabel": "DedupKey (facultatif)", - "xpack.stackConnectors.components.pagerDuty.dedupKeyTextRequiredFieldLabel": "DedupKey", - "xpack.stackConnectors.components.pagerDuty.error.requiredDedupKeyText": "DedupKey est requis lors de la résolution ou de la reconnaissance d'un incident.", - "xpack.stackConnectors.components.pagerDuty.error.requiredRoutingKeyText": "Une clé d'intégration / clé de routage est requise.", - "xpack.stackConnectors.components.pagerDuty.error.requiredSummaryText": "Le résumé est requis.", - "xpack.stackConnectors.components.pagerDuty.eventActionSelectFieldLabel": "Action de l'événement", - "xpack.stackConnectors.components.pagerDuty.eventSelectAcknowledgeOptionLabel": "Reconnaissance", - "xpack.stackConnectors.components.pagerDuty.eventSelectResolveOptionLabel": "Résoudre", - "xpack.stackConnectors.components.pagerDuty.eventSelectTriggerOptionLabel": "Déclencher", - "xpack.stackConnectors.components.pagerDuty.groupTextFieldLabel": "Regrouper (facultatif)", - "xpack.stackConnectors.components.pagerDuty.routingKeyNameHelpLabel": "Configurer un compte PagerDuty", - "xpack.stackConnectors.components.pagerDuty.routingKeyTextFieldLabel": "Clé d'intégration", - "xpack.stackConnectors.components.pagerDuty.selectMessageText": "Envoyez un événement dans PagerDuty.", - "xpack.stackConnectors.components.pagerDuty.severitySelectCriticalOptionLabel": "Critique", - "xpack.stackConnectors.components.pagerDuty.severitySelectErrorOptionLabel": "Erreur", - "xpack.stackConnectors.components.pagerDuty.severitySelectFieldLabel": "Sévérité (facultative)", - "xpack.stackConnectors.components.pagerDuty.severitySelectInfoOptionLabel": "Info", - "xpack.stackConnectors.components.pagerDuty.severitySelectWarningOptionLabel": "Avertissement", - "xpack.stackConnectors.components.pagerDuty.sourceTextFieldLabel": "Source (facultative)", - "xpack.stackConnectors.components.pagerDuty.summaryFieldLabel": "Résumé", - "xpack.stackConnectors.components.pagerDuty.timestampTextFieldLabel": "Horodatage (facultatif)", - "xpack.stackConnectors.components.resilient.connectorTypeTitle": "Résilient", - "xpack.stackConnectors.components.resilient.apiKeyId": "ID de clé d'API", - "xpack.stackConnectors.components.resilient.apiKeySecret": "Secret de clé d'API", - "xpack.stackConnectors.components.resilient.apiUrlTextFieldLabel": "URL", - "xpack.stackConnectors.components.resilient.commentsTextAreaFieldLabel": "Commentaires supplémentaires", - "xpack.stackConnectors.components.resilient.descriptionTextAreaFieldLabel": "Description", - "xpack.stackConnectors.components.resilient.nameFieldLabel": "Nom (requis)", - "xpack.stackConnectors.components.resilient.orgId": "ID d'organisation", - "xpack.stackConnectors.components.resilient.requiredNameTextField": "Un nom est requis.", - "xpack.stackConnectors.components.resilient.selectMessageText": "Créez un incident dans IBM Resilient.", - "xpack.stackConnectors.components.resilient.severity": "Sévérité", - "xpack.stackConnectors.components.resilient.unableToGetIncidentTypesMessage": "Impossible d'obtenir les types d'incidents", - "xpack.stackConnectors.components.resilient.unableToGetSeverityMessage": "Impossible d'obtenir la sévérité", - "xpack.stackConnectors.components.resilient.urgencySelectFieldLabel": "Type d'incident", - "xpack.stackConnectors.components.serverLog.connectorTypeTitle": "Envoyer vers le log de serveur", - "xpack.stackConnectors.components.serverLog.logLevelFieldLabel": "Niveau", - "xpack.stackConnectors.components.serverLog.logMessageFieldLabel": "Message", - "xpack.stackConnectors.components.serverLog.selectMessageText": "Ajouter un message au log Kibana.", - "xpack.stackConnectors.components.serviceNow.apiUrlTextFieldLabel": "URL d'instance ServiceNow", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout": "Application Elastic ServiceNow non installée", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.content": "Veuillez vous rendre dans l'app store ServiceNow pour installer l'application", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.errorMessage": "Message d'erreur", - "xpack.stackConnectors.components.serviceNow.authenticationLabel": "Authentification", - "xpack.stackConnectors.components.serviceNow.cancelButtonText": "Annuler", - "xpack.stackConnectors.components.serviceNow.categoryTitle": "Catégorie", - "xpack.stackConnectors.components.serviceNow.clientIdTextFieldLabel": "ID client", - "xpack.stackConnectors.components.serviceNow.clientSecretTextFieldLabel": "Identifiant client secret", - "xpack.stackConnectors.components.serviceNow.commentsTextAreaFieldLabel": "Commentaires supplémentaires", - "xpack.stackConnectors.components.serviceNow.confirmButtonText": "Mettre à jour", - "xpack.stackConnectors.components.serviceNow.correlationDisplay": "Affichage de la corrélation (facultatif)", - "xpack.stackConnectors.components.serviceNow.correlationID": "ID corrélation (facultatif)", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutCreate": "ou créez-en un nouveau.", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutMigrate": "Supprimez ce connecteur", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutTitle": "Ce type de connecteur est déclassé", - "xpack.stackConnectors.components.serviceNow.descriptionTextAreaFieldLabel": "Description", - "xpack.stackConnectors.components.serviceNow.eventClassTextAreaFieldLabel": "Instance source", - "xpack.stackConnectors.components.serviceNow.fetchErrorMsg": "Impossible de récupérer. Vérifiez l'URL ou la configuration CORS de votre instance ServiceNow.", - "xpack.stackConnectors.components.serviceNow.impactSelectFieldLabel": "Impact", - "xpack.stackConnectors.components.serviceNow.installationCalloutTitle": "Pour utiliser ce connecteur, installez d'abord l'application Elastic à partir de l'app store ServiceNow.", - "xpack.stackConnectors.components.serviceNow.invalidApiUrlTextField": "L'URL n'est pas valide.", - "xpack.stackConnectors.components.serviceNow.keyIdTextFieldLabel": "ID de clé du vérificateur JWT", - "xpack.stackConnectors.components.serviceNow.messageKeyTextAreaFieldLabel": "Clé de message", - "xpack.stackConnectors.components.serviceNow.metricNameTextAreaFieldLabel": "Nom de l'indicateur", - "xpack.stackConnectors.components.serviceNow.nodeTextAreaFieldLabel": "Nœud", - "xpack.stackConnectors.components.serviceNow.passwordTextFieldLabel": "Mot de passe", - "xpack.stackConnectors.components.serviceNow.prioritySelectFieldLabel": "Priorité", - "xpack.stackConnectors.components.serviceNow.privateKeyPassLabelHelpText": "Il est requis uniquement si vous avez défini un mot de passe sur votre clé privée", - "xpack.stackConnectors.components.serviceNow.privateKeyPassTextFieldLabel": "Mot de passe de clé privée", - "xpack.stackConnectors.components.serviceNow.privateKeyTextFieldLabel": "Clé privée", - "xpack.stackConnectors.components.serviceNow.requiredClientIdTextField": "L'ID client est requis.", - "xpack.stackConnectors.components.serviceNow.requiredKeyIdTextField": "L'ID de clé du vérificateur JWT est requis.", - "xpack.stackConnectors.components.serviceNow.requiredPrivateKeyTextField": "La clé privée est requise.", - "xpack.stackConnectors.components.serviceNow.requiredSeverityTextField": "La sévérité est requise.", - "xpack.stackConnectors.components.serviceNow.requiredUserIdentifierTextField": "L'identifiant de l'utilisateur est requis.", - "xpack.stackConnectors.components.serviceNow.requiredUsernameTextField": "Le nom d'utilisateur est requis.", - "xpack.stackConnectors.components.serviceNow.resourceTextAreaFieldLabel": "Ressource", - "xpack.stackConnectors.components.serviceNow.setupDevInstance": "configurer une instance de développeur", - "xpack.stackConnectors.components.serviceNow.severityRequiredSelectFieldLabel": "Sévérité (requise)", - "xpack.stackConnectors.components.serviceNow.severitySelectFieldLabel": "Sévérité", - "xpack.stackConnectors.components.serviceNow.snInstanceLabel": "Instance ServiceNow", - "xpack.stackConnectors.components.serviceNow.sourceTextAreaFieldLabel": "Source", - "xpack.stackConnectors.components.serviceNow.subcategoryTitle": "Sous-catégorie", - "xpack.stackConnectors.components.serviceNow.title": "Incident", - "xpack.stackConnectors.components.serviceNow.titleFieldLabel": "Brève description (requise)", - "xpack.stackConnectors.components.serviceNow.typeTextAreaFieldLabel": "Type", - "xpack.stackConnectors.components.serviceNow.unableToGetChoicesMessage": "Impossible d'obtenir les choix", - "xpack.stackConnectors.components.serviceNow.unknown": "INCONNU", - "xpack.stackConnectors.components.serviceNow.updateCalloutText": "Le connecteur a été mis à jour.", - "xpack.stackConnectors.components.serviceNow.updateFormCredentialsTitle": "Fournir les informations d'authentification", - "xpack.stackConnectors.components.serviceNow.updateFormInstallTitle": "Installer l'application Elastic ServiceNow", - "xpack.stackConnectors.components.serviceNow.updateFormTitle": "Mettre à jour le connecteur ServiceNow", - "xpack.stackConnectors.components.serviceNow.updateFormUrlTitle": "Entrer votre URL d'instance ServiceNow", - "xpack.stackConnectors.components.serviceNow.urgencySelectFieldLabel": "Urgence", - "xpack.stackConnectors.components.serviceNow.useOAuth": "Utiliser l'authentification OAuth", - "xpack.stackConnectors.components.serviceNow.userEmailTextFieldLabel": "Identifiant de l'utilisateur", - "xpack.stackConnectors.components.serviceNow.usernameTextFieldLabel": "Nom d'utilisateur", - "xpack.stackConnectors.components.serviceNow.visitSNStore": "Visiter l'app store ServiceNow", - "xpack.stackConnectors.components.serviceNow.warningMessage": "Cette action mettra à jour toutes les instances de ce connecteur et ne pourra pas être annulée.", - "xpack.stackConnectors.components.serviceNow.correlationIDHelpLabel": "Identificateur pour les incidents de mise à jour", - "xpack.stackConnectors.components.serviceNowITOM.connectorTypeTitle": "ServiceNow ITOM", - "xpack.stackConnectors.components.serviceNowITOM.event": "Événement", - "xpack.stackConnectors.components.serviceNowITOM.selectMessageText": "Créez un événement dans ServiceNow ITOM.", - "xpack.stackConnectors.components.serviceNowITSM.connectorTypeTitle": "ServiceNow ITSM", - "xpack.stackConnectors.components.serviceNowITSM.selectMessageText": "Créez un incident dans ServiceNow ITSM.", - "xpack.stackConnectors.components.serviceNowSIR.connectorTypeTitle": "ServiceNow SecOps", - "xpack.stackConnectors.components.serviceNowSIR.selectMessageText": "Créez un incident dans ServiceNow SecOps.", - "xpack.stackConnectors.components.serviceNowSIR.title": "Incident de sécurité", - "xpack.stackConnectors.components.serviceNowSIR.correlationIDHelpLabel": "Identificateur pour les incidents de mise à jour", - "xpack.stackConnectors.components.slack.connectorTypeTitle": "Envoyer vers Slack", - "xpack.stackConnectors.components.slack.error.invalidWebhookUrlText": "L'URL de webhook n'est pas valide.", - "xpack.stackConnectors.components.slack.messageTextAreaFieldLabel": "Message", - "xpack.stackConnectors.components.slack.selectMessageText": "Envoyez un message à un canal ou à un utilisateur Slack.", - "xpack.stackConnectors.components.slack.webhookUrlHelpLabel": "Créer une URL de webhook Slack", - "xpack.stackConnectors.components.slack.webhookUrlTextFieldLabel": "URL de webhook", - "xpack.stackConnectors.components.swimlane.unableToGetApplicationFieldsMessage": "Impossible d'obtenir les champs de l'application", - "xpack.stackConnectors.components.swimlane.connectorTypeTitle": "Créer l'enregistrement Swimlane", - "xpack.stackConnectors.components.swimlane.alertIdFieldLabel": "ID de l'alerte", - "xpack.stackConnectors.components.swimlane.apiTokenNameHelpLabel": "Fournir un token d'API Swimlane", - "xpack.stackConnectors.components.swimlane.apiTokenTextFieldLabel": "Token d'API", - "xpack.stackConnectors.components.swimlane.apiUrlTextFieldLabel": "URL d'API", - "xpack.stackConnectors.components.swimlane.appIdTextFieldLabel": "ID d'application", - "xpack.stackConnectors.components.swimlane.caseIdFieldLabel": "ID de cas", - "xpack.stackConnectors.components.swimlane.caseNameFieldLabel": "Nom de cas", - "xpack.stackConnectors.components.swimlane.commentsFieldLabel": "Commentaires", - "xpack.stackConnectors.components.swimlane.configureConnectionLabel": "Configurer la connexion de l'API", - "xpack.stackConnectors.components.swimlane.connectorType": "Type de connecteur", - "xpack.stackConnectors.components.swimlane.descriptionFieldLabel": "Description", - "xpack.stackConnectors.components.swimlane.emptyMappingWarningDesc": "Ce connecteur ne peut pas être sélectionné, car il ne possède pas les mappings de champs d'alerte requis. Vous pouvez modifier ce connecteur pour ajouter les mappings de champs requis ou sélectionner un connecteur de type Alertes.", - "xpack.stackConnectors.components.swimlane.emptyMappingWarningTitle": "Ce connecteur ne possède pas de mappings de champs", - "xpack.stackConnectors.components.swimlane.error.requiredAlertID": "L'ID d'alerte est requis.", - "xpack.stackConnectors.components.swimlane.error.requiredAppIdText": "Un ID d'application est requis.", - "xpack.stackConnectors.components.swimlane.error.requiredCaseID": "L'ID de cas est requis.", - "xpack.stackConnectors.components.swimlane.error.requiredCaseName": "Le nom de cas est requis.", - "xpack.stackConnectors.components.swimlane.error.requiredComments": "Les commentaires sont requis.", - "xpack.stackConnectors.components.swimlane.error.requiredDescription": "La description est requise.", - "xpack.stackConnectors.components.swimlane.error.requiredRuleName": "Le nom de règle est requis.", - "xpack.stackConnectors.components.swimlane.error.requiredSeverity": "La sévérité est requise.", - "xpack.stackConnectors.components.swimlane.invalidApiUrlTextField": "L'URL n'est pas valide.", - "xpack.stackConnectors.components.swimlane.mappingTitleTextFieldLabel": "Configurer les mappings de champs", - "xpack.stackConnectors.components.swimlane.nextStep": "Suivant", - "xpack.stackConnectors.components.swimlane.nextStepHelpText": "Si les mappings de champs ne sont pas configurés, le type de connecteur Swimlane sera défini sur Tous.", - "xpack.stackConnectors.components.swimlane.prevStep": "Retour", - "xpack.stackConnectors.components.swimlane.ruleNameFieldLabel": "Nom de règle", - "xpack.stackConnectors.components.swimlane.selectMessageText": "Créer un enregistrement dans Swimlane", - "xpack.stackConnectors.components.swimlane.severityFieldLabel": "Sévérité", - "xpack.stackConnectors.components.teams.connectorTypeTitle": "Envoyer un message à un canal Microsoft Teams.", - "xpack.stackConnectors.components.teams.error.invalidWebhookUrlText": "L'URL de webhook n'est pas valide.", - "xpack.stackConnectors.components.teams.error.requiredMessageText": "Le message est requis.", - "xpack.stackConnectors.components.teams.error.webhookUrlTextLabel": "URL de webhook", - "xpack.stackConnectors.components.teams.messageTextAreaFieldLabel": "Message", - "xpack.stackConnectors.components.teams.selectMessageText": "Envoyer un message à un canal Microsoft Teams.", - "xpack.stackConnectors.components.teams.webhookUrlHelpLabel": "Créer une URL de webhook Microsoft Teams", - "xpack.stackConnectors.components.webhook.connectorTypeTitle": "Données de webhook", - "xpack.stackConnectors.components.webhook.addHeaderButtonLabel": "Ajouter un en-tête", - "xpack.stackConnectors.components.webhook.authenticationLabel": "Authentification", - "xpack.stackConnectors.components.webhook.bodyCodeEditorAriaLabel": "Éditeur de code", - "xpack.stackConnectors.components.webhook.bodyFieldLabel": "Corps", - "xpack.stackConnectors.components.webhook.error.invalidUrlTextField": "L'URL n'est pas valide.", - "xpack.stackConnectors.components.webhook.hasAuthSwitchLabel": "Demander une authentification pour ce webhook", - "xpack.stackConnectors.components.webhook.headerKeyTextFieldLabel": "Clé", - "xpack.stackConnectors.components.webhook.headerValueTextFieldLabel": "Valeur", - "xpack.stackConnectors.components.webhook.methodTextFieldLabel": "Méthode", - "xpack.stackConnectors.components.webhook.passwordTextFieldLabel": "Mot de passe", - "xpack.stackConnectors.components.webhook.removeHeaderIconLabel": "Clé", - "xpack.stackConnectors.components.webhook.selectMessageText": "Envoyer une requête à un service Web.", - "xpack.stackConnectors.components.webhook.urlTextFieldLabel": "URL", - "xpack.stackConnectors.components.webhook.userTextFieldLabel": "Nom d'utilisateur", - "xpack.stackConnectors.components.webhook.viewHeadersSwitch": "Ajouter un en-tête HTTP", - "xpack.stackConnectors.components.xmatters.connectorTypeTitle": "Données xMatters", - "xpack.stackConnectors.components.xmatters.authenticationLabel": "Authentification", - "xpack.stackConnectors.components.xmatters.basicAuthButtonGroupLegend": "Authentification de base", - "xpack.stackConnectors.components.xmatters.basicAuthLabel": "Authentification de base", - "xpack.stackConnectors.components.xmatters.connectorSettingsLabel": "Sélectionnez la méthode d'authentification utilisée pour la configuration du déclencheur xMatters.", - "xpack.stackConnectors.components.xmatters.error.invalidUrlTextField": "L'URL n'est pas valide.", - "xpack.stackConnectors.components.xmatters.error.invalidUsernameTextField": "Nom d'utilisateur non valide.", - "xpack.stackConnectors.components.xmatters.error.requiredUrlText": "L'URL est requise.", - "xpack.stackConnectors.components.xmatters.initiationUrlHelpText": "Spécifiez l'URL xMatters complète.", - "xpack.stackConnectors.components.xmatters.passwordTextFieldLabel": "Mot de passe", - "xpack.stackConnectors.components.xmatters.selectMessageText": "Déclenchez un workflow xMatters.", - "xpack.stackConnectors.components.xmatters.severity": "Sévérité", - "xpack.stackConnectors.components.xmatters.severitySelectCriticalOptionLabel": "Critique", - "xpack.stackConnectors.components.xmatters.severitySelectHighOptionLabel": "Élevé", - "xpack.stackConnectors.components.xmatters.severitySelectLowOptionLabel": "Bas", - "xpack.stackConnectors.components.xmatters.severitySelectMediumOptionLabel": "Moyenne", - "xpack.stackConnectors.components.xmatters.severitySelectMinimalOptionLabel": "Minimale", - "xpack.stackConnectors.components.xmatters.tags": "Balises", - "xpack.stackConnectors.components.xmatters.urlAuthLabel": "Authentification de l'URL", - "xpack.stackConnectors.components.xmatters.urlLabel": "URL d'initiation", - "xpack.stackConnectors.components.xmatters.userCredsLabel": "Identifiants d'utilisateur", - "xpack.stackConnectors.components.xmatters.userTextFieldLabel": "Nom d'utilisateur", - "xpack.stackConnectors.components.casesWebhook.createCommentWarningDesc": "Configurez les champs Create Comment URL et Create Comment Objects pour que le connecteur puisse partager les commentaires.", - "xpack.stackConnectors.components.casesWebhook.createCommentWarningTitle": "Impossible de partager les commentaires du cas", - "xpack.stackConnectors.components.serviceNow.deprecatedTooltipTitle": "Connecteur déclassé", - "xpack.stackConnectors.components.casesWebhook.error.requiredAuthUserNameText": "Le nom d'utilisateur est requis.", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentMethodText": "La méthode de création de commentaire est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentResponseKeyText": "La clé d’ID de cas pour la réponse de création de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateMethodText": "La méthode de création de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseCreatedKeyText": "La clé de date de création de la réponse d’obtention de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseExternalTitleKeyText": "La clé de titre du cas externe pour la réponse d’obtention de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseUpdatedKeyText": "La clé de date de mise à jour de la réponse d’obtention de cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentViewUrlKeyText": "L'URL de visualisation du cas est requise.", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateMethodText": "La méthode de mise à jour du cas est requise.", - "xpack.stackConnectors.components.webhook.error.requiredAuthUserNameText": "Le nom d'utilisateur est requis.", - "xpack.stackConnectors.components.webhook.error.requiredMethodText": "La méthode est requise.", - "xpack.stackConnectors.components.email.addBccButton": "Cci", - "xpack.stackConnectors.components.email.addCcButton": "Cc", - "xpack.stackConnectors.components.email.authenticationLabel": "Authentification", - "xpack.stackConnectors.components.email.clientIdFieldLabel": "ID client", - "xpack.stackConnectors.components.email.clientSecretTextFieldLabel": "Identifiant client secret", - "xpack.stackConnectors.components.email.fromTextFieldLabel": "Expéditeur", - "xpack.stackConnectors.components.email.hasAuthSwitchLabel": "Demander une authentification pour ce serveur", - "xpack.stackConnectors.components.email.hostTextFieldLabel": "Hôte", - "xpack.stackConnectors.components.email.messageTextAreaFieldLabel": "Message", - "xpack.stackConnectors.components.email.passwordFieldLabel": "Mot de passe", - "xpack.stackConnectors.components.email.portTextFieldLabel": "Port", - "xpack.stackConnectors.components.email.recipientBccTextFieldLabel": "Cci", - "xpack.stackConnectors.components.email.recipientCopyTextFieldLabel": "Cc", - "xpack.stackConnectors.components.email.recipientTextFieldLabel": "À", - "xpack.stackConnectors.components.email.secureSwitchLabel": "Sécurisé", - "xpack.stackConnectors.components.email.serviceTextFieldLabel": "Service", - "xpack.stackConnectors.components.email.subjectTextFieldLabel": "Objet", - "xpack.stackConnectors.components.email.tenantIdFieldLabel": "ID locataire", - "xpack.stackConnectors.components.email.userTextFieldLabel": "Nom d'utilisateur", - "xpack.stackConnectors.components.index.resetDefaultIndexLabel": "Réinitialiser l'index par défaut", + "xpack.aiops.analysis.errorCallOutTitle": "Génération {errorCount, plural, one {de l'erreur suivante} other {des erreurs suivantes}} au cours de l'analyse.", "xpack.aiops.explainLogRateSpikes.loadingState.identifiedFieldCandidates": "{fieldCandidatesCount, plural, one {# candidat de champ identifié} other {# candidats de champs identifiés}}.", "xpack.aiops.explainLogRateSpikes.loadingState.identifiedFieldValuePairs": "{fieldValuePairsCount, plural, one {# paire significative champ/valeur identifiée} other {# paires significatives champ/valeur identifiées}}.", "xpack.aiops.index.dataLoader.internalServerErrorMessage": "Erreur lors du chargement des données dans l'index {index}. {message}. La requête a peut-être expiré. Essayez d'utiliser un échantillon d'une taille inférieure ou de réduire la plage temporelle.", - "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationTitle": "La vue de données {dataViewTitle} n'est pas basée sur une série temporelle", + "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationTitle": "La vue de données \"{dataViewTitle}\" n'est pas basée sur une série temporelle.", "xpack.aiops.index.errorLoadingDataMessage": "Erreur lors du chargement des données dans l'index {index}. {message}.", + "xpack.aiops.index.pageRefreshResetButton": "Définir sur {defaultInterval}", "xpack.aiops.progressTitle": "Progression : {progress} % — {progressMessage}", "xpack.aiops.searchPanel.totalDocCountLabel": "Total des documents : {strongTotalCount}", "xpack.aiops.searchPanel.totalDocCountNumber": "{totalCount, plural, other {#}}", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldNameLabel": "Nom du champ", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldValueLabel": "Valeur du champ", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabel": "Impact", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabelColumnTooltip": "Le niveau d'impact du champ sur la différence de taux de messages", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateColumnTooltip": "Une représentation visuelle de l'impact du champ sur la différence de taux de messages", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateLabel": "Taux du log", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueColumnTooltip": "L'importance de changements dans la fréquence des valeurs ; des valeurs plus faibles indiquent un changement plus important.", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueLabel": "valeur-p", + "xpack.aiops.cancelAnalysisButtonTitle": "Annuler", + "xpack.aiops.changePointDetection.fetchErrorTitle": "Impossible de récupérer les points de modification", + "xpack.aiops.changePointDetection.noChangePointsFoundMessage": "Essayer d'étendre la plage temporelle ou de mettre à jour la requête", + "xpack.aiops.changePointDetection.noChangePointsFoundTitle": "Aucun point de modification trouvé", + "xpack.aiops.changePointDetection.notResultsWarning": "Avertissement de résultats agrégés d'absence de point de modification", + "xpack.aiops.changePointDetection.progressBarLabel": "Récupération des points de modification", + "xpack.aiops.changePointDetection.selectFunctionLabel": "Fonction", + "xpack.aiops.changePointDetection.selectMetricFieldLabel": "Champ d'indicateur", + "xpack.aiops.changePointDetection.selectSpitFieldLabel": "Diviser le champ", "xpack.aiops.correlations.highImpactText": "Élevé", "xpack.aiops.correlations.lowImpactText": "Bas", "xpack.aiops.correlations.mediumImpactText": "Moyenne", + "xpack.aiops.correlations.spikeAnalysisTableGroups.docCountLabel": "Compte du document", "xpack.aiops.correlations.veryLowImpactText": "Très bas", "xpack.aiops.dataGrid.field.documentCountChart.seriesLabel": "compte du document", - "xpack.aiops.dataGrid.field.documentCountChartSplit.seriesLabel": "autre compte du document", + "xpack.aiops.dataGrid.field.documentCountChartSplit.seriesLabel": "Autre compte du document", + "xpack.aiops.datePicker.shortRefreshIntervalTimeFilterWarningMessage": "L’intervalle d'actualisation défini dans les paramètres avancés est plus court que le minimum pris en charge par Machine Learning.", + "xpack.aiops.datePicker.shortRefreshIntervalURLWarningMessage": "L’intervalle d'actualisation défini dans l'URL est plus court que le minimum pris en charge par Machine Learning.", + "xpack.aiops.documentCountChart.baselineBadgeLabel": "Référence de base", + "xpack.aiops.documentCountChart.deviationBadgeLabel": "général", "xpack.aiops.documentCountContent.clearSelectionAriaLabel": "Effacer la sélection", "xpack.aiops.explainLogRateSpikes.loadingState.doneMessage": "Terminé.", + "xpack.aiops.explainLogRateSpikes.loadingState.groupingResults": "Transformation de paires champ/valeur significatives en groupes.", "xpack.aiops.explainLogRateSpikes.loadingState.loadingHistogramData": "Chargement des données d’histogramme.", + "xpack.aiops.explainLogRateSpikes.loadingState.loadingIndexInformation": "Chargement des informations d'index.", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.collapseAriaLabel": "Réduire", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.docCountLabel": "Compte du document", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.expandAriaLabel": "Développer", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldNameLabel": "Nom du champ", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldValueLabel": "Valeur du champ", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabel": "Impact", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabelColumnTooltip": "Le niveau d'impact du champ sur la différence de taux de messages", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateColumnTooltip": "Une représentation visuelle de l'impact du champ sur la différence de taux de messages", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateLabel": "Taux du log", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueColumnTooltip": "L'importance de changements dans la fréquence des valeurs ; des valeurs plus faibles indiquent un changement plus important.", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueLabel": "valeur-p", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.groupColumnTooltip": "Affiche les paires champ/valeur uniques au groupe. Développez la ligne pour voir toutes les paires champ/valeur.", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.groupLabel": "Regrouper", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.impactLabelColumnTooltip": "Niveau d'impact du groupe sur la différence de taux de messages", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.logRateColumnTooltip": "Représentation visuelle de l'impact du groupe sur la différence de taux de messages", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.logRateLabel": "Taux du log", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.pValueColumnTooltip": "L'importance de changements dans la fréquence des valeurs ; des valeurs plus faibles indiquent un changement plus important.", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.pValueLabel": "valeur-p", "xpack.aiops.explainLogRateSpikesPage.emptyPromptBody": "La fonction Expliquer les pics de taux de log identifie les combinaisons champ/valeur statistiquement significatives qui contribuent à un pic de taux de log.", "xpack.aiops.explainLogRateSpikesPage.emptyPromptTitle": "Cliquez sur un pic dans l'histogramme pour lancer l'analyse.", + "xpack.aiops.explainLogRateSpikesPage.noResultsPromptBody": "Essayez d'ajuster la référence de base et les plages temporelles d'écart-type, et réexécutez l'analyse. Si vous n'obtenez toujours aucun résultat, il se peut qu'il n'y ait aucune entité statistiquement significative contribuant à ce pic dans les taux de log.", + "xpack.aiops.explainLogRateSpikesPage.noResultsPromptTitle": "L'analyse n'a retourné aucun résultat.", + "xpack.aiops.explainLogRateSpikesPage.tryToContinueAnalysisButtonText": "Essayer de continuer l'analyse", "xpack.aiops.fullTimeRangeSelector.useFullDataExcludingFrozenButtonTooltip": "Utilisez toute la plage de données à l'exception du niveau de données frozen.", "xpack.aiops.fullTimeRangeSelector.useFullDataIncludingFrozenButtonTooltip": "Utilisez toute la plage de données, y compris le niveau de données frozen, qui peut inclure des résultats de recherche plus lents.", - "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "L'analyse des pics de taux de log ne fonctionne que sur des index temporels", + "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "L'analyse des pics de taux de log ne fonctionne que sur des index temporels.", "xpack.aiops.index.fullTimeRangeSelector.errorSettingTimeRangeNotification": "Une erreur s'est produite lors de la définition de la plage temporelle.", "xpack.aiops.index.fullTimeRangeSelector.moreOptionsButtonAriaLabel": "Plus d'options", "xpack.aiops.index.fullTimeRangeSelector.noResults": "Aucun résultat ne correspond à vos critères de recherche.", "xpack.aiops.index.fullTimeRangeSelector.useFullDataButtonLabel": "Utiliser toutes les données", "xpack.aiops.index.fullTimeRangeSelector.useFullDataExcludingFrozenMenuLabel": "Exclure le niveau de données frozen", "xpack.aiops.index.fullTimeRangeSelector.useFullDataIncludingFrozenMenuLabel": "Inclure le niveau de données frozen", + "xpack.aiops.logCategorization.categoryFieldSelect": "Champ de catégorie", + "xpack.aiops.logCategorization.chartPointsSplitLabel": "Catégorie sélectionnée", + "xpack.aiops.logCategorization.column.count": "Décompte", + "xpack.aiops.logCategorization.column.examples": "Exemples", + "xpack.aiops.logCategorization.column.logRate": "Taux du log", + "xpack.aiops.logCategorization.emptyPromptBody": "Loguez les messages de groupes d'analyse de modèle dans les catégories courantes.", + "xpack.aiops.logCategorization.emptyPromptTitle": "Sélectionner un champ de texte et cliquez sur Exécuter la catégorisation pour démarrer l'analyse", + "xpack.aiops.logCategorization.errorLoadingCategories": "Erreur lors du chargement des catégories", + "xpack.aiops.logCategorization.filterOutInDiscover": "Filtrer dans Discover", + "xpack.aiops.logCategorization.noCategoriesBody": "Assurez-vous que le champ sélectionné est rempli dans la plage temporelle sélectionnée.", + "xpack.aiops.logCategorization.noCategoriesTitle": "Aucune catégorie trouvée", + "xpack.aiops.logCategorization.noDocsBody": "Assurez-vous que la plage temporelle sélectionnée contient des documents.", + "xpack.aiops.logCategorization.noDocsTitle": "Aucun document trouvé", + "xpack.aiops.logCategorization.runButton": "Exécuter la catégorisation", + "xpack.aiops.logCategorization.showInDiscover": "Les afficher dans Discover", "xpack.aiops.miniHistogram.noDataLabel": "S. O.", + "xpack.aiops.pageRefreshButton": "Actualiser", "xpack.aiops.progressAriaLabel": "Progression", "xpack.aiops.rerunAnalysisButtonTitle": "Relancer l’analyse", + "xpack.aiops.rerunAnalysisTooltipContent": "Les données d'analyse sont peut-être obsolètes en raison de la mise à jour de la sélection. Relancez l'analyse.", "xpack.aiops.searchPanel.invalidSyntax": "Syntaxe non valide", "xpack.aiops.searchPanel.queryBarPlaceholderText": "Rechercher… (par exemple, status:200 AND extension:\"PHP\")", + "xpack.aiops.spikeAnalysisPage.documentCountStatsSplitGroupLabel": "Groupe sélectionné", + "xpack.aiops.spikeAnalysisTable.actionsColumnName": "Actions", + "xpack.aiops.spikeAnalysisTable.autoGeneratedDiscoverLinkErrorMessage": "Liaison avec Discover impossible ; aucune vue de données n'existe pour cet index", + "xpack.aiops.spikeAnalysisTable.discoverLocatorMissingErrorMessage": "Aucun localisateur pour Discover détecté", + "xpack.aiops.spikeAnalysisTable.discoverNotEnabledErrorMessage": "Discover n'est pas activé", + "xpack.aiops.spikeAnalysisTable.groupedSwitchLabel.groupResults": "Résultats du groupe", + "xpack.aiops.spikeAnalysisTable.linksMenu.viewInDiscover": "Afficher dans Discover", "xpack.alerting.alertNavigationRegistry.get.missingNavigationError": "La navigation pour le type d'alerte \"{alertType}\" dans \"{consumer}\" n'est pas enregistrée.", "xpack.alerting.alertNavigationRegistry.register.duplicateDefaultError": "La navigation par défaut dans \"{consumer}\" est déjà enregistrée.", "xpack.alerting.alertNavigationRegistry.register.duplicateNavigationError": "La navigation pour le type d'alerte \"{alertType}\" dans \"{consumer}\" est déjà enregistrée.", "xpack.alerting.rulesClient.invalidDate": "Date non valide pour le {field} de paramètre : \"{dateValue}\"", + "xpack.alerting.rulesClient.runSoon.getTaskError": "Erreur lors de l'exécution de la règle : {errMessage}", + "xpack.alerting.rulesClient.runSoon.runSoonError": "Erreur lors de l'exécution de la règle : {errMessage}", "xpack.alerting.rulesClient.validateActions.invalidGroups": "Groupes d'actions non valides : {groups}", "xpack.alerting.rulesClient.validateActions.misconfiguredConnector": "Connecteurs non valides : {groups}", + "xpack.alerting.rulesClient.validateActions.mixAndMatchFreqParams": "Impossible de spécifier des paramètres de fréquence par action lorsque notify_when et throttle sont définis au niveau de la règle : {groups}", + "xpack.alerting.rulesClient.validateActions.notAllActionsWithFreq": "Paramètres de fréquence manquants pour les actions : {groups}", "xpack.alerting.ruleTypeRegistry.get.missingRuleTypeError": "Le type de règle \"{id}\" n'est pas enregistré.", "xpack.alerting.ruleTypeRegistry.register.customRecoveryActionGroupUsageError": "Le type de règle [id=\"{id}\"] ne peut pas être enregistré. Le groupe d'actions [{actionGroup}] ne peut pas être utilisé à la fois comme groupe de récupération et comme groupe d'actions actif.", "xpack.alerting.ruleTypeRegistry.register.duplicateRuleTypeError": "Le type de règle \"{id}\" est déjà enregistré.", @@ -6755,8 +6810,13 @@ "xpack.alerting.appName": "Alerting", "xpack.alerting.builtinActionGroups.recovered": "Récupéré", "xpack.alerting.injectActionParams.email.kibanaFooterLinkText": "Afficher la règle dans Kibana", + "xpack.alerting.rulesClient.runSoon.disabledRuleError": "Erreur lors de l'exécution de la règle : la règle est désactivée", + "xpack.alerting.rulesClient.runSoon.ruleIsRunning": "La règle est déjà en cours d'exécution", + "xpack.alerting.rulesClient.snoozeSchedule.limitReached": "La règle ne peut pas avoir plus de 5 planifications en répétition", + "xpack.alerting.rulesClient.usesValidGlobalFreqParams.oneUndefined": "Les paramètres de niveau de règle notifyWhen et throttle doivent être tous les deux définis ou non définis", "xpack.alerting.savedObjects.goToRulesButtonText": "Accéder aux règles", "xpack.alerting.serverSideErrors.unavailableLicenseInformationErrorMessage": "Les alertes sont indisponibles – les informations de licence ne sont pas disponibles actuellement.", + "xpack.alerting.taskRunner.warning.maxAlerts": "La règle a dépassé le nombre maximal d'alertes au cours d'une même exécution. Les alertes ont peut-être été manquées et les notifications de récupération retardées", "xpack.alerting.taskRunner.warning.maxExecutableActions": "Le nombre maximal d'actions pour ce type de règle a été atteint ; les actions excédentaires n'ont pas été déclenchées.", "xpack.apm.agentConfig.deleteModal.text": "Vous êtes sur le point de supprimer la configuration du service \"{serviceName}\" et de l'environnement \"{environment}\".", "xpack.apm.agentConfig.deleteSection.deleteConfigFailedText": "Une erreur est survenue lors de la suppression d'une configuration de \"{serviceName}\". Erreur : \"{errorMessage}\"", @@ -6764,18 +6824,26 @@ "xpack.apm.agentConfig.range.errorText": "{rangeType, select,\n between {doit être compris entre {min} et {max}}\n gt {doit être supérieur à {min}}\n lt {doit être inférieur à {max}}\n other {doit être un entier}\n }", "xpack.apm.agentConfig.saveConfig.failed.text": "Une erreur est survenue pendant l'enregistrement de la configuration de \"{serviceName}\". Erreur : \"{errorMessage}\"", "xpack.apm.agentConfig.saveConfig.succeeded.text": "La configuration de \"{serviceName}\" a été enregistrée. La propagation jusqu'aux agents pourra prendre un certain temps.", + "xpack.apm.agentExplorerInstanceTable.agentVersionColumnLabel.multipleVersions": "{versionsCount, plural, one {1 version} other {# versions}}", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.tooltip.linkToDocs": "Vous pouvez configurer le nom du nœud de service via {seeDocs}.", + "xpack.apm.agentExplorerTable.agentVersionColumnLabel.multipleVersions": "{versionsCount, plural, one {1 version} other {# versions}}", "xpack.apm.alerts.anomalySeverity.scoreDetailsDescription": "score {value} {value, select, critical {} other {et plus}}", "xpack.apm.alertTypes.errorCount.reason": "Le nombre d'erreurs est {measured} dans le dernier {interval} pour {serviceName}. Alerte lorsque > {threshold}.", + "xpack.apm.alertTypes.minimumWindowSize.description": "La valeur minimale requise est {sizeValue} {sizeUnit}. Elle permet de s'assurer que l'alerte comporte suffisamment de données à évaluer. Si vous choisissez une valeur trop basse, l'alerte ne se déclenchera peut-être pas comme prévu.", "xpack.apm.alertTypes.transactionDuration.reason": "La latence de {aggregationType} est {measured} dans le dernier {interval} pour {serviceName}. Alerte lorsque > {threshold}.", "xpack.apm.alertTypes.transactionDurationAnomaly.reason": "Une anomalie {severityLevel} avec un score de {measured} a été détectée dans le dernier {interval} pour {serviceName}.", "xpack.apm.alertTypes.transactionErrorRate.reason": "L'échec des transactions est {measured} dans le dernier {interval} pour {serviceName}. Alerte lorsque > {threshold}.", "xpack.apm.anomalyDetection.createJobs.failed.text": "Une erreur est survenue lors de la création d'une ou de plusieurs tâches de détection des anomalies pour les environnements de service APM [{environments}]. Erreur : \"{errorMessage}\"", "xpack.apm.anomalyDetection.createJobs.succeeded.text": "Tâches de détection des anomalies créées avec succès pour les environnements de service APM [{environments}]. Le démarrage de l'analyse du trafic à la recherche d'anomalies par le Machine Learning va prendre un certain temps.", "xpack.apm.anomalyDetectionSetup.notEnabledForEnvironmentText": "La détection des anomalies n'est pas encore activée pour l'environnement \"{currentEnvironment}\". Cliquez pour continuer la configuration.", + "xpack.apm.apmSettings.kibanaLink": "La liste complète d'options APM est disponible dans {link}", + "xpack.apm.bottomBarActions.unsavedChanges": "{unsavedChangesCount, plural, =0{0 modification non enregistrée} one {1 modification non enregistrée} other {# modifications non enregistrées}} ", "xpack.apm.compositeSpanCallsLabel": ", {count} appels, sur une moyenne de {duration}", "xpack.apm.correlations.ccsWarningCalloutBody": "Les données pour l'analyse de corrélation n'ont pas pu être totalement récupérées. Cette fonctionnalité est prise en charge uniquement à partir des versions {version} et ultérieures.", "xpack.apm.correlations.failedTransactions.helpPopover.basicExplanation": "Les corrélations vous aident à découvrir les attributs qui ont le plus d'influence pour distinguer les échecs et les succès d'une transaction. Les transactions sont considérées comme un échec lorsque leur valeur {field} est {value}.", "xpack.apm.correlations.progressTitle": "Progression : {progress} %", + "xpack.apm.criticalPathFlameGraph.selfTime": "Heure automatique : {value}", + "xpack.apm.criticalPathFlameGraph.totalTime": "Temps total : {value}", "xpack.apm.durationDistribution.chart.percentileMarkerLabel": "{markerPercentile}e centile", "xpack.apm.durationDistributionChart.totalSpansCount": "Total : {totalDocCount} {totalDocCount, plural, one {intervalle} other {intervalles}}", "xpack.apm.durationDistributionChart.totalTransactionsCount": "Total : {totalDocCount} {totalDocCount, plural, one {transaction} other {transactions}}", @@ -6790,8 +6858,10 @@ "xpack.apm.fleetIntegration.apmAgent.runtimeAttachment.version.helpText": "Entrez la {versionLink} de l'agent Java Elastic APM qui doit être attachée.", "xpack.apm.fleetIntegration.javaRuntime.discoveryRulesDescription": "Pour chaque JVM en cours d'exécution, les règles de découverte sont évaluées dans l'ordre où elles sont fournies. La première règle de correspondance détermine le résultat. Découvrez plus d'informations dans le {docLink}.", "xpack.apm.instancesLatencyDistributionChartTooltipInstancesTitle": "{instancesCount} {instancesCount, plural, one {instance} other {instances}}", + "xpack.apm.itemsBadge.placeholder": "{itemsCount, plural, one {1 élément} other {# éléments}}", "xpack.apm.kueryBar.placeholder": "Rechercher {event, select,\n transaction {des transactions}\n metric {des indicateurs}\n error {des erreurs}\n other {des transactions, des erreurs et des indicateurs}\n } (par ex. {queryExample})", "xpack.apm.propertiesTable.agentFeature.noResultFound": "Pas de résultats pour \"{value}\".", + "xpack.apm.serverlessMetrics.summary.lambdaFunctions": "{serverlessFunctionsTotal, plural, one {fonction Lambda} other {fonctions Lambda}}", "xpack.apm.serviceGroups.cardsList.serviceCount": "{servicesCount} {servicesCount, plural, one {service} other {services}}", "xpack.apm.serviceGroups.createFailure.toast.title": "Erreur lors de la création du groupe \"{groupName}\"", "xpack.apm.serviceGroups.createSucess.toast.title": "Groupe \"{groupName}\" créé", @@ -6801,6 +6871,7 @@ "xpack.apm.serviceGroups.editFailure.toast.title": "Erreur lors de la modification du groupe \"{groupName}\"", "xpack.apm.serviceGroups.editSucess.toast.title": "Groupe \"{groupName}\" modifié", "xpack.apm.serviceGroups.groupsCount": "{servicesCount} {servicesCount, plural, =0 {groupe} one {groupe} other {groupes}}", + "xpack.apm.serviceGroups.invalidFields.message": "Le filtre de requête pour le groupe de services ne prend pas en charge les champs [{unsupportedFieldNames}]", "xpack.apm.serviceGroups.selectServicesForm.matchingServiceCount": "{servicesCount} {servicesCount, plural, =0 {service correspond} one {service correspond} other {services correspondent}} à la requête", "xpack.apm.serviceGroups.tour.content.link": "Découvrez plus d'informations dans le {docsLink}.", "xpack.apm.serviceIcons.serviceDetails.cloud.availabilityZoneLabel": "{zones, plural, =0 {Zone de disponibilité} one {Zone de disponibilité} other {Zones de disponibilité}} ", @@ -6811,6 +6882,9 @@ "xpack.apm.serviceMap.resourceCountLabel": "{count} ressources", "xpack.apm.serviceNodeMetrics.unidentifiedServiceNodesWarningText": "Nous n'avons pas pu déterminer à quelles JVM ces indicateurs correspondent. Cela provient probablement du fait que vous exécutez une version du serveur APM antérieure à 7.5. La mise à niveau du serveur APM vers la version 7.5 ou supérieure devrait résoudre le problème. Pour plus d'informations sur la mise à niveau, consultez {link}. Vous pouvez également utiliser la barre de recherche de Kibana pour filtrer par nom d'hôte, par ID de conteneur ou en fonction d'autres champs.", "xpack.apm.serviceOveriew.errorsTableOccurrences": "{occurrences} occ.", + "xpack.apm.serviceOverview.embeddedMap.error.toastDescription": "L'usine incorporable ayant l'ID \"{embeddableFactoryId}\" est introuvable.", + "xpack.apm.serviceOverview.lensFlyout.topValues": "Valeurs {BUCKET_SIZE} les plus élevées de {metric}", + "xpack.apm.serviceOverview.mobileCallOutText": "Il s'agit d'un service mobile, qui est actuellement disponible en tant que version d'évaluation technique. Vous pouvez nous aider à améliorer l'expérience en nous envoyant des commentaires. {feedbackLink}.", "xpack.apm.servicesTable.environmentCount": "{environmentCount, plural, one {1 environnement} other {# environnements}}", "xpack.apm.settings.agentKeys.apiKeysDisabledErrorDescription": "Contactez votre administrateur système et reportez-vous aux {link} pour activer les clés d'API.", "xpack.apm.settings.agentKeys.copyAgentKeyField.title": "Création de la clé \"{name}\" effectuée", @@ -6834,6 +6908,7 @@ "xpack.apm.spanLinks.combo.childrenLinks": "Liens entrants ({linkedChildren})", "xpack.apm.spanLinks.combo.parentsLinks": "Liens sortants ({linkedParents})", "xpack.apm.stacktraceTab.libraryFramesToogleButtonLabel": "{count, plural, one {# cadre de bibliothèque} other {# cadres de bibliothèque}}", + "xpack.apm.storageExplorer.longLoadingTimeCalloutText": "Activez le chargement progressif de données et le tri optimisé pour la liste de services dans {kibanaAdvancedSettingsLink}.", "xpack.apm.transactionDetails.errorCount": "{errorCount, number} {errorCount, plural, one {erreur} other {erreurs}}", "xpack.apm.transactionDetails.transFlyout.callout.agentDroppedSpansMessage": "L'agent APM qui a signalé cette transaction a abandonné {dropped} intervalles ou plus, d'après sa configuration.", "xpack.apm.transactionRateLabel": "{displayedValue} tpm", @@ -6842,6 +6917,7 @@ "xpack.apm.tutorial.config_otel.description3": "La liste exhaustive des variables d'environnement, les paramètres de ligne de commande et les extraits de code de configuration (conformes à la spécification OpenTelemetry) se trouvent dans le {otelInstrumentationGuide}. Certains clients OpenTelemetry instables peuvent ne pas prendre en charge toutes les fonctionnalités et nécessitent peut-être d'autres mécanismes de configuration.", "xpack.apm.tutorial.djangoClient.configure.commands.setCustomApmServerUrlComment": "Définir l'URL personnalisée du serveur APM (par défaut : {defaultApmServerUrl})", "xpack.apm.tutorial.djangoClient.configure.textPost": "Consultez la [documentation]({documentationLink}) pour une utilisation avancée.", + "xpack.apm.tutorial.dotNetClient.configureAgent.textPost": "Si vous ne transférez pas une instance \"IConfiguration\" à l'agent (par ex., pour les applications non ASP.NET Core) vous pouvez également configurer l'agent par le biais de variables d'environnement. \n Pour une utilisation avancée, consultez [the documentation]({documentationLink}), qui comprend notamment le guide de démarrage rapide pour [Profiler Auto instrumentation]({profilerLink}).", "xpack.apm.tutorial.dotNetClient.download.textPre": "Ajoutez le(s) package(s) d'agent depuis [NuGet]({allNuGetPackagesLink}) à votre application .NET. Plusieurs packages NuGet sont disponibles pour différents cas d'utilisation. \n\nPour une application ASP.NET Core avec Entity Framework Core, téléchargez le package [Elastic.Apm.NetCoreAll]({netCoreAllApmPackageLink}). Ce package ajoutera automatiquement chaque composant d'agent à votre application. \n\n Si vous souhaitez minimiser les dépendances, vous pouvez utiliser le package [Elastic.Apm.AspNetCore]({aspNetCorePackageLink}) uniquement pour le monitoring d'ASP.NET Core ou le package [Elastic.Apm.EfCore]({efCorePackageLink}) uniquement pour le monitoring d'Entity Framework Core. \n\n Si vous souhaitez seulement utiliser l'API d'agent publique pour l'instrumentation manuelle, utilisez le package [Elastic.Apm]({elasticApmPackageLink}).", "xpack.apm.tutorial.downloadServerRpm": "Vous cherchez les packages 32 bits ? Consultez la [Download page]({downloadPageLink}).", "xpack.apm.tutorial.downloadServerTitle": "Vous cherchez les packages 32 bits ? Consultez la [Download page]({downloadPageLink}).", @@ -6887,8 +6963,12 @@ "xpack.apm.agentConfig.apiRequestTime.label": "Heure de la requête API", "xpack.apm.agentConfig.captureBody.description": "Pour les transactions qui sont des requêtes HTTP, l'agent peut éventuellement capturer le corps de la requête (par ex., variables POST).\nPour les transactions qui sont initiées par la réception d'un message depuis un agent de message, l'agent peut capturer le corps du message texte.", "xpack.apm.agentConfig.captureBody.label": "Capturer le corps", + "xpack.apm.agentConfig.captureBodyContentTypes.description": "Configure les types de contenu qui doivent être enregistrés.\n\nLes valeurs par défaut se terminent par un caractère générique afin que les types de contenu tels que \"text/plain; charset=utf-8\" soient également capturés.", + "xpack.apm.agentConfig.captureBodyContentTypes.label": "Capturer les types de contenu du corps", "xpack.apm.agentConfig.captureHeaders.description": "Si cette option est définie sur \"true\", l'agent capturera les en-têtes de la requête HTTP et de la réponse (y compris les cookies), ainsi que les en-têtes/les propriétés du message lors de l'utilisation de frameworks de messagerie (tels que Kafka).\n\nREMARQUE : Si \"false\" est défini, cela permet de réduire la bande passante du réseau, l'espace disque et les allocations d'objets.", "xpack.apm.agentConfig.captureHeaders.label": "Capturer les en-têtes", + "xpack.apm.agentConfig.captureJmxMetrics.description": "Enregistrer les indicateurs de JMX sur le serveur APM\n\nPeut contenir plusieurs définitions d'indicateurs JMX séparées par des virgules :\n\n\"object_name[] attribute[:metric_name=]\"\n\nPour en savoir plus, consultez la documentation de l'agent Java.", + "xpack.apm.agentConfig.captureJmxMetrics.label": "Capturer les indicateurs JMX", "xpack.apm.agentConfig.chooseService.editButton": "Modifier", "xpack.apm.agentConfig.chooseService.service.environment.label": "Environnement", "xpack.apm.agentConfig.chooseService.service.name.label": "Nom de service", @@ -6906,6 +6986,8 @@ "xpack.apm.agentConfig.configurationsPanelTitle.noPermissionTooltipLabel": "Votre rôle d'utilisateur ne dispose pas des autorisations nécessaires pour créer des configurations d'agent", "xpack.apm.agentConfig.createConfigButtonLabel": "Créer une configuration", "xpack.apm.agentConfig.createConfigTitle": "Créer une configuration", + "xpack.apm.agentConfig.dedotCustomMetrics.description": "Remplace les points par des traits de soulignement dans les noms des indicateurs personnalisés.\n\nAVERTISSEMENT : L'attribution de la valeur \"false\" peut entraîner des conflits de mapping car les points indiquent une imbrication dans Elasticsearch.\nUn tel conflit peut se produire par exemple entre deux indicateurs si l'un se nomme \"foo\" et l'autre \"foo.bar\".\nLe premier mappe \"foo\" sur un nombre, et le second indicateur mappe \"foo\" en tant qu'objet.", + "xpack.apm.agentConfig.dedotCustomMetrics.label": "Retirer les points des indicateurs personnalisés", "xpack.apm.agentConfig.deleteModal.cancel": "Annuler", "xpack.apm.agentConfig.deleteModal.confirm": "Supprimer", "xpack.apm.agentConfig.deleteModal.title": "Supprimer la configuration", @@ -6914,6 +6996,12 @@ "xpack.apm.agentConfig.editConfigTitle": "Modifier la configuration", "xpack.apm.agentConfig.enableLogCorrelation.description": "Nombre booléen spécifiant si l'agent doit être intégré au MDC de SLF4J pour activer la corrélation de logs de suivi. Si cette option est configurée sur \"true\", l'agent définira \"trace.id\" et \"transaction.id\" pour les intervalles et transactions actifs sur le MDC. Depuis la version 1.16.0 de l'agent Java, l'agent ajoute également le \"error.id\" de l'erreur capturée au MDC juste avant le logging du message d'erreur. REMARQUE : bien qu'il soit autorisé d'activer ce paramètre au moment de l'exécution, vous ne pouvez pas le désactiver sans redémarrage.", "xpack.apm.agentConfig.enableLogCorrelation.label": "Activer la corrélation de logs", + "xpack.apm.agentConfig.exitSpanMinDuration.description": "Les intervalles de sortie sont des intervalles qui représentent un appel à un service externe, tel qu'une base de données. Si de tels appels sont très courts, ils ne sont généralement pas pertinents et ils peuvent être ignorés.\n\nREMARQUE : Si un intervalle propage des ID de traçage distribué, il ne sera pas ignoré, même s'il est plus court que le seuil configuré. Cela permet de s'assurer qu'aucune trace interrompue n'est enregistrée.", + "xpack.apm.agentConfig.exitSpanMinDuration.label": "Durée min. d'intervalle de sortie", + "xpack.apm.agentConfig.ignoreExceptions.description": "Liste d'exceptions qui doivent être ignorées et non signalées comme des erreurs.\nCela permet d'ignorer les exceptions qui ont été lancées dans le flux de contrôle normal mais qui ne sont pas de réelles erreurs.", + "xpack.apm.agentConfig.ignoreExceptions.label": "Ignorer les exceptions", + "xpack.apm.agentConfig.ignoreMessageQueues.description": "Utilisé pour exclure les files d'attente/sujets de messagerie spécifiques du traçage. \n\nCette propriété doit être définie sur un tableau contenant une ou plusieurs chaînes.\nUne fois définie, les envois vers et les réceptions depuis les files d'attente/sujets spécifiés seront ignorés.", + "xpack.apm.agentConfig.ignoreMessageQueues.label": "Ignorer les files d'attente des messages", "xpack.apm.agentConfig.logLevel.description": "Définit le niveau de logging pour l'agent", "xpack.apm.agentConfig.logLevel.label": "Niveau de log", "xpack.apm.agentConfig.newConfig.description": "Affinez votre configuration d'agent depuis l'application APM. Les modifications sont automatiquement propagées à vos agents APM, ce qui vous évite d'effectuer un redéploiement.", @@ -6949,6 +7037,12 @@ "xpack.apm.agentConfig.settingsPage.notFound.message": "La configuration demandée n'existe pas", "xpack.apm.agentConfig.settingsPage.notFound.title": "Désolé, une erreur est survenue", "xpack.apm.agentConfig.settingsPage.saveButton": "Enregistrer la configuration", + "xpack.apm.agentConfig.spanCompressionEnabled.description": "L'attribution de la valeur \"true\" à cette option activera la fonctionnalité de compression de l'intervalle.\nLa compression d'intervalle réduit la surcharge de collecte, de traitement et de stockage, et supprime l'encombrement dans l'interface utilisateur. Le compromis est que certaines informations, telles que les instructions de base de données de tous les intervalles compressés, ne seront pas collectées.", + "xpack.apm.agentConfig.spanCompressionEnabled.label": "Compression d'intervalle activée", + "xpack.apm.agentConfig.spanCompressionExactMatchMaxDuration.description": "Les intervalles consécutifs qui sont des correspondances parfaites et qui se trouvent sous ce seuil seront compressés en un seul intervalle composite. Cette option ne s'applique pas aux intervalles composites. Cela réduit la surcharge de collecte, de traitement et de stockage, et supprime l'encombrement dans l'interface utilisateur. Le compromis est que les instructions de base de données de tous les intervalles compressés ne seront pas collectées.", + "xpack.apm.agentConfig.spanCompressionExactMatchMaxDuration.label": "Durée maximale de compression d'intervalles en correspondance parfaite", + "xpack.apm.agentConfig.spanCompressionSameKindMaxDuration.description": "Les intervalles consécutifs qui ont la même destination et qui se trouvent sous ce seuil seront compressés en un seul intervalle composite. Cette option ne s'applique pas aux intervalles composites. Cela réduit la surcharge de collecte, de traitement et de stockage, et supprime l'encombrement dans l'interface utilisateur. Le compromis est que les instructions de base de données de tous les intervalles compressés ne seront pas collectées.", + "xpack.apm.agentConfig.spanCompressionSameKindMaxDuration.label": "Durée maximale de compression d'intervalles de même genre", "xpack.apm.agentConfig.spanFramesMinDuration.description": "Dans ses paramètres par défaut, l'agent APM collectera une trace de la pile avec chaque intervalle enregistré.\nBien qu'il soit très pratique de trouver l'endroit exact dans votre code qui provoque l'intervalle, la collecte de cette trace de la pile provoque une certaine surcharge. \nLorsque cette option est définie sur une valeur négative, telle que \"-1ms\", les traces de pile sont collectées pour tous les intervalles. En choisissant une valeur positive, par ex. \"5ms\", la collecte des traces de pile se limitera aux intervalles dont la durée est égale ou supérieure à la valeur donnée, par ex. 5 millisecondes.\n\nPour désactiver complètement la collecte des traces de pile des intervalles, réglez la valeur sur \"0ms\".", "xpack.apm.agentConfig.spanFramesMinDuration.label": "Durée minimale des cadres des intervalles", "xpack.apm.agentConfig.stackTraceLimit.description": "En définissant cette option sur 0, la collecte des traces de pile sera désactivée. Toute valeur entière positive sera utilisée comme nombre maximal de cadres à collecter. La valeur -1 signifie que tous les cadres seront collectés.", @@ -6963,13 +7057,52 @@ "xpack.apm.agentConfig.stressMonitorSystemCpuReliefThreshold.label": "Seuil d'allègement de la tension du monitoring du CPU système", "xpack.apm.agentConfig.stressMonitorSystemCpuStressThreshold.description": "Seuil utilisé par le monitoring du CPU du système pour détecter la tension du processeur du système. Si le CPU système dépasse ce seuil pour une durée d'au moins \"stress_monitor_cpu_duration_threshold\", le monitoring considère qu'il est en état de tension.", "xpack.apm.agentConfig.stressMonitorSystemCpuStressThreshold.label": "Seuil de tension du monitoring du CPU système", + "xpack.apm.agentConfig.traceContinuationStrategy.description": "Cette option permet un certain contrôle sur la façon dont l'agent APM gère les en-tête de contexte de trace W3C dans les requêtes entrantes. Par défaut, les en-têtes \"traceparent\" et \"tracestate\" sont utilisés par les spécifications W3C pour le traçage distribué. Cependant, dans certains cas, il peut être utile de ne pas utiliser l'en-tête \"traceparent\" entrant. Quelques exemples de cas d'utilisation :\n\n* Un service monitoré par Elastic reçoit des requêtes avec les en-têtes \"traceparent\" de services non monitorés.\n* Un service monitoré par Elastic est publiquement exposé, et ne souhaite pas que les données de traçage (ID de traçage, décisions d'échantillonnage) puissent être usurpées par des requêtes d'utilisateur.\n\nLes valeurs valides sont :\n* \"continue\" : comportement par défaut. Une valeur \"traceparent\" entrante est utilisée pour continuer le traçage et déterminer la décision d'échantillonnage.\n* \"restart\" : ignore toujours l'en-tête \"traceparent\" des requêtes entrantes. Un nouveau trace-id sera généré et la décision d'échantillonnage sera prise en fonction de transaction_sample_rate. Une liaison d'intervalle sera effectuée vers le \"traceparent\" entrant.\n* \"restart_external\" : Si une requête entrante inclut le drapeau \"es\" dans \"tracestate\", tout \"traceparent\" sera considéré comme interne et sera géré comme décrit pour \"continue\" ci-dessus. Autrement, tout \"traceparent\" est considéré comme externe et sera géré comme décrit pour \"restart\" ci-dessus.\n\nDepuis Elastic Observability 8.2, les liens d'intervalle sont visibles dans les vues de trace.\n\nCette option ne respecte pas la casse.", + "xpack.apm.agentConfig.traceContinuationStrategy.label": "Stratégie de poursuite de traçage", + "xpack.apm.agentConfig.traceMethods.description": "Liste de méthodes pour lesquelles une transaction ou un intervalle doit être créé(e).\n\nSi vous souhaitez monitorer un nombre important de méthodes,\nutilisez \"profiling_inferred_spans_enabled\".\n\nCela fonctionne en instrumentant chaque méthode correspondante pour inclure le code qui crée un intervalle pour la méthode.\nSi la création d'un intervalle est très économique en termes de performances,\nl'instrumentation de toute une base de codes ou d'une méthode qui est exécutée dans une boucle serrée entraîne une surcharge significative.\n\nREMARQUE : utilisez les caractères génériques uniquement si cela est nécessaire.\nPlus vous faites correspondre de méthodes, plus l'agent créera une surcharge.\nNotez également qu'il existe une quantité maximale d'intervalles par transaction, \"transaction_max_spans\".\n\nPour en savoir plus, consultez la documentation de l'agent Java.", + "xpack.apm.agentConfig.traceMethods.label": "Méthodes de traçage", "xpack.apm.agentConfig.transactionIgnoreUrl.description": "Utilisé pour limiter l'instrumentation des requêtes vers certaines URL. Cette configuration accepte une liste séparée par des virgules de modèles de caractères génériques de chemins d'URL qui doivent être ignorés. Lorsqu'une requête HTTP entrante sera détectée, son chemin de requête sera confronté à chaque élément figurant dans cette liste. Par exemple, l'ajout de \"/home/index\" à cette liste permettrait de faire correspondre et de supprimer l'instrumentation de \"http://localhost/home/index\" ainsi que de \"http://whatever.com/home/index?value1=123\"", "xpack.apm.agentConfig.transactionIgnoreUrl.label": "Ignorer les transactions basées sur les URL", + "xpack.apm.agentConfig.transactionIgnoreUserAgents.description": "Utilisé pour limiter l'instrumentation des requêtes de certains agents utilisateurs.\n\nLorsqu'une requête HTTP entrante est détectée,\nl'agent utilisateur des en-têtes de la requête sera testé avec chaque élément de cette liste.\nExemple : \"curl/*\", \"*pingdom*\"", + "xpack.apm.agentConfig.transactionIgnoreUserAgents.label": "La transaction ignore les agents utilisateurs", "xpack.apm.agentConfig.transactionMaxSpans.description": "Limite la quantité d'intervalles enregistrés par transaction.", "xpack.apm.agentConfig.transactionMaxSpans.label": "Nb maxi d'intervalles de transaction", + "xpack.apm.agentConfig.transactionNameGroups.description": "Avec cette option,\nvous pouvez regrouper les noms de transaction contenant des parties dynamiques avec une expression de caractère générique.\nPar exemple,\nle modèle \"GET /user/*/cart\" consolide les transactions,\ntelles que \"GET /users/42/cart\" et \"GET /users/73/cart\", en un même nom de transaction, \"GET /users/*/cart\",\nréduisant ainsi la cardinalité du nom de transaction.", + "xpack.apm.agentConfig.transactionNameGroups.label": "Groupes de noms de transaction", "xpack.apm.agentConfig.transactionSampleRate.description": "Par défaut, l'agent échantillonnera chaque transaction (par ex. requête à votre service). Pour réduire la surcharge et les exigences de stockage, vous pouvez définir le taux d'échantillonnage sur une valeur comprise entre 0,0 et 1,0. La durée globale et le résultat des transactions non échantillonnées seront toujours enregistrés, mais pas les informations de contexte, les étiquettes ni les intervalles.", "xpack.apm.agentConfig.transactionSampleRate.label": "Taux d'échantillonnage des transactions", + "xpack.apm.agentConfig.unnestExceptions.description": "Lors du reporting d'exceptions,\ndésimbrique les exceptions correspondant au modèle de caractère générique.\nCela peut s'avérer pratique pour Spring avec \"org.springframework.web.util.NestedServletException\",\npar exemple.", + "xpack.apm.agentConfig.unnestExceptions.label": "Désimbriquer les exceptions", "xpack.apm.agentConfig.unsavedSetting.tooltip": "Non enregistré", + "xpack.apm.agentConfig.usePathAsTransactionName.description": "Si \"true\" est défini,\nles noms de transaction de frameworks non pris en charge ou partiellement pris en charge seront au format \"$method $path\" au lieu de simplement \"$method unknown route\".\n\nAVERTISSEMENT : si vos URL contiennent des paramètres de chemin tels que \"/user/$userId\",\nsoyez très prudent en activant cet indicateur,\ncar cela peut entraîner une explosion de groupes de transactions.\nConsultez l'option \"transaction_name_groups\" pour savoir comment atténuer ce problème en regroupant les URL ensemble.", + "xpack.apm.agentConfig.usePathAsTransactionName.label": "Utiliser le chemin comme nom de transaction", + "xpack.apm.agentExplorer.agentLanguageSelect.label": "Langage de l'agent", + "xpack.apm.agentExplorer.agentLanguageSelect.placeholder": "Tous", + "xpack.apm.agentExplorer.callout.24hoursData": "Informations basées sur les dernières 24 h", + "xpack.apm.agentExplorer.docsLink.elastic.logo": "Logo Elastic", + "xpack.apm.agentExplorer.docsLink.message": "Documents", + "xpack.apm.agentExplorer.docsLink.otel.logo": "Logo OpenTelemetry", + "xpack.apm.agentExplorer.instancesFlyout.title": "Instances d'agent", + "xpack.apm.agentExplorer.notFoundLabel": "Aucun agent trouvé", + "xpack.apm.agentExplorer.serviceNameSelect.label": "Nom de service", + "xpack.apm.agentExplorer.serviceNameSelect.placeholder": "Tous", + "xpack.apm.agentExplorerInstanceTable.agentVersionColumnLabel": "Version d'agent", + "xpack.apm.agentExplorerInstanceTable.environmentColumnLabel": "Environnement", + "xpack.apm.agentExplorerInstanceTable.InstanceColumnLabel": "Instance", + "xpack.apm.agentExplorerInstanceTable.lastReportColumnLabel": "Dernier rapport", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.configurationOptions": "options de configuration", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.tooltip": "Astuce pour serviceNodeName manquant", + "xpack.apm.agentExplorerTable.agentDocsColumnLabel": "Documents de l'agent", + "xpack.apm.agentExplorerTable.agentNameColumnLabel": "Nom de l'agent", + "xpack.apm.agentExplorerTable.agentVersionColumnLabel": "Version d'agent", + "xpack.apm.agentExplorerTable.environmentColumnLabel": "Environnement", + "xpack.apm.agentExplorerTable.instancesColumnLabel": "Instances", + "xpack.apm.agentExplorerTable.serviceNameColumnLabel": "Nom de service", + "xpack.apm.agentExplorerTable.viewAgentInstances": "Basculer la vue des instances de l'agent", + "xpack.apm.agentInstancesDetails.agentDocsUrlLabel": "Documentation de l'agent", + "xpack.apm.agentInstancesDetails.agentNameLabel": "Nom de l'agent", + "xpack.apm.agentInstancesDetails.intancesLabel": "Instances", + "xpack.apm.agentInstancesDetails.serviceLabel": "Service", "xpack.apm.agentMetrics.java.gcRate": "Taux RM", "xpack.apm.agentMetrics.java.gcRateChartTitle": "Récupération de mémoire par minute", "xpack.apm.agentMetrics.java.gcTime": "Durée RM", @@ -6984,11 +7117,22 @@ "xpack.apm.agentMetrics.java.threadCount": "Nombre moy.", "xpack.apm.agentMetrics.java.threadCountChartTitle": "Nombre de threads", "xpack.apm.agentMetrics.java.threadCountMax": "Nombre max", + "xpack.apm.agentMetrics.serverless.avgDuration": "Durée Lambda", + "xpack.apm.agentMetrics.serverless.avgDuration.description": "La durée de la transaction correspond au temps passé à traiter une requête et à y répondre. Si la requête est placée en file d'attente, elle ne contribuera pas à la durée de la transaction mais à la durée facturée générale", + "xpack.apm.agentMetrics.serverless.billedDurationAvg": "Durée facturée", + "xpack.apm.agentMetrics.serverless.coldStart": "Démarrage à froid", + "xpack.apm.agentMetrics.serverless.coldStart.title": "Démarrages à froid", + "xpack.apm.agentMetrics.serverless.coldStartDuration": "Durée du démarrage à froid", + "xpack.apm.agentMetrics.serverless.coldStartDuration.description": "La durée du démarrage à froid montre la durée d'exécution sans serveur pour les requêtes qui rencontrent des démarrages à froid.", + "xpack.apm.agentMetrics.serverless.computeUsage": "Utilisation du calcul", + "xpack.apm.agentMetrics.serverless.computeUsage.description": "L'utilisation du calcul (en Go-secondes) correspond au temps d'exécution multiplié par la taille de la mémoire disponible des instances de votre fonction. L'utilisation du calcul est un indicateur direct des coûts de votre fonction sans serveur.", + "xpack.apm.agentMetrics.serverless.transactionDuration": "Durée de la transaction", "xpack.apm.aggregatedTransactions.fallback.badge": "Basé sur les transactions échantillonnées", "xpack.apm.aggregatedTransactions.fallback.tooltip": "Cette page utilise les données d'événements de transactions lorsqu'aucun événement d'indicateur n'a été trouvé dans la plage temporelle actuelle, ou lorsqu'un filtre a été appliqué en fonction des champs indisponibles dans les documents des événements d'indicateurs.", "xpack.apm.alerting.fields.environment": "Environnement", "xpack.apm.alerting.fields.service": "Service", "xpack.apm.alerting.fields.type": "Type", + "xpack.apm.alerts.action_variables.alertDetailsUrl": "Liaison vers la vue dans Elastic qui affiche davantage de détails et de contexte concernant cette alerte", "xpack.apm.alerts.action_variables.environment": "Type de transaction pour lequel l'alerte est créée", "xpack.apm.alerts.action_variables.intervalSize": "La longueur et l'unité de la période à laquelle les conditions de l'alerte ont été remplies", "xpack.apm.alerts.action_variables.reasonMessage": "Une description concise de la raison du signalement", @@ -7031,11 +7175,17 @@ "xpack.apm.api.apiKeys.securityRequired": "Le plug-in de sécurité est requis", "xpack.apm.api.fleet.cloud_apm_package_policy.requiredRoleOnCloud": "Opération autorisée uniquement pour les utilisateurs Elastic Cloud disposant du rôle de superutilisateur.", "xpack.apm.api.fleet.fleetSecurityRequired": "Les plug-ins Fleet et Security sont requis", + "xpack.apm.api.storageExplorer.securityRequired": "Le plug-in de sécurité est requis", "xpack.apm.apmDescription": "Collecte automatiquement les indicateurs et les erreurs de performances détaillés depuis vos applications.", "xpack.apm.apmSchema.index": "Schéma du serveur APM - Index", + "xpack.apm.apmServiceGroups.title": "Groupes de services APM", "xpack.apm.apmSettings.index": "Paramètres APM - Index", + "xpack.apm.apmSettings.kibanaLink.label": "Paramètres avancés de Kibana", + "xpack.apm.apmSettings.save.error": "Une erreur s'est produite lors de l'enregistrement des paramètres", + "xpack.apm.apmSettings.saveButton": "Enregistrer les modifications", "xpack.apm.betaBadgeDescription": "Cette fonctionnalité est actuellement en version bêta. Si vous rencontrez des bugs ou si vous souhaitez apporter des commentaires, ouvrez un ticket de problème ou visitez notre forum de discussion.", "xpack.apm.betaBadgeLabel": "Bêta", + "xpack.apm.bottomBarActions.discardChangesButton": "Abandonner les modifications", "xpack.apm.chart.annotation.version": "Version", "xpack.apm.chart.comparison.defaultPreviousPeriodLabel": "Période précédente", "xpack.apm.chart.cpuSeries.processAverageLabel": "Moyenne de processus", @@ -7116,6 +7266,11 @@ "xpack.apm.customLink.buttom.create.title": "Créer", "xpack.apm.customLink.buttom.manage": "Gérer des liens personnalisés", "xpack.apm.customLink.empty": "Aucun lien personnalisé trouvé. Configurez vos propres liens personnalisés, par ex. un lien vers un tableau de bord spécifique ou un lien externe.", + "xpack.apm.data_view.creation_failed": "Une erreur s'est produite lors de la création de la vue de données", + "xpack.apm.dataView.alreadyExistsInActiveSpace": "La vue de données existe déjà dans l'espace actif", + "xpack.apm.dataView.alreadyExistsInAnotherSpace": "La vue de données existe déjà dans un autre espace mais elle n'est pas disponible dans cet espace", + "xpack.apm.dataView.autoCreateDisabled": "La création automatique des vues de données a été désactivée via l'option de configuration \"autoCreateApmDataView\"", + "xpack.apm.dataView.noApmData": "Aucune donnée APM", "xpack.apm.dependecyOperationDetailView.header.backLinkLabel": "Toutes les opérations", "xpack.apm.dependencies.kueryBarPlaceholder": "Rechercher dans les indicateurs de dépendance (par ex., span.destination.service.resource:elasticsearch)", "xpack.apm.dependenciesInventory.dependencyTableColumn": "Dépendance", @@ -7163,6 +7318,7 @@ "xpack.apm.error.prompt.body": "Veuillez consulter la console de développeur de votre navigateur pour plus de détails.", "xpack.apm.error.prompt.title": "Désolé, une erreur s'est produite :(", "xpack.apm.errorCountAlert.name": "Seuil de nombre d'erreurs", + "xpack.apm.errorCountRuleType.errors": " erreurs", "xpack.apm.errorGroup.chart.ocurrences": "Occurrences", "xpack.apm.errorGroupDetails.culpritLabel": "Coupable", "xpack.apm.errorGroupDetails.errorOccurrenceTitle": "Occurrence d'erreur", @@ -7291,6 +7447,9 @@ "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPolicies": "Politiques d'échantillonnage de la queue", "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPoliciesDescription": "Les politiques mappent les événements de trace à un taux d'échantillonnage. Chaque politique doit spécifier un taux d'échantillonnage. Les événements de trace sont mis en correspondance avec les politiques dans l'ordre spécifié. Toutes les conditions de la politique doivent être vraies pour qu'un événement de trace corresponde. Chaque liste de politiques doit se terminer par une politique qui ne spécifie qu'un taux d'échantillonnage. Cette politique finale est utilisée pour repérer les événements de trace restants qui ne correspondent pas à une politique plus stricte.", "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPoliciesTitle": "Politiques", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimit": "Limite de stockage d'échantillonnage de la queue", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimitDescription": "Quantité d'espace de stockage allouée aux événements de trace correspondant aux politiques d'échantillonnage de la queue. Attention : si vous définissez une limite supérieure à l'espace autorisé, le serveur APM pourra devenir défectueux.", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimitTitle": "Limite de stockage", "xpack.apm.fleet_integration.settings.tailSamplingDocsHelpTextLink": "documents", "xpack.apm.fleet_integration.settings.tls.settings.subtitle": "Paramètres pour la certification TLS.", "xpack.apm.fleet_integration.settings.tls.settings.title": "Paramètres TLS", @@ -7385,6 +7544,10 @@ "xpack.apm.jvmsTable.nonHeapMemoryColumnLabel": "Moy. segment de mémoire sans tas", "xpack.apm.jvmsTable.threadCountColumnLabel": "Nombre de threads max", "xpack.apm.keyValueFilterList.actionFilterLabel": "Filtrer par valeur", + "xpack.apm.labs": "Ateliers", + "xpack.apm.labs.cancel": "Annuler", + "xpack.apm.labs.description": "Essayez les fonctionnalités APM qui sont en version d'évaluation technique et en cours de progression.", + "xpack.apm.labs.reload": "Recharger pour appliquer les modifications", "xpack.apm.latencyCorrelations.licenseCheckText": "Pour utiliser les corrélations de latence, vous devez disposer d'une licence Elastic Platinum. Elle vous permettra de découvrir quels champs sont corrélés à de faibles performances.", "xpack.apm.license.betaBadge": "Version bêta", "xpack.apm.license.betaTooltipMessage": "Cette fonctionnalité est actuellement en version bêta. Si vous rencontrez des bugs ou si vous souhaitez apporter des commentaires, ouvrez un ticket de problème ou visitez notre forum de discussion.", @@ -7407,8 +7570,14 @@ "xpack.apm.mlCallout.updateAvailableCalloutButtonText": "Mettre à jour les tâches", "xpack.apm.mlCallout.updateAvailableCalloutText": "Nous avons mis à jour les tâches de détection des anomalies qui fournissent des indications sur la dégradation des performances et ajouté des détecteurs de débit et de taux de transactions ayant échoué. Si vous choisissez de mettre à jour, nous créerons les nouvelles tâches et fermerons les tâches héritées. Les données affichées dans l'application APM passeront automatiquement aux nouvelles. Veuillez noter que l'option de migration de toutes les tâches existantes ne sera pas disponible si vous choisissez de créer une nouvelle tâche.", "xpack.apm.mlCallout.updateAvailableCalloutTitle": "Mises à jour disponibles", + "xpack.apm.mobile.filters.appVersion": "Version de l'application", + "xpack.apm.mobile.filters.device": "Appareil", + "xpack.apm.mobile.filters.nct": "NCT", + "xpack.apm.mobile.filters.osVersion": "Version du système d'exploitation", "xpack.apm.navigation.apmSettingsTitle": "Paramètres", + "xpack.apm.navigation.apmStorageExplorerTitle": "Explorateur de stockage", "xpack.apm.navigation.dependenciesTitle": "Dépendances", + "xpack.apm.navigation.serviceGroupsTitle": "Groupes de services", "xpack.apm.navigation.serviceMapTitle": "Carte des services", "xpack.apm.navigation.servicesTitle": "Services", "xpack.apm.navigation.tracesTitle": "Traces", @@ -7427,6 +7596,25 @@ "xpack.apm.propertiesTable.tabs.timelineLabel": "Chronologie", "xpack.apm.searchInput.filter": "Filtrer…", "xpack.apm.selectPlaceholder": "Sélectionner une option :", + "xpack.apm.serverlessMetrics.activeInstances.billedDuration": "Durée facturée", + "xpack.apm.serverlessMetrics.activeInstances.functionName": "Nom de fonction", + "xpack.apm.serverlessMetrics.activeInstances.memorySize": "Taille de la mémoire", + "xpack.apm.serverlessMetrics.activeInstances.memoryUsageAvg": "Moy. d'utilisation de la mémoire", + "xpack.apm.serverlessMetrics.activeInstances.name": "Nom", + "xpack.apm.serverlessMetrics.activeInstances.title": "Instances actives", + "xpack.apm.serverlessMetrics.serverlessFunctions.billedDuration": "Durée facturée", + "xpack.apm.serverlessMetrics.serverlessFunctions.coldStart": "Démarrage à froid", + "xpack.apm.serverlessMetrics.serverlessFunctions.functionDuration": "Durée de la fonction", + "xpack.apm.serverlessMetrics.serverlessFunctions.functionName": "Nom de fonction", + "xpack.apm.serverlessMetrics.serverlessFunctions.memorySize": "Taille de la mémoire", + "xpack.apm.serverlessMetrics.serverlessFunctions.memoryUsageAvg": "Moy. d'utilisation de la mémoire", + "xpack.apm.serverlessMetrics.serverlessFunctions.title": "Fonctions Lambda", + "xpack.apm.serverlessMetrics.summary.billedDurationAvg": "Moy. de durée facturée", + "xpack.apm.serverlessMetrics.summary.estimatedCost": "Moy. de coûts estimés", + "xpack.apm.serverlessMetrics.summary.feedback": "Envoyer des commentaires", + "xpack.apm.serverlessMetrics.summary.functionDurationAvg": "Moy. de durée de la fonction", + "xpack.apm.serverlessMetrics.summary.memoryUsageAvg": "Moy. d'utilisation de la mémoire", + "xpack.apm.serverlessMetrics.summary.title": "Résumé", "xpack.apm.serviceDependencies.breakdownChartTitle": "Temps consacré par dépendance", "xpack.apm.serviceDetails.dependenciesTabLabel": "Dépendances", "xpack.apm.serviceDetails.errorsTabLabel": "Erreurs", @@ -7437,15 +7625,19 @@ "xpack.apm.serviceDetails.metricsTabLabel": "Indicateurs", "xpack.apm.serviceDetails.overviewTabLabel": "Aperçu", "xpack.apm.serviceDetails.transactionsTabLabel": "Transactions", - "xpack.apm.serviceGroup.allServices.title": "Tous les services", + "xpack.apm.serviceGroup.allServices.title": "Services", "xpack.apm.serviceGroup.serviceInventory": "Inventory", "xpack.apm.serviceGroup.serviceMap": "Carte des services", + "xpack.apm.serviceGroups.beta.feedback.link": "Envoyer des commentaires", + "xpack.apm.serviceGroups.breadcrumb.return": "Renvoyer", "xpack.apm.serviceGroups.breadcrumb.title": "Services", "xpack.apm.serviceGroups.buttonGroup.allServices": "Tous les services", "xpack.apm.serviceGroups.buttonGroup.serviceGroups": "Groupes de services", "xpack.apm.serviceGroups.cardsList.emptyDescription": "Aucune description disponible", "xpack.apm.serviceGroups.createGroupLabel": "Créer un groupe", "xpack.apm.serviceGroups.createSuccess.toast.text": "Votre groupe est maintenant visible dans la nouvelle vue Services pour les groupes.", + "xpack.apm.serviceGroups.data.emptyPrompt.message": "Commencez à regrouper et à organiser vos services et votre application. Découvrez d'autres informations sur les groupes de services ou créez un groupe.", + "xpack.apm.serviceGroups.data.emptyPrompt.noServiceGroups": "Aucun groupe de services", "xpack.apm.serviceGroups.deleteFailure.unknownId.toast.text": "Impossible de supprimer le groupe : id du groupe de service inconnu.", "xpack.apm.serviceGroups.editGroupLabel": "Modifier un groupe", "xpack.apm.serviceGroups.editSuccess.toast.text": "Nouveaux changements dans le groupe de services enregistrés.", @@ -7463,6 +7655,7 @@ "xpack.apm.serviceGroups.groupDetailsForm.selectServices": "Sélectionner des services", "xpack.apm.serviceGroups.list.sort.alphabetical": "Alphabétique", "xpack.apm.serviceGroups.list.sort.recentlyAdded": "Récemment ajouté", + "xpack.apm.serviceGroups.listDescription": "Le nombre de services affiché reflète les dernières 24 heures.", "xpack.apm.serviceGroups.selectServicesForm.cancel": "Annuler", "xpack.apm.serviceGroups.selectServicesForm.editGroupDetails": "Modifier les détails du groupe", "xpack.apm.serviceGroups.selectServicesForm.kql": "Par exemple, labels.team : \"web\"", @@ -7470,6 +7663,7 @@ "xpack.apm.serviceGroups.selectServicesForm.preview": "Aperçu", "xpack.apm.serviceGroups.selectServicesForm.refresh": "Actualiser", "xpack.apm.serviceGroups.selectServicesForm.saveGroup": "Enregistrer le groupe", + "xpack.apm.serviceGroups.selectServicesForm.subtitle": "Utilisez une requête pour sélectionner les services pour ce groupe. L'aperçu affiche les services qui correspondent à cette requête dans les dernières 24 heures.", "xpack.apm.serviceGroups.selectServicesForm.title": "Sélectionner des services", "xpack.apm.serviceGroups.selectServicesList.environmentColumnLabel": "Environnements", "xpack.apm.serviceGroups.selectServicesList.nameColumnLabel": "Nom", @@ -7489,10 +7683,16 @@ "xpack.apm.serviceIcons.container": "Conteneur", "xpack.apm.serviceIcons.serverless": "Sans serveur", "xpack.apm.serviceIcons.service": "Service", + "xpack.apm.serviceIcons.serviceDetails.cloud.architecture": "Architecture", "xpack.apm.serviceIcons.serviceDetails.cloud.projectIdLabel": "ID de projet", "xpack.apm.serviceIcons.serviceDetails.cloud.providerLabel": "Fournisseur cloud", "xpack.apm.serviceIcons.serviceDetails.cloud.serviceNameLabel": "Service Cloud", + "xpack.apm.serviceIcons.serviceDetails.container.image.name": "Images de conteneurs", + "xpack.apm.serviceIcons.serviceDetails.container.os.label": "Système d'exploitation", "xpack.apm.serviceIcons.serviceDetails.container.totalNumberInstancesLabel": "Nombre total d'instances", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.deployments": "Déploiements", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.namespaces": "Espaces de noms", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.replicasets": "ReplicaSets", "xpack.apm.serviceIcons.serviceDetails.service.agentLabel": "Nom et version de l'agent", "xpack.apm.serviceIcons.serviceDetails.service.frameworkLabel": "Nom du framework", "xpack.apm.serviceIcons.serviceDetails.service.runtimeLabel": "Nom et version de l'exécution", @@ -7541,7 +7741,12 @@ "xpack.apm.serviceOverview.dependenciesTableColumn": "Dépendance", "xpack.apm.serviceOverview.dependenciesTableTabLink": "Afficher les dépendances", "xpack.apm.serviceOverview.dependenciesTableTitle": "Dépendances", - "xpack.apm.serviceOverview.dependenciesTableTitleTip": "Services en aval non instrumentés ou connexions externes dérivées des intervalles de sortie des services instrumentés.", + "xpack.apm.serviceOverview.dependenciesTableTitleTip": "Services en aval et connexions externes aux services non instrumentés", + "xpack.apm.serviceOverview.embeddedMap.error": "Impossible de charger la carte", + "xpack.apm.serviceOverview.embeddedMap.error.toastTitle": "Une erreur s'est produite lors de l'ajout de l'incorporation de la carte", + "xpack.apm.serviceOverview.embeddedMap.input.title": "Latence par pays", + "xpack.apm.serviceOverview.embeddedMap.metric.label": "Durée du chargement de la page", + "xpack.apm.serviceOverview.embeddedMap.title": "Latence moyenne par pays", "xpack.apm.serviceOverview.errorsTable.errorMessage": "Impossible de récupérer", "xpack.apm.serviceOverview.errorsTable.loading": "Chargement...", "xpack.apm.serviceOverview.errorsTable.noResults": "Aucune erreur trouvée", @@ -7573,8 +7778,17 @@ "xpack.apm.serviceOverview.latencyColumnDefaultLabel": "Latence", "xpack.apm.serviceOverview.latencyColumnP95Label": "Latence (95e)", "xpack.apm.serviceOverview.latencyColumnP99Label": "Latence (99e)", + "xpack.apm.serviceOverview.lensFlyout.countRecords": "Nombre d'enregistrements", "xpack.apm.serviceOverview.loadingText": "Chargement…", + "xpack.apm.serviceOverview.mobileCallOutLink": "Donner un retour", + "xpack.apm.serviceOverview.mobileCallOutTitle": "APM mobile", + "xpack.apm.serviceOverview.mostUsed.appVersion": "Version de l'application", + "xpack.apm.serviceOverview.mostUsed.device": "Appareils", + "xpack.apm.serviceOverview.mostUsed.nct": "Type de connexion réseau", + "xpack.apm.serviceOverview.mostUsed.osVersion": "Version du système d'exploitation", + "xpack.apm.serviceOverview.mostUsedTitle": "Le plus utilisé", "xpack.apm.serviceOverview.noResultsText": "Aucune instance trouvée", + "xpack.apm.serviceOverview.openInLens": "Ouvrir dans Lens", "xpack.apm.serviceOverview.throughtputChartTitle": "Rendement", "xpack.apm.serviceOverview.tpmHelp": "Le rendement est mesuré en transactions par minute (tpm).", "xpack.apm.serviceOverview.transactionsTableColumnErrorRate": "Taux de transactions ayant échoué", @@ -7583,6 +7797,7 @@ "xpack.apm.serviceOverview.transactionsTableColumnImpactTip": "Points de terminaison les plus utilisés et les plus lents de votre service. Calculé en multipliant la latence par le rendement.", "xpack.apm.serviceOverview.transactionsTableColumnName": "Nom", "xpack.apm.serviceOverview.transactionsTableColumnThroughput": "Rendement", + "xpack.apm.servicesGroups.buttonGroup.legend": "Afficher tous les services ou groupes de services", "xpack.apm.servicesGroups.filter": "Groupes de filtres", "xpack.apm.servicesGroups.loadingServiceGroups": "Chargement des groupes de services", "xpack.apm.servicesTable.environmentColumnLabel": "Environnement", @@ -7598,6 +7813,9 @@ "xpack.apm.settings.agentConfig": "Configuration de l'agent", "xpack.apm.settings.agentConfig.createConfigButton.tooltip": "Vous ne disposez pas d'autorisations pour créer des configurations d'agent", "xpack.apm.settings.agentConfig.descriptionText": "Affinez votre configuration d'agent depuis l'application APM. Les modifications sont automatiquement propagées à vos agents APM, ce qui vous évite d'effectuer un redéploiement.", + "xpack.apm.settings.agentExplorer": "Explorateur d'agent", + "xpack.apm.settings.agentExplorer.descriptionText": "La version d'évaluation technique de l'explorateur d'agent fournit un inventaire des agents déployés et des détails les concernant.", + "xpack.apm.settings.agentExplorer.title": "Explorateur d'agent", "xpack.apm.settings.agentKeys": "Clés d'agent", "xpack.apm.settings.agentKeys.agentKeysErrorPromptTitle": "Impossible de charger les clés de l'agent APM.", "xpack.apm.settings.agentKeys.agentKeysLoadingPromptTitle": "Chargement des clés de l'agent APM...", @@ -7717,6 +7935,7 @@ "xpack.apm.settings.customLink.table.lastUpdated": "Dernière mise à jour", "xpack.apm.settings.customLink.table.name": "Nom", "xpack.apm.settings.customLink.table.url": "URL", + "xpack.apm.settings.generalSettings": "Paramètres généraux", "xpack.apm.settings.indices": "Index", "xpack.apm.settings.schema": "Schéma", "xpack.apm.settings.schema.confirm.apmServerSettingsCloudLinkText": "Accéder aux paramètres du serveur APM dans Elastic Cloud", @@ -7766,13 +7985,91 @@ "xpack.apm.stacktraceTab.causedByFramesToogleButtonLabel": "Provoqué par", "xpack.apm.stacktraceTab.localVariablesToogleButtonLabel": "Variables locales", "xpack.apm.stacktraceTab.noStacktraceAvailableLabel": "Aucune trace de pile disponible.", + "xpack.apm.storageExplorer.callout.dimissButton": "Rejeter", + "xpack.apm.storageExplorer.crossClusterSearchCalloutText": "Alors que l'obtention du nombre de documents fonctionne avec la recherche inter-clusters, les statistiques d'index telles que la taille sont uniquement affichées pour les données stockées dans ce cluster.", + "xpack.apm.storageExplorer.crossClusterSearchCalloutTitle": "Recherche dans tous les clusters ?", + "xpack.apm.storageExplorer.indexLifecyclePhase.all.description": "Recherchez les données dans toutes les phases du cycle de vie.", + "xpack.apm.storageExplorer.indexLifecyclePhase.all.label": "Tous", + "xpack.apm.storageExplorer.indexLifecyclePhase.cold.description": "Même s'il est toujours interrogeable, ce niveau est généralement optimisé pour réduire les coûts de stockage plutôt que pour augmenter la vitesse de recherche.", + "xpack.apm.storageExplorer.indexLifecyclePhase.cold.label": "Cold", + "xpack.apm.storageExplorer.indexLifecyclePhase.frozen.description": "Contient des données qui ne sont plus interrogées ou qui ne le sont que très rarement.", + "xpack.apm.storageExplorer.indexLifecyclePhase.frozen.label": "Frozen", + "xpack.apm.storageExplorer.indexLifecyclePhase.hot.description": "Contient vos données les plus récentes et les plus fréquemment recherchées.", + "xpack.apm.storageExplorer.indexLifecyclePhase.hot.label": "Hot", + "xpack.apm.storageExplorer.indexLifecyclePhase.label": "Phase de cycle de vie des index", + "xpack.apm.storageExplorer.indexLifecyclePhase.warm.description": "Contient les données des dernières semaines. Les mises à jour sont toujours autorisées, mais probablement peu fréquentes.", + "xpack.apm.storageExplorer.indexLifecyclePhase.warm.label": "Chaude", + "xpack.apm.storageExplorer.indicesStats.dataStream": "Flux de données", + "xpack.apm.storageExplorer.indicesStats.indexName": "Nom", + "xpack.apm.storageExplorer.indicesStats.lifecyclePhase": "Phase de cycle de vie", + "xpack.apm.storageExplorer.indicesStats.numberOfDocs": "Nombre de documents", + "xpack.apm.storageExplorer.indicesStats.primaries": "Partitions principales", + "xpack.apm.storageExplorer.indicesStats.replicas": "Répliques", + "xpack.apm.storageExplorer.indicesStats.table.caption": "Répartition des index de l'explorateur de stockage", + "xpack.apm.storageExplorer.indicesStats.table.errorMessage": "Impossible de récupérer", + "xpack.apm.storageExplorer.indicesStats.table.loading": "Chargement...", + "xpack.apm.storageExplorer.indicesStats.table.noResults": "Aucune donnée trouvée", + "xpack.apm.storageExplorer.indicesStats.title": "Répartition des index", + "xpack.apm.storageExplorer.loadingPromptTitle": "Chargement de l'explorateur de stockage...", + "xpack.apm.storageExplorer.longLoadingTimeCalloutLink": "Paramètres avancés de Kibana", + "xpack.apm.storageExplorer.longLoadingTimeCalloutTitle": "Temps de chargement long ?", + "xpack.apm.storageExplorer.noPermissionToViewIndicesStatsDescription": "Contactez votre administrateur système", + "xpack.apm.storageExplorer.noPermissionToViewIndicesStatsTitle": "Vous devez disposer d'une autorisation pour afficher les statistiques des index", + "xpack.apm.storageExplorer.resources.accordionTitle": "Astuces et conseils", + "xpack.apm.storageExplorer.resources.compressedSpans.description": "Autorise la compression d'intervalle. La compression d'intervalle permet d'économiser les coûts de données et de transfert en compressant de nombreux intervalles similaires en un seul intervalle.", + "xpack.apm.storageExplorer.resources.compressedSpans.title": "Réduire les intervalles", + "xpack.apm.storageExplorer.resources.documentation": "Documentation", + "xpack.apm.storageExplorer.resources.errorMessages.description": "Configurez une politique d'échantillonnage de transaction plus agressive. L'échantillonnage des transactions réduit la quantité de données ingérées sans avoir d'impact négatif sur l'utilité de ces données.", + "xpack.apm.storageExplorer.resources.errorMessages.title": "Réduire les transactions", + "xpack.apm.storageExplorer.resources.indexManagement": "Gestion des index", + "xpack.apm.storageExplorer.resources.learnMoreButton": "En savoir plus", + "xpack.apm.storageExplorer.resources.samplingRate.description": "Personnalisez vos politiques de cycle de vie des index. Les politiques de cycle de vie des index vous permettent de gérer les index en fonction de vos exigences de performances, de résilience et de conservation.", + "xpack.apm.storageExplorer.resources.samplingRate.title": "Gérer le cycle de vie des index", + "xpack.apm.storageExplorer.resources.sendFeedback": "Envoyer des commentaires", + "xpack.apm.storageExplorer.resources.serviceInventory": "Inventaire de service", + "xpack.apm.storageExplorer.resources.title": "Ressources", + "xpack.apm.storageExplorer.serviceDetails.errors": "Erreurs", + "xpack.apm.storageExplorer.serviceDetails.metrics": "Indicateurs", + "xpack.apm.storageExplorer.serviceDetails.serviceOverviewLink": "Accéder à l'aperçu des services", + "xpack.apm.storageExplorer.serviceDetails.spans": "Intervalles", + "xpack.apm.storageExplorer.serviceDetails.title": "Détails de stockage de service", + "xpack.apm.storageExplorer.serviceDetails.transactions": "Transactions", + "xpack.apm.storageExplorer.sizeLabel.description": "Taille de stockage estimée par service. Cette estimation comprend les partitions primaires et répliques de partition et est établie en calculant au prorata la taille totale de vos index par rapport au nombre de documents du service, divisé par le nombre total de documents.", + "xpack.apm.storageExplorer.sizeLabel.title": "Taille", + "xpack.apm.storageExplorer.summary.dailyDataGeneration": "Génération quotidienne des données", + "xpack.apm.storageExplorer.summary.diskSpaceUsedPct": "Espace disque utilisé", + "xpack.apm.storageExplorer.summary.diskSpaceUsedPct.tooltip": "Le pourcentage de la capacité de stockage qui est actuellement utilisée par tous les indices APM par rapport à la capacité de stockage maximale actuellement configurée pour Elasticsearch.", + "xpack.apm.storageExplorer.summary.incrementalSize": "Taille APM incrémentielle", + "xpack.apm.storageExplorer.summary.incrementalSize.tooltip": "Taille de stockage estimée par les index APM en fonction des filtres sélectionnés.", + "xpack.apm.storageExplorer.summary.indexManagementLink": "Accéder à la gestion des index", + "xpack.apm.storageExplorer.summary.numberOfServices": "Nombre de services", + "xpack.apm.storageExplorer.summary.serviceInventoryLink": "Accéder à l'inventaire des services", + "xpack.apm.storageExplorer.summary.totalSize": "Taille APM totale", + "xpack.apm.storageExplorer.summary.totalSize.tooltip": "Taille de stockage totale actuelle de tous les index APM, en ignorant tous les filtres.", + "xpack.apm.storageExplorer.summary.tracesPerMinute": "Traces par minute", + "xpack.apm.storageExplorer.table.caption": "Explorateur de stockage", + "xpack.apm.storageExplorer.table.collapse": "Réduire", + "xpack.apm.storageExplorer.table.environmentColumnName": "Environnement", + "xpack.apm.storageExplorer.table.errorMessage": "Impossible de récupérer", + "xpack.apm.storageExplorer.table.expand": "Développer", + "xpack.apm.storageExplorer.table.expandRow": "Développer la ligne", + "xpack.apm.storageExplorer.table.loading": "Chargement...", + "xpack.apm.storageExplorer.table.noResults": "Aucune donnée trouvée", + "xpack.apm.storageExplorer.table.samplingColumnDescription": "Nombre de transactions échantillonnées divisé par le rendement total. Cette valeur peut différer du taux d'échantillonnage des transactions configuré car elle peut être affectée par la décision du service initial lors de l'utilisation de l'échantillonnage basé sur la tête ou par un ensemble de politiques lors de l'utilisation de l'échantillonnage basé sur la queue.", + "xpack.apm.storageExplorer.table.samplingColumnName": "Taux d'échantillonnage", + "xpack.apm.storageExplorer.table.serviceColumnName": "Service", + "xpack.apm.storageExplorerLinkLabel": "Explorateur de stockage", "xpack.apm.technicalPreviewBadgeDescription": "Cette fonctionnalité est en version d'évaluation technique et pourra être modifiée ou retirée complètement dans une future version. Elastic s'efforcera au maximum de corriger tout problème, mais les fonctionnalités en version d'évaluation technique ne sont pas soumises aux accords de niveau de service d'assistance des fonctionnalités officielles en disponibilité générale.", "xpack.apm.technicalPreviewBadgeLabel": "Version d'évaluation technique", "xpack.apm.timeComparison.label": "Comparaison", "xpack.apm.timeComparison.select.dayBefore": "Jour précédent", "xpack.apm.timeComparison.select.weekBefore": "Semaine précédente", + "xpack.apm.timeseries.endzone": "La plage temporelle sélectionnée n'inclut pas ce compartiment en entier. Il se peut qu'elle contienne des données partielles.", "xpack.apm.toggleHeight.showLessButtonLabel": "Afficher moins de lignes", "xpack.apm.toggleHeight.showMoreButtonLabel": "Afficher plus de lignes", + "xpack.apm.traceExplorer.appName": "APM", + "xpack.apm.traceExplorer.criticalPathTab": "Chemin critique agrégé", + "xpack.apm.traceExplorer.waterfallTab": "Cascade", "xpack.apm.traceOverview.topTracesTab": "Premières traces", "xpack.apm.traceOverview.traceExplorerTab": "Explorer", "xpack.apm.traceSearchBox.refreshButton": "Recherche", @@ -7835,6 +8132,7 @@ "xpack.apm.transactionDetails.statusCode": "Code du statut", "xpack.apm.transactionDetails.syncBadgeAsync": "async", "xpack.apm.transactionDetails.syncBadgeBlocking": "blocage", + "xpack.apm.transactionDetails.tabs.aggregatedCriticalPathLabel": "Chemin critique agrégé", "xpack.apm.transactionDetails.tabs.failedTransactionsCorrelationsLabel": "Corrélations des transactions ayant échoué", "xpack.apm.transactionDetails.tabs.latencyLabel": "Corrélations de latence", "xpack.apm.transactionDetails.tabs.traceSamplesLabel": "Échantillons de traces", @@ -7856,8 +8154,12 @@ "xpack.apm.transactionDurationAlert.aggregationType.99th": "99e centile", "xpack.apm.transactionDurationAlert.aggregationType.avg": "Moyenne", "xpack.apm.transactionDurationAlert.name": "Seuil de latence", + "xpack.apm.transactionDurationAnomalyRuleType.anomalySeverity": "Comporte une anomalie avec sévérité", "xpack.apm.transactionDurationLabel": "Durée", + "xpack.apm.transactionDurationRuleType.ms": "ms", + "xpack.apm.transactionDurationRuleType.when": "Quand", "xpack.apm.transactionErrorRateAlert.name": "Seuil du taux de transactions ayant échoué", + "xpack.apm.transactionErrorRateRuleType.isAbove": "est supérieur à", "xpack.apm.transactions.latency.chart.95thPercentileLabel": "95e centile", "xpack.apm.transactions.latency.chart.99thPercentileLabel": "99e centile", "xpack.apm.transactions.latency.chart.averageLabel": "Moyenne", @@ -7874,6 +8176,8 @@ "xpack.apm.tutorial.agent_config.fleetPoliciesLabel": "Politiques Fleet", "xpack.apm.tutorial.agent_config.getStartedWithFleet": "Démarrer avec Fleet", "xpack.apm.tutorial.agent_config.manageFleetPolicies": "Gérer les politiques Fleet", + "xpack.apm.tutorial.agent.column.configSettings": "Paramètre de configuration", + "xpack.apm.tutorial.agent.column.configValue": "Valeur de configuration", "xpack.apm.tutorial.apmAgents.statusCheck.btnLabel": "Vérifier le statut de l'agent", "xpack.apm.tutorial.apmAgents.statusCheck.errorMessage": "Aucune donnée n'a encore été reçue des agents", "xpack.apm.tutorial.apmAgents.statusCheck.successMessage": "Les données ont été correctement reçues d'un ou de plusieurs agents", @@ -7992,26 +8296,34 @@ "xpack.apm.views.dependenciesInventory.title": "Dépendances", "xpack.apm.views.dependenciesOperations.title": "Opérations", "xpack.apm.views.errors.title": "Erreurs", + "xpack.apm.views.infra.tabs.containers": "Conteneurs", + "xpack.apm.views.infra.tabs.hosts": "Hôtes", + "xpack.apm.views.infra.tabs.pods": "Pods", "xpack.apm.views.infra.title": "Infrastructure", "xpack.apm.views.listSettings.title": "Paramètres", "xpack.apm.views.logs.title": "Logs", "xpack.apm.views.metrics.title": "Indicateurs", - "xpack.apm.views.nodes.title": "JVM", + "xpack.apm.views.nodes.title": "Indicateurs", "xpack.apm.views.overview.title": "Aperçu", "xpack.apm.views.serviceGroups.title": "Services", "xpack.apm.views.serviceInventory.title": "Services", "xpack.apm.views.serviceMap.title": "Carte des services", "xpack.apm.views.settings.agentConfiguration.title": "Configuration de l'agent", + "xpack.apm.views.settings.agentExplorer.title": "Explorateur d'agent", "xpack.apm.views.settings.agentKeys.title": "Clés d'agent", "xpack.apm.views.settings.anomalyDetection.title": "Détection des anomalies", "xpack.apm.views.settings.createAgentConfiguration.title": "Créer une configuration d'agent", "xpack.apm.views.settings.customLink.title": "Liens personnalisés", "xpack.apm.views.settings.editAgentConfiguration.title": "Modifier la configuration d'agent", + "xpack.apm.views.settings.generalSettings.title": "Paramètres généraux", "xpack.apm.views.settings.indices.title": "Index", "xpack.apm.views.settings.schema.title": "Schéma", + "xpack.apm.views.storageExplorer.giveFeedback": "Donner un retour", + "xpack.apm.views.storageExplorer.title": "Explorateur de stockage", "xpack.apm.views.traceOverview.title": "Traces", "xpack.apm.views.transactions.title": "Transactions", "xpack.apm.waterfall.exceedsMax": "Le nombre d'éléments dans cette trace dépasse ce qui est affiché", + "xpack.apm.waterfall.showCriticalPath": "Afficher le chemin critique", "xpack.banners.settings.backgroundColor.description": "Définissez la couleur d'arrière-plan de la bannière. {subscriptionLink}", "xpack.banners.settings.placement.description": "Affichez une bannière haute pour cet espace, au-dessus de l'en-tête Elastic. {subscriptionLink}", "xpack.banners.settings.text.description": "Ajoutez un texte formaté Markdown à la bannière. {subscriptionLink}", @@ -8309,7 +8621,9 @@ "xpack.canvas.elements.metricVisDisplayName": "Indicateur", "xpack.canvas.elements.metricVisHelpText": "Visualisation de l'indicateur", "xpack.canvas.elements.pieDisplayName": "Camembert", - "xpack.canvas.elements.pieHelpText": "Diagramme en camembert", + "xpack.canvas.elements.pieHelpText": "Graphique en secteurs", + "xpack.canvas.elements.pieVisDisplayName": "(Nouvelle) visualisation du camembert", + "xpack.canvas.elements.pieVisHelpText": "Visualisation du camembert", "xpack.canvas.elements.plotDisplayName": "Tracé des coordonnées", "xpack.canvas.elements.plotHelpText": "Graphiques mixtes linéaires, barres ou points", "xpack.canvas.elements.progressGaugeDisplayName": "Jauge", @@ -8751,8 +9065,14 @@ "xpack.canvas.uis.arguments.numberTitle": "Nombre", "xpack.canvas.uis.arguments.paletteLabel": "Collection de couleurs utilisée pour générer le rendu de l'élément", "xpack.canvas.uis.arguments.paletteTitle": "Palette de couleurs", + "xpack.canvas.uis.arguments.partitionLabelsLabel": "Configuration des étiquettes", + "xpack.canvas.uis.arguments.partitionLabelsTitle": "Étiquettes de partition", "xpack.canvas.uis.arguments.percentageLabel": "Curseur de pourcentage ", "xpack.canvas.uis.arguments.percentageTitle": "Pourcentage", + "xpack.canvas.uis.arguments.percentDecimals": "Décimales de pourcentage", + "xpack.canvas.uis.arguments.positionDefaultLabel": "Par défaut", + "xpack.canvas.uis.arguments.positionInsideLabel": "Intérieur", + "xpack.canvas.uis.arguments.positionLabel": "Position", "xpack.canvas.uis.arguments.rangeLabel": "Curseur de valeurs d'une plage", "xpack.canvas.uis.arguments.rangeTitle": "Plage", "xpack.canvas.uis.arguments.selectLabel": "Sélectionner parmi plusieurs options d'une liste déroulante", @@ -8767,6 +9087,12 @@ "xpack.canvas.uis.arguments.textareaTitle": "Zone de texte", "xpack.canvas.uis.arguments.toggleLabel": "Bouton bascule vrai/faux", "xpack.canvas.uis.arguments.toggleTitle": "Bascule", + "xpack.canvas.uis.arguments.turnedOffShowLabelsLabel": "Activer pour afficher les paramètres des étiquettes", + "xpack.canvas.uis.arguments.valuesFormatLabel": "Format valeurs", + "xpack.canvas.uis.arguments.valuesFormatPercentLabel": "Pourcent", + "xpack.canvas.uis.arguments.valuesFormatValueLabel": "Valeur", + "xpack.canvas.uis.arguments.valuesLabel": "Valeurs", + "xpack.canvas.uis.arguments.valuesToggle": "Afficher les valeurs", "xpack.canvas.uis.arguments.visDimensionDefaultOptionName": "Sélectionner la colonne", "xpack.canvas.uis.arguments.visDimensionLabel": "Génère un objet dimension visConfig", "xpack.canvas.uis.arguments.visDimensionTitle": "Colonne", @@ -8778,8 +9104,8 @@ "xpack.canvas.uis.dataSources.esdocs.fieldsLabel": "Les champs scriptés ne sont pas disponibles", "xpack.canvas.uis.dataSources.esdocs.fieldsTitle": "Champs", "xpack.canvas.uis.dataSources.esdocs.fieldsWarningLabel": "Cette source de données fonctionne mieux avec 10 champs ou moins", - "xpack.canvas.uis.dataSources.esdocs.indexLabel": "Entrer un nom d'index ou sélectionner une vue de données", - "xpack.canvas.uis.dataSources.esdocs.indexTitle": "Index", + "xpack.canvas.uis.dataSources.esdocs.indexLabel": "Sélectionnez une vue de données ou saisissez un nom d'index.", + "xpack.canvas.uis.dataSources.esdocs.indexTitle": "Vue de données", "xpack.canvas.uis.dataSources.esdocs.queryTitle": "Recherche", "xpack.canvas.uis.dataSources.esdocs.sortFieldLabel": "Champ de tri du document", "xpack.canvas.uis.dataSources.esdocs.sortFieldTitle": "Champ de tri", @@ -8821,6 +9147,21 @@ "xpack.canvas.uis.models.math.args.valueLabel": "Fonction et colonne à utiliser pour extraire une valeur de la source de données", "xpack.canvas.uis.models.math.args.valueTitle": "Valeur", "xpack.canvas.uis.models.mathTitle": "Mesure", + "xpack.canvas.uis.models.parititionLabels.title": "Configurer les étiquettes des graphiques", + "xpack.canvas.uis.models.partitionLabels.args.percentDecimalsDisplayName": "Décimales de pourcentage dans les étiquettes", + "xpack.canvas.uis.models.partitionLabels.args.percentDecimalsHelp": "Définit le nombre de décimales qui s'affichent pour les valeurs sous forme de pourcentage.", + "xpack.canvas.uis.models.partitionLabels.args.positionDefaultOption": "Par défaut", + "xpack.canvas.uis.models.partitionLabels.args.positionDisplayName": "Définit la position des étiquettes.", + "xpack.canvas.uis.models.partitionLabels.args.positionInsideOption": "Intérieur", + "xpack.canvas.uis.models.partitionLabels.args.positionTitle": "Définit la position des étiquettes.", + "xpack.canvas.uis.models.partitionLabels.args.showDisplayName": "Afficher les étiquettes dans un graphique", + "xpack.canvas.uis.models.partitionLabels.args.showTitle": "Afficher les étiquettes", + "xpack.canvas.uis.models.partitionLabels.args.valuesDisplayName": "Afficher les valeurs dans les étiquettes", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatDisplayName": "Définit le format des valeurs.", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatHelp": "Définit le format des valeurs.", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatPercentDisplayName": "Pourcent", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatValueDisplayName": "Valeur", + "xpack.canvas.uis.models.partitionLabels.args.valuesHelp": "Afficher les valeurs dans les étiquettes", "xpack.canvas.uis.models.pointSeries.args.colorLabel": "Détermine la couleur d'une marque ou d'une série", "xpack.canvas.uis.models.pointSeries.args.colorTitle": "Couleur", "xpack.canvas.uis.models.pointSeries.args.sizeLabel": "Détermine la taille d'une marque", @@ -8906,6 +9247,56 @@ "xpack.canvas.uis.views.openLinksInNewTabHelpLabel": "Définir les liens de sorte qu'ils s'ouvrent dans un nouvel onglet", "xpack.canvas.uis.views.openLinksInNewTabLabel": "Ouvrir tous les liens dans un nouvel onglet", "xpack.canvas.uis.views.openLinksInNewTabTitle": "Paramètres du lien Markdown", + "xpack.canvas.uis.views.partitionVis.args.addTooltipDisplayName": "Infobulle", + "xpack.canvas.uis.views.partitionVis.args.addTooltipHelp": "Afficher l'infobulle au survol", + "xpack.canvas.uis.views.partitionVis.args.addTooltipToggleLabel": "Afficher l'infobulle", + "xpack.canvas.uis.views.partitionVis.args.bucketDisplayName": "Compartiment", + "xpack.canvas.uis.views.partitionVis.args.bucketHelp": "Configuration des dimensions de compartiment", + "xpack.canvas.uis.views.partitionVis.args.distictColorsToggleLabel": "Utiliser des couleurs distinctes", + "xpack.canvas.uis.views.partitionVis.args.distinctColorsDisplayName": "Couleurs des sections", + "xpack.canvas.uis.views.partitionVis.args.distinctColorsHelp": "Utiliser des couleurs différentes pour les sections à valeurs inégales", + "xpack.canvas.uis.views.partitionVis.args.emptySizeRatioDisplayName": "Taille du trou du graphique en anneau", + "xpack.canvas.uis.views.partitionVis.args.emptySizeRatioHelp": "Définir le diamètre intérieur du trou du graphique en anneau", + "xpack.canvas.uis.views.partitionVis.args.isDonutDisplayName": "Graphique en anneau", + "xpack.canvas.uis.views.partitionVis.args.isDonutHelp": "Afficher le graphique en anneau", + "xpack.canvas.uis.views.partitionVis.args.labelsDisplayName": "Configuration de l'étiquette", + "xpack.canvas.uis.views.partitionVis.args.labelsHelp": "Afficher les paramètres d'étiquette", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayDefaultLabel": "Par défaut", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayHideLabel": "Masquer", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayLabel": "Afficher ou masquer la légende du camembert", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayShowLabel": "Afficher", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayTitle": "Vue de la légende", + "xpack.canvas.uis.views.partitionVis.args.legendPositionBottomLabel": "Bas", + "xpack.canvas.uis.views.partitionVis.args.legendPositionLabel": "Définir la position de la légende à droite, en haut, à gauche ou en bas", + "xpack.canvas.uis.views.partitionVis.args.legendPositionLeftLabel": "Gauche", + "xpack.canvas.uis.views.partitionVis.args.legendPositionRightLabel": "Droite", + "xpack.canvas.uis.views.partitionVis.args.legendPositionTitle": "Placement", + "xpack.canvas.uis.views.partitionVis.args.legendPositionTopLabel": "Haut", + "xpack.canvas.uis.views.partitionVis.args.maxLegendLinesDisplayName": "Nombre max. de lignes de légende", + "xpack.canvas.uis.views.partitionVis.args.maxLegendLinesHelp": "Définir le nombre maximal de lignes pour chaque élément de légende", + "xpack.canvas.uis.views.partitionVis.args.metricDisplayName": "Indicateur", + "xpack.canvas.uis.views.partitionVis.args.metricHelp": "Configuration des dimensions d'indicateur", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendDisplayName": "Légende détaillée", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendHelp": "Inclut les détails dans la légende", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendToggleLabel": "Afficher les détails", + "xpack.canvas.uis.views.partitionVis.args.paletteHelp": "Spécifier les couleurs pour les sections du camembert", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderDisplayName": "Ordre des données", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderHelp": "Afficher les données dans l'ordre d'origine au lieu de les trier", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderToggleLabel": "Utiliser l'ordre d'origine", + "xpack.canvas.uis.views.partitionVis.args.splitColumnDisplayName": "Colonne fractionnée", + "xpack.canvas.uis.views.partitionVis.args.splitColumnHelp": "Configuration de la dimension de la colonne fractionnée", + "xpack.canvas.uis.views.partitionVis.args.splitRowDisplayName": "Ligne fractionnée", + "xpack.canvas.uis.views.partitionVis.args.splitRowHelp": "Configuration de la dimension de la ligne fractionnée", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceDisplayName": "Placement des sections", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceHelp": "Placer la deuxième plus grande section dans la première position du camembert", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceToggleLabel": "Commencer par la deuxième section", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendDisplayName": "Texte de légende", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendHelp": "Tronquer la légende lorsqu'elle atteint la largeur maximale", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendToggleLabel": "Tronquer quand trop long", + "xpack.canvas.uis.views.partitionVis.options.enableHelp": "Activer", + "xpack.canvas.uis.views.partitionVis.options.saveHelp": "Enregistrer", + "xpack.canvas.uis.views.partitionVis.options.showHelp": "Afficher", + "xpack.canvas.uis.views.partitionVis.options.truncateHelp": "Tronquer", "xpack.canvas.uis.views.pie.args.holeLabel": "Rayon du trou", "xpack.canvas.uis.views.pie.args.holeTitle": "Rayon interne", "xpack.canvas.uis.views.pie.args.labelRadiusLabel": "Distance des étiquettes par rapport au centre du camembert", @@ -8920,6 +9311,7 @@ "xpack.canvas.uis.views.pie.args.tiltLabel": "Pourcentage d'inclinaison où 100 est entièrement vertical et 0 est totalement plat", "xpack.canvas.uis.views.pie.args.tiltTitle": "Angle d'inclinaison", "xpack.canvas.uis.views.pieTitle": "Style de graphique", + "xpack.canvas.uis.views.pieVisTitle": "(Nouvelle) visualisation du camembert", "xpack.canvas.uis.views.plot.args.defaultStyleLabel": "Définir le style à utiliser par défaut pour toutes les séries, sauf s'il est remplacé", "xpack.canvas.uis.views.plot.args.defaultStyleTitle": "Style par défaut", "xpack.canvas.uis.views.plot.args.legendLabel": "Désactiver ou positionner la légende", @@ -9175,6 +9567,17 @@ "xpack.canvas.workpadTemplates.table.tagsColumnTitle": "Balises", "xpack.cases.actions.caseAlertSuccessToast": "{quantity, plural, =1 {Une alerte a été ajoutée} other {Des alertes ont été ajoutées}} à \"{title}\"", "xpack.cases.actions.caseSuccessToast": "{title} a été mis à jour", + "xpack.cases.actions.closedCases": "Fermeture de {totalCases, plural, =1 {\"{caseTitle}\"} other {{totalCases} cas}} effectuée", + "xpack.cases.actions.markInProgressCases": "Marquage effectué de {totalCases, plural, =1 {\"{caseTitle}\"} other {{totalCases} cas}} comme étant en cours", + "xpack.cases.actions.reopenedCases": "Ouverture de {totalCases, plural, =1 {\"{caseTitle}\"} other {{totalCases} cas}} effectuée", + "xpack.cases.actions.severity": "{totalCases, plural, =1 {Le cas \"{caseTitle}\" a été défini} other {{totalCases} cas ont été définis}} sur {severity}", + "xpack.cases.actions.tags.headerSubtitle": "Cas sélectionnés : {totalCases}", + "xpack.cases.actions.tags.selectedTags": "Sélectionné : {selectedTags}", + "xpack.cases.actions.tags.totalTags": "Total des balises : {totalTags}", + "xpack.cases.allCasesView.severityWithValue": "Sévérité : {severity}", + "xpack.cases.allCasesView.showMoreAvatars": "+{count} de plus", + "xpack.cases.allCasesView.statusWithValue": "Statut : {status}", + "xpack.cases.allCasesView.totalFilteredUsers": "{total, plural, one {# filtre sélectionné} other {# filtres sélectionnés}}", "xpack.cases.caseTable.caseDetailsLinkAria": "cliquez pour visiter le cas portant le titre {detailName}", "xpack.cases.caseTable.pushLinkAria": "cliquez pour afficher l'incident relatif à { thirdPartyName }.", "xpack.cases.caseTable.selectedCasesTitle": "Sélection de {totalRules} {totalRules, plural, other {cas}} effectuée", @@ -9182,6 +9585,8 @@ "xpack.cases.caseTable.unit": "{totalCount, plural, other {cas}}", "xpack.cases.caseView.actionLabel.selectedThirdParty": "sélectionné { thirdParty } comme système de gestion des incidents", "xpack.cases.caseView.actionLabel.viewIncident": "Afficher {incidentNumber}", + "xpack.cases.caseView.alerts.multipleAlerts": "{totalAlerts, plural, =1 {une} other {{totalAlerts}}} {totalAlerts, plural, =1 {alerte} other {alertes}}", + "xpack.cases.caseView.alerts.removeAlerts": "Supprimer {totalAlerts, plural, =1 {l'alerte} other {les alertes}}", "xpack.cases.caseView.alreadyPushedToExternalService": "Déjà transmis à l'incident { externalService }", "xpack.cases.caseView.doesNotExist.description": "Impossible de trouver de cas avec l'ID {caseId}. Cela signifie probablement que le cas a été supprimé ou que l'ID est incorrect.", "xpack.cases.caseView.emailBody": "Référence du cas : {caseUrl}", @@ -9194,6 +9599,7 @@ "xpack.cases.caseView.pushToServiceDisableByLicenseDescription": "Vous avez la possibilité d'ouvrir des cas dans des systèmes externes lorsque vous disposez de la {appropriateLicense}, que vous utilisez un {cloud} ou que vous testez un essai gratuit.", "xpack.cases.caseView.requiredUpdateToExternalService": "Requiert une mise à jour de l'incident { externalService }", "xpack.cases.caseView.sendEmalLinkAria": "cliquer pour envoyer un e-mail à {user}", + "xpack.cases.caseView.totalUsersAssigned": "{total} affecté(s)", "xpack.cases.caseView.updateNamedIncident": "Mettre à jour l'incident { thirdParty }", "xpack.cases.configure.connectorDeletedOrLicenseWarning": "Le connecteur sélectionné a été supprimé ou vous ne disposez pas de la {appropriateLicense} pour pouvoir l'utiliser. Sélectionnez un autre connecteur ou créez-en un nouveau.", "xpack.cases.configureCases.fieldMappingDesc": "Mappez les champs des cas aux champs { thirdPartyName } lors de la transmission de données à { thirdPartyName }. Les mappings de champs requièrent une connexion établie à { thirdPartyName }.", @@ -9203,31 +9609,56 @@ "xpack.cases.configureCases.updateSelectedConnector": "Mettre à jour { connectorName }", "xpack.cases.configureCases.warningMessage": "Le connecteur utilisé pour envoyer des mises à jour au service externe a été supprimé ou vous ne disposez pas de la {appropriateLicense} pour l'utiliser. Pour mettre à jour des cas dans des systèmes externes, sélectionnez un autre connecteur ou créez-en un nouveau.", "xpack.cases.confirmDeleteCase.confirmQuestion": "Si vous supprimez {quantity, plural, =1 {ce cas} other {ces cas}}, toutes les données des cas connexes seront définitivement retirées et vous ne pourrez plus transmettre de données à un système de gestion des incidents externes. Voulez-vous vraiment continuer ?", - "xpack.cases.confirmDeleteCase.deleteCase": "Supprimer {quantity, plural, =1 {le cas} other {les cas}}", + "xpack.cases.confirmDeleteCase.deleteCase": "Supprimer {quantity, plural, =1 {le cas} other {{quantity} cas}}", "xpack.cases.confirmDeleteCase.deleteTitle": "Supprimer \"{caseTitle}\"", "xpack.cases.connecors.get.missingCaseConnectorErrorMessage": "Le type d'objet \"{id}\" n'est pas enregistré.", "xpack.cases.connecors.register.duplicateCaseConnectorErrorMessage": "Le type d'objet \"{id}\" est déjà enregistré.", "xpack.cases.connectors.card.createCommentWarningDesc": "Configurez les champs Create Comment URL et Create Comment Objects pour que le connecteur {connectorName} puisse partager les commentaires.", "xpack.cases.connectors.jira.unableToGetIssueMessage": "Impossible d'obtenir le problème ayant l'ID {id}", + "xpack.cases.containers.deletedCases": "Suppression {totalCases, plural, =1 {du cas} other {de {totalCases} cas}} effectuée", + "xpack.cases.containers.editedCases": "Modification {totalCases, plural, =1 {du cas} other {de {totalCases} cas}} effectuée", "xpack.cases.containers.pushToExternalService": "Envoyé avec succès à { serviceName }", "xpack.cases.containers.syncCase": "Les alertes de \"{caseTitle}\" ont été synchronisées", "xpack.cases.containers.updatedCase": "\"{caseTitle}\" mis à jour", + "xpack.cases.create.invalidAssignees": "Vous ne pouvez pas affecter plus de {maxAssignees} utilisateurs à un cas.", "xpack.cases.createCase.maxLengthError": "La longueur de {field} est trop importante. La longueur maximale est de {length}.", "xpack.cases.header.editableTitle.editButtonAria": "Vous pouvez modifier {title} en cliquant", "xpack.cases.noPrivileges.message": "Pour afficher la page {pageName}, vous devez mettre à jour les privilèges. Pour en savoir plus, contactez votre administrateur Kibana.", + "xpack.cases.platinumLicenseCalloutMessage": "L'affectation ou l'ouverture de cas dans des systèmes externes est disponible lorsque vous disposez de la {appropriateLicense}, que vous utilisez un {cloud} ou que vous testez un essai gratuit.", "xpack.cases.registry.get.missingItemErrorMessage": "L'élément \"{id}\" n'est pas inscrit dans le registre {name}", "xpack.cases.registry.register.duplicateItemErrorMessage": "L'élément \"{id}\" est déjà inscrit dans le registre {name}", + "xpack.cases.server.addedBy": "Ajouté par {user}", + "xpack.cases.server.alertsUrl": "URL des alertes : {url}", + "xpack.cases.server.caseUrl": "URL des cas : {url}", + "xpack.cases.userProfile.maxSelectedAssignees": "Vous avez sélectionné le nombre maximal de {count, plural, one {# utilisateur affecté} other {# utilisateurs affectés}}", "xpack.cases.actions.caseAlertSuccessSyncText": "Les statuts de l'alerte sont synchronisés avec le statut du cas.", + "xpack.cases.actions.deleteMultipleCases": "Supprimer les cas", + "xpack.cases.actions.deleteSingleCase": "Supprimer le cas", + "xpack.cases.actions.status.close": "Fermer la sélection", + "xpack.cases.actions.status.inProgress": "Marquer comme étant en cours", + "xpack.cases.actions.status.open": "Ouvrir la sélection", + "xpack.cases.actions.tags.edit": "Modifier les balises", + "xpack.cases.actions.tags.saveSelection": "Enregistrer la sélection", + "xpack.cases.actions.tags.searchPlaceholder": "Recherche", + "xpack.cases.actions.tags.selectAll": "Tout sélectionner", + "xpack.cases.actions.tags.selectNone": "Sélectionner aucun", "xpack.cases.actions.viewCase": "Afficher le cas", "xpack.cases.addConnector.title": "Ajouter un connecteur", "xpack.cases.allCases.actions": "Actions", "xpack.cases.allCases.comments": "Commentaires", - "xpack.cases.allCases.noTagsAvailable": "Aucune balise n'est disponible", + "xpack.cases.allCases.noTagsAvailable": "Aucune balise disponible", + "xpack.cases.allCasesView.filterAssignees.clearFilters": "Effacer les filtres", + "xpack.cases.allCasesView.filterAssignees.noAssigneesLabel": "Aucun utilisateur affecté", + "xpack.cases.allCasesView.filterAssigneesAriaLabel": "cliquer pour filtrer les utilisateurs affectés", + "xpack.cases.allCasesView.showLessAvatars": "afficher moins", "xpack.cases.badge.readOnly.text": "Lecture seule", "xpack.cases.badge.readOnly.tooltip": "Impossible de créer ou de modifier des cas", "xpack.cases.breadcrumbs.all_cases": "Cas", "xpack.cases.breadcrumbs.configure_cases": "Configurer", "xpack.cases.breadcrumbs.create_case": "Créer", + "xpack.cases.callout.appropriateLicense": "licence appropriée", + "xpack.cases.callout.cloudDeploymentLink": "déploiement sur le cloud", + "xpack.cases.callout.updateToPlatinumTitle": "Passer à une licence appropriée", "xpack.cases.casesStats.mttr": "Temps moyen avant fermeture", "xpack.cases.casesStats.mttrDescription": "La durée moyenne (de la création à la clôture) de vos cas en cours", "xpack.cases.caseTable.bulkActions": "Actions groupées", @@ -9263,6 +9694,12 @@ "xpack.cases.caseView.actionLabel.updateIncident": "incident mis à jour", "xpack.cases.caseView.activity": "Activité", "xpack.cases.caseView.alertCommentLabelTitle": "a ajouté une alerte depuis", + "xpack.cases.caseView.alerts.remove": "Supprimer", + "xpack.cases.caseView.assigned": "affecté", + "xpack.cases.caseView.assignee.and": "et", + "xpack.cases.caseView.assignee.themselves": "eux-mêmes", + "xpack.cases.caseView.assignUser": "Affecter un utilisateur", + "xpack.cases.caseView.assignYourself": "vous affecter vous-même", "xpack.cases.caseView.backLabel": "Retour aux cas", "xpack.cases.caseView.cancel": "Annuler", "xpack.cases.caseView.case": "cas", @@ -9277,6 +9714,7 @@ "xpack.cases.caseView.comment": "commentaire", "xpack.cases.caseView.comment.addComment": "Ajouter un commentaire", "xpack.cases.caseView.comment.addCommentHelpText": "Ajouter un nouveau commentaire...", + "xpack.cases.caseView.commentFieldRequiredError": "Un commentaire est requis.", "xpack.cases.caseView.connectors": "Système de gestion des incidents externes", "xpack.cases.caseView.copyCommentLinkAria": "Copier le lien de référence", "xpack.cases.caseView.create": "Créer un cas", @@ -9295,6 +9733,7 @@ "xpack.cases.caseView.edit.description": "Modifier la description", "xpack.cases.caseView.edit.quote": "Guillemet", "xpack.cases.caseView.editActionsLinkAria": "cliquer pour voir toutes les actions", + "xpack.cases.caseView.editAssigneesAriaLabel": "cliquer pour modifier les utilisateurs affectés", "xpack.cases.caseView.editTagsLinkAria": "cliquer pour modifier les balises", "xpack.cases.caseView.errorsPushServiceCallOutTitle": "Sélectionner un connecteur externe", "xpack.cases.caseView.fieldChanged": "a modifié le champ du connecteur", @@ -9317,6 +9756,7 @@ "xpack.cases.caseView.metrics.totalConnectors": "Total des connecteurs", "xpack.cases.caseView.moveToCommentAria": "Surligner le commentaire référencé", "xpack.cases.caseView.name": "Nom", + "xpack.cases.caseView.noAssignees": "Aucun utilisateur n'a été affecté.", "xpack.cases.caseView.noReportersAvailable": "Aucun auteur disponible.", "xpack.cases.caseView.noTags": "Aucune balise n'est actuellement attribuée à ce cas.", "xpack.cases.caseView.openCase": "Ouvrir le cas", @@ -9335,6 +9775,7 @@ "xpack.cases.caseView.showAlertTableTooltip": "Afficher les alertes", "xpack.cases.caseView.showAlertTooltip": "Afficher les détails de l'alerte", "xpack.cases.caseView.solution": "Solution", + "xpack.cases.caseView.spacedOrText": " ou ", "xpack.cases.caseView.statusLabel": "Statut", "xpack.cases.caseView.syncAlertsLabel": "Synchroniser les alertes", "xpack.cases.caseView.syncAlertsLowercaseLabel": "synchroniser les alertes", @@ -9343,6 +9784,7 @@ "xpack.cases.caseView.tabs.alerts.emptyDescription": "Aucune alerte n'a été ajoutée à ce cas.", "xpack.cases.caseView.tags": "Balises", "xpack.cases.caseView.to": "à", + "xpack.cases.caseView.unAssigned": "non affecté", "xpack.cases.caseView.unknown": "Inconnu", "xpack.cases.caseView.unknownRule.label": "Règle inconnue", "xpack.cases.caseView.updateThirdPartyIncident": "Mettre à jour l'incident externe", @@ -9417,6 +9859,8 @@ "xpack.cases.containers.errorDeletingTitle": "Erreur lors de la suppression des données", "xpack.cases.containers.errorTitle": "Erreur lors de la récupération des données", "xpack.cases.containers.statusChangeToasterText": "Mise à jour des statuts des alertes attachées.", + "xpack.cases.containers.updatedCases": "Cas mis à jour", + "xpack.cases.create.assignYourself": "Vous affecter vous-même", "xpack.cases.create.stepOneTitle": "Champs du cas", "xpack.cases.create.stepThreeTitle": "Champs du connecteur externe", "xpack.cases.create.stepTwoTitle": "Paramètres du cas", @@ -9476,7 +9920,10 @@ "xpack.cases.recentCases.recentlyCreatedCasesButtonLabel": "Cas récemment créés", "xpack.cases.recentCases.startNewCaseLink": "démarrer un nouveau cas", "xpack.cases.recentCases.viewAllCasesLink": "Afficher tous les cas", - "xpack.cases.settings.syncAlertsSwitchLabelOff": "Arrêt", + "xpack.cases.server.unknown": "Inconnu", + "xpack.cases.server.viewAlertsInKibana": "Pour plus de détails, afficher les alertes dans Kibana", + "xpack.cases.server.viewCaseInKibana": "Pour plus de détails, afficher ce cas dans Kibana", + "xpack.cases.settings.syncAlertsSwitchLabelOff": "Désactivé", "xpack.cases.settings.syncAlertsSwitchLabelOn": "Activé", "xpack.cases.severity.all": "Toutes les sévérités", "xpack.cases.severity.critical": "Critique", @@ -9486,8 +9933,20 @@ "xpack.cases.severity.title": "Sévérité", "xpack.cases.status.all": "Tous les statuts", "xpack.cases.status.iconAria": "Modifier le statut", + "xpack.cases.userActions.attachment": "Pièce jointe", "xpack.cases.userActions.attachmentNotRegisteredErrorMsg": "Le type de pièce jointe n'est pas enregistré", "xpack.cases.userActions.defaultEventAttachmentTitle": "ajouté une pièce jointe de type", + "xpack.cases.userActions.deleteAttachment": "Supprimer la pièce jointe", + "xpack.cases.userProfile.assigneesTitle": "Utilisateurs affectés", + "xpack.cases.userProfile.editAssignees": "Modifier les utilisateurs affectés", + "xpack.cases.userProfile.missingProfile": "Profil de l'utilisateur introuvable", + "xpack.cases.userProfile.removeAssigneeAriaLabel": "cliquer pour retirer un utilisateur affecté", + "xpack.cases.userProfile.removeAssigneeToolTip": "Retirer l'utilisateur affecté", + "xpack.cases.userProfile.selectableSearchPlaceholder": "Rechercher des utilisateurs", + "xpack.cases.userProfile.suggestUsers.removeAssignees": "Retirer tous les utilisateurs affectés", + "xpack.cases.userProfiles.learnPrivileges": "Découvrez quels privilèges accordent l'accès aux cas.", + "xpack.cases.userProfiles.modifySearch": "Modifiez votre recherche ou vérifiez les privilèges de l'utilisateur.", + "xpack.cases.userProfiles.userDoesNotExist": "L'utilisateur n'existe pas ou n'est pas disponible", "xpack.crossClusterReplication.app.deniedPermissionDescription": "Pour utiliser la réplication inter-clusters, vous devez disposer de {clusterPrivilegesCount, plural, one {ce privilège de cluster} other {ces privilèges de cluster}} : {clusterPrivileges}.", "xpack.crossClusterReplication.autoFollowPattern.leaderIndexPatternValidation.illegalCharacters": "Supprimez {characterListLength, plural, one {le caractère} other {les caractères}} {characterList} du modèle d'indexation.", "xpack.crossClusterReplication.autoFollowPattern.pauseAction.errorMultipleNotificationTitle": "Erreur lors de la suspension de {count} modèles de suivi automatique", @@ -9803,36 +10262,78 @@ "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundForNameTitle": " pour \"{name}\"", "xpack.csp.benchmarks.totalIntegrationsCountMessage": "Affichage de {pageCount} sur {totalCount, plural, one {# intégration} other {# intégrations}}", "xpack.csp.cloudPosturePage.errorRenderer.errorDescription": "{error} {statusCode} : {body}", + "xpack.csp.cloudPosturePage.packageNotInstalled.description": "Utilisez notre intégration {integrationFullName} (KSPM) pour mesurer votre configuration de cluster Kubernetes par rapport aux recommandations du CIS.", + "xpack.csp.complianceDashboard.complianceByCisSection.complianceColumnTooltip": "{passed}/{total}", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsDescription": "L'intégration nécessite des droits d'accès supérieurs pour l'exécution de règles CIS Benchmarks. Vous pouvez suivre {link} pour générer les informations d'identification nécessaires.", + "xpack.csp.dashboard.benchmarkSection.clusterTitle": "{title} - {shortId}", + "xpack.csp.dashboard.benchmarkSection.clusterTitleTooltip.clusterTitle": "{title} - {shortId}", + "xpack.csp.dashboard.benchmarkSection.lastEvaluatedTitle": "Dernière évaluation {dateFromNow}", "xpack.csp.findings.distributionBar.showingPageOfTotalLabel": "Affichage de {pageStart}-{pageEnd} sur {total} {type}", "xpack.csp.findings.findingsByResourceTable.failedFindingsToolTip": "{failed} sur {total}", "xpack.csp.findings.findingsTableCell.addFilterButton": "Ajouter un filtre {field}", "xpack.csp.findings.findingsTableCell.addNegateFilterButton": "Ajouter un filtre {field} négatif", + "xpack.csp.findings.resourceFindings.resourceFindingsPageTitle": "{resourceName} - Résultats", "xpack.csp.rules.header.rulesCountLabel": "{count, plural, one { règle} other { règles}}", "xpack.csp.rules.header.totalRulesCount": "Affichage des {rules}", "xpack.csp.rules.rulePageHeader.pageHeaderTitle": "Règles - {integrationName}", + "xpack.csp.subscriptionNotAllowed.promptDescription": "Pour utiliser ces fonctionnalités de sécurité du cloud, vous devez {link}.", "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundTitle": "Aucune intégration Benchmark trouvée", "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundWithFiltersTitle": "Nous n'avons trouvé aucune intégration Benchmark avec les filtres ci-dessus.", "xpack.csp.benchmarks.benchmarkSearchField.searchPlaceholder": "par exemple, le nom d'un benchmark", + "xpack.csp.benchmarks.benchmarksPageHeader.addKSPMIntegrationButtonLabel": "Ajouter une intégration KSPM", "xpack.csp.benchmarks.benchmarksPageHeader.benchmarkIntegrationsTitle": "Intégrations Benchmark", "xpack.csp.benchmarks.benchmarksTable.agentPolicyColumnTitle": "Politique d'agent", "xpack.csp.benchmarks.benchmarksTable.createdAtColumnTitle": "Créé à", "xpack.csp.benchmarks.benchmarksTable.createdByColumnTitle": "Créé par", + "xpack.csp.benchmarks.benchmarksTable.deploymentTypeColumnTitle": "Type de déploiement", "xpack.csp.benchmarks.benchmarksTable.integrationColumnTitle": "Intégration", + "xpack.csp.benchmarks.benchmarksTable.integrationNameColumnTitle": "Nom de l'intégration", "xpack.csp.benchmarks.benchmarksTable.numberOfAgentsColumnTitle": "Nombre d'agents", + "xpack.csp.benchmarks.benchmarksTable.rulesColumnTitle": "Règles", "xpack.csp.cloudPosturePage.defaultNoDataConfig.pageTitle": "Aucune donnée trouvée", "xpack.csp.cloudPosturePage.defaultNoDataConfig.solutionNameLabel": "Niveau de sécurité du cloud", "xpack.csp.cloudPosturePage.errorRenderer.errorTitle": "Nous n'avons pas pu récupérer vos données sur le niveau de sécurité du cloud.", "xpack.csp.cloudPosturePage.loadingDescription": "Chargement...", - "xpack.csp.cloudPosturePage.packageNotInstalled.buttonLabel": "Ajouter une intégration CIS", + "xpack.csp.cloudPosturePage.packageNotInstalled.buttonLabel": "Ajouter une intégration KSPM", + "xpack.csp.cloudPosturePage.packageNotInstalled.integrationNameLabel": "Gestion du niveau de sécurité Kubernetes", "xpack.csp.cloudPosturePage.packageNotInstalled.pageTitle": "Installer l'intégration pour commencer", "xpack.csp.cloudPosturePage.packageNotInstalled.solutionNameLabel": "Niveau de sécurité du cloud", + "xpack.csp.cloudPostureScoreChart.counterLink.failedFindingsTooltip": "Échec des résultats", + "xpack.csp.cloudPostureScoreChart.counterLink.passedFindingsTooltip": "Réussite des résultats", + "xpack.csp.createPackagePolicy.customAssetsTab.dashboardViewLabel": "Afficher le tableau de bord CSP", + "xpack.csp.createPackagePolicy.customAssetsTab.findingsViewLabel": "Afficher les résultats CSP ", + "xpack.csp.createPackagePolicy.customAssetsTab.rulesViewLabel": "Afficher les règles CSP ", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.accessKeyIdFieldLabel": "ID de clé d'accès", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsInstructionsLink": "ces instructions", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsNote": "Si vous choisissez de ne pas fournir vos informations d'identification, seul un sous-ensemble des règles de benchmark sera évalué avec vos clusters.", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsTitle": "Informations d'identification AWS", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.optionalField": "Facultatif", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.roleARNFieldLabel": "Rôle ARN", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.secretAccessKeyFieldLabel": "Clé d'accès secrète", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sessionTokenFieldLabel": "Token de session", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sharedCredentialFileFieldLabel": "Nom de profil des informations d'identification", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sharedCredentialsFileFieldLabel": "Fichier d'informations d'identification partagé", + "xpack.csp.createPackagePolicy.stepConfigure.integrationSettingsSection.kubernetesDeploymentLabel": "Déploiement Kubernetes", + "xpack.csp.createPackagePolicy.stepConfigure.integrationSettingsSection.kubernetesDeploymentLabelTooltip": "Sélectionner votre type de déploiement Kubernetes", "xpack.csp.cspEvaluationBadge.failLabel": "Échec", "xpack.csp.cspEvaluationBadge.passLabel": "Réussite", "xpack.csp.cspSettings.rules": "Règles de sécurité du CSP - ", + "xpack.csp.dashboard.benchmarkSection.clusterTitleTooltip.clusterPrefixTitle": "Afficher tous les résultats pour ", + "xpack.csp.dashboard.benchmarkSection.defaultClusterTitle": "ID cluster", + "xpack.csp.dashboard.benchmarkSection.manageRulesButton": "Gérer les règles", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.clusterNameTitle": "Nom du cluster", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.complianceByCisSectionTitle": "Conformité par section CIS", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.complianceScoreTitle": "Score de conformité", "xpack.csp.dashboard.cspPageTemplate.pageTitle": "Niveau du cloud", "xpack.csp.dashboard.risksTable.cisSectionColumnLabel": "Section CIS", + "xpack.csp.dashboard.risksTable.clusterCardViewAllButtonTitle": "Afficher tous les échecs des résultats pour ce cluster", + "xpack.csp.dashboard.risksTable.complianceColumnLabel": "Conformité", "xpack.csp.dashboard.risksTable.viewAllButtonTitle": "Afficher tous les échecs des résultats", "xpack.csp.dashboard.summarySection.cloudPostureScorePanelTitle": "Score du niveau du cloud", + "xpack.csp.dashboard.summarySection.complianceByCisSectionPanelTitle": "Conformité par section CIS", + "xpack.csp.dashboard.summarySection.counterCard.clustersEvaluatedDescription": "Clusters évalués", + "xpack.csp.dashboard.summarySection.counterCard.failingFindingsDescription": "Résultats en échec", + "xpack.csp.dashboard.summarySection.counterCard.resourcesEvaluatedDescription": "Ressources évaluées", "xpack.csp.expandColumnDescriptionLabel": "Développer", "xpack.csp.expandColumnNameLabel": "Développer", "xpack.csp.findings.distributionBar.totalFailedLabel": "Échec des résultats", @@ -9858,8 +10359,10 @@ "xpack.csp.findings.findingsFlyout.overviewTab.indexTitle": "Index", "xpack.csp.findings.findingsFlyout.overviewTab.rationaleTitle": "Environnement", "xpack.csp.findings.findingsFlyout.overviewTab.remediationTitle": "Résolution", + "xpack.csp.findings.findingsFlyout.overviewTab.resourceIdTitle": "ID ressource", "xpack.csp.findings.findingsFlyout.overviewTab.resourceNameTitle": "Nom de ressource", "xpack.csp.findings.findingsFlyout.overviewTab.ruleNameTitle": "Nom de règle", + "xpack.csp.findings.findingsFlyout.overviewTab.ruleTagsTitle": "Balises de règle", "xpack.csp.findings.findingsFlyout.overviewTabTitle": "Aperçu", "xpack.csp.findings.findingsFlyout.resourceTab.hostAccordionTitle": "Hôte", "xpack.csp.findings.findingsFlyout.resourceTab.resourceAccordionTitle": "Ressource", @@ -9872,6 +10375,7 @@ "xpack.csp.findings.findingsFlyout.ruleTab.nameTitle": "Nom", "xpack.csp.findings.findingsFlyout.ruleTab.profileApplicabilityTitle": "Applicabilité du profil", "xpack.csp.findings.findingsFlyout.ruleTab.referencesTitle": "Références", + "xpack.csp.findings.findingsFlyout.ruleTab.tagsTitle": "Balises", "xpack.csp.findings.findingsFlyout.ruleTabTitle": "Règle", "xpack.csp.findings.findingsTable.findingsTableColumn.clusterIdColumnLabel": "ID cluster", "xpack.csp.findings.findingsTable.findingsTableColumn.clusterIdColumnTooltipLabel": "ID d'espace de nom Kube-System", @@ -9881,6 +10385,7 @@ "xpack.csp.findings.findingsTable.findingsTableColumn.resourceNameColumnLabel": "Nom de ressource", "xpack.csp.findings.findingsTable.findingsTableColumn.resourceTypeColumnLabel": "Type de ressource", "xpack.csp.findings.findingsTable.findingsTableColumn.resultColumnLabel": "Résultat", + "xpack.csp.findings.findingsTable.findingsTableColumn.ruleBenchmarkColumnLabel": "Benchmark", "xpack.csp.findings.findingsTable.findingsTableColumn.ruleColumnLabel": "Règle", "xpack.csp.findings.findingsTable.findingsTableColumn.ruleSectionColumnLabel": "Section CIS", "xpack.csp.findings.groupBySelector.groupByLabel": "Regrouper par", @@ -9892,8 +10397,17 @@ "xpack.csp.findings.resourceFindings.backToResourcesPageButtonLabel": "Retour à la vue de regroupement par ressource", "xpack.csp.findings.resourceFindings.noFindingsTitle": "Il n'y a aucun résultat", "xpack.csp.findings.resourceFindings.tableRowTypeLabel": "Résultats", + "xpack.csp.findings.resourceFindingsSharedValues.clusterIdTitle": "ID cluster", + "xpack.csp.findings.resourceFindingsSharedValues.resourceIdTitle": "ID ressource", + "xpack.csp.findings.resourceFindingsSharedValues.resourceTypeTitle": "Type de ressource", "xpack.csp.findings.search.queryErrorToastMessage": "Erreur de requête", "xpack.csp.findings.searchBar.searchPlaceholder": "Rechercher dans les résultats (par ex. rule.section : \"serveur d'API\")", + "xpack.csp.kspmIntegration.eksOption.benchmarkTitle": "CIS EKS", + "xpack.csp.kspmIntegration.eksOption.nameTitle": "EKS (Elastic Kubernetes Service)", + "xpack.csp.kspmIntegration.integration.nameTitle": "Gestion du niveau de sécurité Kubernetes", + "xpack.csp.kspmIntegration.integration.shortNameTitle": "KSPM", + "xpack.csp.kspmIntegration.vanillaOption.benchmarkTitle": "CIS Kubernetes", + "xpack.csp.kspmIntegration.vanillaOption.nameTitle": "Kubernetes non géré", "xpack.csp.navigation.dashboardNavItemLabel": "Niveau du cloud", "xpack.csp.navigation.findingsNavItemLabel": "Résultats", "xpack.csp.navigation.myBenchmarksNavItemLabel": "Benchmarks CSP", @@ -9909,9 +10423,14 @@ "xpack.csp.rules.ruleFlyout.overviewTabLabel": "Aperçu", "xpack.csp.rules.ruleFlyout.remediationTabLabel": "Résolution", "xpack.csp.rules.rulesPageHeader.benchmarkIntegrationsButtonLabel": "Intégrations Benchmark", + "xpack.csp.rules.rulesPageSharedValues.benchmarkTitle": "Benchmark", + "xpack.csp.rules.rulesPageSharedValues.deploymentTypeTitle": "Type de déploiement", + "xpack.csp.rules.rulesPageSharedValues.integrationTitle": "Intégration", "xpack.csp.rules.rulesTable.cisSectionColumnLabel": "Section CIS", "xpack.csp.rules.rulesTable.nameColumnLabel": "Nom", - "xpack.csp.rules.rulesTable.searchPlaceholder": "Recherche", + "xpack.csp.rules.rulesTable.searchPlaceholder": "Rechercher par nom de règle", + "xpack.csp.subscriptionNotAllowed.promptLinkText": "démarrer un essai ou mettre à niveau votre abonnement", + "xpack.csp.subscriptionNotAllowed.promptTitle": "Mettre à niveau pour bénéficier des fonctionnalités d'abonnement", "xpack.dataVisualizer.choroplethMap.topValuesCount": "Compte des valeurs les plus élevées pour {fieldName}", "xpack.dataVisualizer.combinedFieldsForm.mappingsParseError": "Erreur lors de l'analyse des mappings : {error}", "xpack.dataVisualizer.combinedFieldsForm.pipelineParseError": "Erreur lors de l'analyse du pipeline : {error}", @@ -9920,6 +10439,10 @@ "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.tooltipValueBetweenLabel": "{percent} % des documents ont des valeurs comprises entre {minValFormatted} et {maxValFormatted}", "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.tooltipValueEqualLabel": "{percent} % des documents ont une valeur de {valFormatted}", "xpack.dataVisualizer.dataGrid.field.removeFilterAriaLabel": "Exclure le {fieldName} : \"{value}\"", + "xpack.dataVisualizer.dataGrid.field.topValues.calculatedFromSampleRecordsLabel": "Calculé à partir de {sampledDocumentsFormatted} {sampledDocuments, plural, one {exemple d'enregistrement} other {exemples d'enregistrement}}.", + "xpack.dataVisualizer.dataGrid.field.topValues.calculatedFromTotalRecordsLabel": "Calculé à partir de {totalDocumentsFormatted} {totalDocuments, plural, one {enregistrement} other {enregistrements}}.", + "xpack.dataVisualizer.dataGrid.fieldExpandedRow.choroplethMapTopValues.calculatedFromSampleRecordsLabel": "Calculé à partir de {sampledDocumentsFormatted} {sampledDocuments, plural, one {exemple d'enregistrement} other {exemples d'enregistrement}}.", + "xpack.dataVisualizer.dataGrid.fieldExpandedRow.choroplethMapTopValues.calculatedFromTotalRecordsLabel": "Calculé à partir de {totalDocumentsFormatted} {totalDocuments, plural, one {enregistrement} other {enregistrements}}.", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.numberContent.displayingPercentilesLabel": "Affichage de {minPercent} - {maxPercent} centiles", "xpack.dataVisualizer.dataGrid.fieldText.fieldMayBePopulatedDescription": "Il peut être rempli, par exemple, à l'aide d'un paramètre {copyToParam} dans le mapping du document ou être réduit à partir du champ {sourceParam} après une indexation par l'utilisation des paramètres {includesParam} et {excludesParam}.", "xpack.dataVisualizer.dataGrid.fieldText.fieldNotPresentDescription": "Ce champ n'était pas présent dans le champ {sourceParam} des documents interrogés.", @@ -9953,6 +10476,7 @@ "xpack.dataVisualizer.index.fieldStatisticsErrorMessage": "Erreur lors de l'obtention de statistiques pour le champ {fieldName}, car {reason}", "xpack.dataVisualizer.index.lensChart.averageOfLabel": "Moyenne de {fieldName}", "xpack.dataVisualizer.index.lensChart.chartTitle": "Lens pour {fieldName}", + "xpack.dataVisualizer.index.pageRefreshResetButton": "Définir sur {defaultInterval}", "xpack.dataVisualizer.index.savedSearchErrorMessage": "Erreur lors de la récupération de la recherche enregistrée {savedSearchId}", "xpack.dataVisualizer.nameCollisionMsg": "\"{name}\" existe déjà, veuillez fournir un nom unique", "xpack.dataVisualizer.randomSamplerSettingsPopUp.probabilityLabel": "Probabilité utilisée : {samplingProbability} %", @@ -9977,6 +10501,7 @@ "xpack.dataVisualizer.dataGrid.distinctValuesColumnName": "Valeurs distinctes", "xpack.dataVisualizer.dataGrid.distributionsColumnName": "Distributions", "xpack.dataVisualizer.dataGrid.documentsCountColumnName": "Documents (%)", + "xpack.dataVisualizer.dataGrid.documentsCountColumnTooltip": "Le nombre de documents trouvé est basé sur un plus petit ensemble d'enregistrements échantillonnés.", "xpack.dataVisualizer.dataGrid.expandDetailsForAllAriaLabel": "Développer les détails pour tous les champs", "xpack.dataVisualizer.dataGrid.field.cardBoolean.valuesLabel": "Valeurs", "xpack.dataVisualizer.dataGrid.field.cardDate.earliestLabel": "le plus tôt", @@ -9989,6 +10514,7 @@ "xpack.dataVisualizer.dataGrid.field.loadingLabel": "Chargement", "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.seriesName": "distribution", "xpack.dataVisualizer.dataGrid.field.topValuesLabel": "Valeurs les plus élevées", + "xpack.dataVisualizer.dataGrid.field.topValuesOtherLabel": "Autre", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.countLabel": "compte", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.distinctValueLabel": "valeurs distinctes", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.metaTableTitle": "Statistiques des documents", @@ -10190,6 +10716,7 @@ "xpack.dataVisualizer.index.dataViewManagement.addFieldButton": "Ajouter un champ à la vue de données", "xpack.dataVisualizer.index.dataViewManagement.manageFieldButton": "Gérer les champs de la vue de données", "xpack.dataVisualizer.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "La détection des anomalies ne s'exécute que sur des index temporels", + "xpack.dataVisualizer.index.datePicker.shortRefreshIntervalURLWarningMessage": "L’intervalle d'actualisation défini dans l'URL est plus court que le minimum pris en charge par Machine Learning.", "xpack.dataVisualizer.index.embeddableErrorDescription": "Une erreur s'est produite lors du chargement de l'incorporable. Veuillez vérifier si toutes les entrées requises sont valides.", "xpack.dataVisualizer.index.embeddableErrorTitle": "Erreur lors du chargement de l'incorporable", "xpack.dataVisualizer.index.embeddableNoResultsMessage": "Résultat introuvable", @@ -10221,6 +10748,7 @@ "xpack.dataVisualizer.index.fullTimeRangeSelector.useFullDataIncludingFrozenMenuLabel": "Inclure le niveau de données frozen", "xpack.dataVisualizer.index.lensChart.countLabel": "Décompte", "xpack.dataVisualizer.index.lensChart.topValuesLabel": "Valeurs les plus élevées", + "xpack.dataVisualizer.index.pageRefreshButton": "Actualiser", "xpack.dataVisualizer.multiSelectPicker.NoFiltersFoundMessage": "Aucun filtre trouvé", "xpack.dataVisualizer.randomSamplerPreference.offLabel": "Désactivé", "xpack.dataVisualizer.randomSamplerPreference.onAutomaticLabel": "Activé - automatique", @@ -10241,7 +10769,7 @@ "xpack.dataVisualizer.title": "Charger un fichier", "xpack.embeddableEnhanced.actions.panelNotifications.manyDrilldowns": "Le panneau comporte {count} recherches", "xpack.embeddableEnhanced.actions.panelNotifications.oneDrilldown": "Le panneau comporte 1 recherche", - "xpack.embeddableEnhanced.Drilldowns": "Recherches", + "xpack.embeddableEnhanced.Drilldowns": "Explorations", "xpack.enterpriseSearch.appSearch.crawler.action.deleteDomain.confirmationPopupMessage": "Voulez-vous vraiment supprimer le domaine \"{domainUrl}\" et tous ses paramètres ?", "xpack.enterpriseSearch.appSearch.crawler.addDomainForm.entryPointLabel": "Le point d'entrée du robot d'indexation a été défini sur {entryPointValue}", "xpack.enterpriseSearch.appSearch.crawler.automaticCrawlSchedule.formDescription": "Ne vous inquiétez pas, nous lancerons une indexation à votre place. {readMoreMessage}.", @@ -10312,7 +10840,7 @@ "xpack.enterpriseSearch.appSearch.settings.logRetention.modal.crawler.subheading": "Vos logs du robot d'indexation sont actuellement stockés pendant {minAgeDays} jours.", "xpack.enterpriseSearch.appSearch.settings.logRetention.modal.prompt": "Tapez \"{target}\" pour confirmer.", "xpack.enterpriseSearch.appSearch.sourceEngines.removeEngineConfirmDialogue.description": "Le moteur \"{engineName}\" sera retiré de ce métamoteur. Tous les paramètres existants seront perdus. Voulez-vous vraiment continuer ?", - "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.confirmModal.description": "Un index supprimé appelé {indexName} était originellement lié à une configuration de connecteur. Voulez-vous remplacer cette configuration de connecteur par la nouvelle ?", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyAPIText": "{apiIndex} Les modifications apportées aux paramètres ci-dessous sont uniquement fournies à titre indicatif. Ces paramètres ne seront pas conservés dans votre index ou pipeline.", "xpack.enterpriseSearch.content.indices.callout.text": "Vos index Elasticsearch sont maintenant au premier plan d'Enterprise Search. Vous pouvez créer des index et lancer directement des expériences de recherche avec ces index. Pour en savoir plus sur l'utilisation des index de recherche Elasticsearch dans Enterprise Search {docLink}", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.description": "D'abord, générez une clé d'API Elasticsearch. Cette clé {apiKeyName} permet d'activer les autorisations de lecture et d'écriture du connecteur pour qu'il puisse indexer les documents dans l'index {indexName} créé. Enregistrez cette clé en lieu sûr, car vous en aurez besoin pour configurer votre connecteur.", "xpack.enterpriseSearch.content.indices.configurationConnector.config.description.firstParagraph": "Maintenant que votre connecteur est déployé, améliorez le client du connecteur déployé pour votre source de données personnalisée. Voici le lien ({link}) qui vous permet de commencer à ajouter la logique d'implémentation spécifique à votre source de données.", @@ -10320,73 +10848,71 @@ "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.connectorConnected": "Votre connecteur {name} est connecté à Enterprise Search.", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.description.secondParagraph": "Le référentiel de connecteurs contient plusieurs liens ({link}) pour vous aider à utiliser notre cadre de développement accéléré avec des sources de données personnalisées.", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.description.thirdParagraph": "Dans cette étape, vous devez cloner ou dupliquer le référentiel, puis copier la clé d'API et l'ID de connecteur générés au {link} associé. L'ID de connecteur identifie ce connecteur auprès d'Enterprise Search.", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.sourceSecurityDocumentationLinkLabel": "Authentification {name}", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.description": "{name} prend en charge différents mécanismes d'authentification qui seront nécessaires à ce connecteur pour se connecter à votre instance. Consultez votre administrateur afin de connaître les informations d'identification correctes pour vous connecter.", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.serviceDocumentationLinkLabel": "Documentation sur {name}", + "xpack.enterpriseSearch.content.indices.deleteIndex.successToast.title": "Votre index {indexName} et toute configuration d'ingestion associée ont été supprimés avec succès", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.error": "La sélection d'un champ source est requise pour la configuration du pipeline, mais cet index n'a pas de mapping de champ. {learnMore}", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.example.code": "Utiliser le format JSON : {code}", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.customDescription": "Pipeline d'ingestion personnalisé pour {indexName}", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.processorsDescription": "{processorsCount} processeurs", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.subtitleAPIindex": "Les pipelines d'inférence seront exécutés en tant que processeurs à partir du pipeline d'ingestion Enterprise Search. Afin d'utiliser ces pipelines dans des index basés sur des API, vous devrez référencer le pipeline {pipelineName} dans vos requêtes d'API.", + "xpack.enterpriseSearch.content.indices.pipelines.successToastDeleteMlPipeline.title": "Pipeline d'inférence de Machine Learning \"{pipelineName}\" supprimé", + "xpack.enterpriseSearch.content.indices.pipelines.successToastDetachMlPipeline.title": "Pipeline d'inférence de Machine Learning détaché de \"{pipelineName}\"", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.unmanaged.description": "Modifier ce pipeline à partir de {ingestPipelines} dans Gestion de la Suite", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.description": "Recherchez dans votre contenu {name} avec Enterprise Search.", + "xpack.enterpriseSearch.content.indices.selectConnector.moreConnectorsMessage": "Vous recherchez d'autres connecteurs ? {workplaceSearchLink} ou {buildYourOwnConnectorLink}.", + "xpack.enterpriseSearch.content.indices.selectConnector.successToast.title": "Votre index utilisera maintenant le connecteur natif {connectorName}.", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.alreadyExists.error": "Un index portant le nom {indexName} existe déjà.", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.isInvalid.error": "{indexName} n'est pas un nom d'index valide", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.nameInputHelpText.lineOne": "Votre index sera nommé : {indexName}", + "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.confirmModal.description": "Un index supprimé appelé {indexName} était originellement lié à une configuration de connecteur. Voulez-vous remplacer cette configuration de connecteur par la nouvelle ?", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.content": "À l'aide de notre infrastructure de connecteur et de nos exemples de clients de connecteur, vous pouvez accélérer l'ingestion vers Elasticsearch {bulkApiDocLink} pour n'importe quelle source de données. Une fois l'index créé, le système vous guidera pour accéder à l'infrastructure du connecteur et connecter votre premier client.", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.content": "Une fois que vous avez créé votre connecteur, votre contenu est prêt. Créez votre première expérience de recherche avec {elasticsearchLink} ou bien explorez les outils d'expérience de recherche fournis par {appSearchLink}. Nous vous conseillons de créer un {searchEngineLink} pour bénéficier du meilleur équilibre entre puissance et simplicité.", + "xpack.enterpriseSearch.content.newIndex.steps.createIndex.content": "Fournissez un nom d'index unique et définissez éventuellement un {languageAnalyzerDocLink} pour l'index. Cet index contiendra le contenu de la source de données et il est optimisé avec les mappings de champ par défaut pour les expériences de recherche correspondantes.", + "xpack.enterpriseSearch.content.newIndex.steps.nativeConnector.content": "Faites votre choix dans notre catalogue de connecteurs natifs pour commencer à extraire un contenu interrogeable de sources de données prises en charge telles que MongoDB. Si vous devez personnaliser le comportement d'un connecteur, vous pouvez toujours déployer la version client du connecteur auto-géré et l'enregistrer via le workflow {buildAConnectorLabel}.", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.description": "Affichage de {results} sur {total}. Nombre maximal de résultats de recherche de {maximum} documents.", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.pagination.itemsPerPage": "Documents par page : {docPerPage}", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.paginationOptions.option": "{docCount} documents", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.resultLimit": "Seuls les {number} premiers résultats sont disponibles pour la pagination. Veuillez utiliser la barre de recherche pour filtrer vos résultats.", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.resultLimitTitle": "Les résultats sont limités à {number} documents", + "xpack.enterpriseSearch.content.searchIndex.mappings.description": "Vos documents sont constitués d'un ensemble de champs. Les mappings d'index donnent à chaque champ un type (tel que {keyword}, {number} ou {date}) et des champs secondaires supplémentaires. Ces mappings d'index déterminent les fonctions disponibles dans votre réglage de pertinence et votre expérience de recherche.", + "xpack.enterpriseSearch.content.searchIndices.actions.deleteIndex.caption": "Supprimer l'index {indexName}", + "xpack.enterpriseSearch.content.searchIndices.actions.viewIndex.caption": "Afficher l'index {indexName}", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.delete.description": "La suppression de cet index supprimera également toutes ses données et sa configuration {ingestionMethod}. Les moteurs de recherche associés ne pourront plus accéder à aucune donnée stockée dans cet index. Cette action ne peut pas être annulée.", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.title": "Voulez-vous vraiment supprimer {indexName} ?", "xpack.enterpriseSearch.content.shared.result.header.metadata.icon.ariaLabel": "Métadonnées pour le document : {id}", + "xpack.enterpriseSearch.content.syncJobs.flyout.canceledDescription": "Synchronisation annulée le {date}.", + "xpack.enterpriseSearch.content.syncJobs.flyout.completedDescription": "Terminé le {date}", + "xpack.enterpriseSearch.content.syncJobs.flyout.failureDescription": "Échec de la synchronisation : {error}.", + "xpack.enterpriseSearch.content.syncJobs.flyout.inProgressDescription": "La synchronisation est en cours depuis {duration}.", + "xpack.enterpriseSearch.content.syncJobs.flyout.startedAtDescription": "Démarrée le {date}.", "xpack.enterpriseSearch.crawler.action.deleteDomain.confirmationPopupMessage": "Voulez-vous vraiment supprimer le domaine \"{domainUrl}\" et tous ses paramètres ?", "xpack.enterpriseSearch.crawler.addDomainForm.entryPointLabel": "Le point d'entrée du robot d'indexation a été défini sur {entryPointValue}", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.description": "Cliquer sur {addAuthenticationButtonLabel} afin de fournir les informations d'identification nécessaires pour indexer le contenu protégé", "xpack.enterpriseSearch.crawler.components.crawlDetailsSummary.crawlCountOnDomains": "{crawlType} indexation sur {domainCount, plural, one {# domaine} other {# domaines}}", "xpack.enterpriseSearch.crawler.crawlCustomSettingsFlyout.includeSitemapsCheckboxLabel": "Inclure les plans de site découverts dans {robotsDotTxt}", "xpack.enterpriseSearch.crawler.crawlRulesTable.description": "Créez une règle d'indexation pour inclure ou exclure les pages dont l'URL correspond à la règle. Les règles sont exécutées dans l'ordre séquentiel, et chaque URL est évaluée en fonction de la première correspondance. {link}", "xpack.enterpriseSearch.crawler.deduplicationPanel.description": "Le robot d'indexation n'indexe que les pages uniques. Choisissez les champs que le robot d'indexation doit utiliser lorsqu'il recherche les pages en double. Désélectionnez tous les champs de schéma pour autoriser les documents en double dans ce domaine. {documentationLink}.", "xpack.enterpriseSearch.crawler.deleteDomainModal.description": "Supprimer le domaine {domainUrl} de votre robot d'indexation. Cela supprimera également tous les points d'entrée et toutes les règles d'indexation que vous avez configurés. Tous les documents associés à ce domaine seront supprimés lors de la prochaine indexation. {thisCannotBeUndoneMessage}", "xpack.enterpriseSearch.crawler.entryPointsTable.emptyMessageDescription": "{link} pour spécifier un point d'entrée pour le robot d'indexation", - "xpack.enterpriseSearch.cronEditor.cronDaily.fieldHour.textAtLabel": "À", - "xpack.enterpriseSearch.cronEditor.cronDaily.fieldTimeLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronDaily.hourSelectLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronDaily.minuteSelectLabel": "Minute", - "xpack.enterpriseSearch.cronEditor.cronHourly.fieldMinute.textAtLabel": "À", - "xpack.enterpriseSearch.cronEditor.cronHourly.fieldTimeLabel": "Minute", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldDateLabel": "Date", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldHour.textAtLabel": "À", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldTimeLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronMonthly.hourSelectLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronMonthly.minuteSelectLabel": "Minute", - "xpack.enterpriseSearch.cronEditor.cronMonthly.textOnTheLabel": "Le", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldDateLabel": "Jour", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldHour.textAtLabel": "À", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldTimeLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronWeekly.hourSelectLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronWeekly.minuteSelectLabel": "Minute", - "xpack.enterpriseSearch.cronEditor.cronWeekly.textOnLabel": "Le", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDate.textOnTheLabel": "Le", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDateLabel": "Date", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldHour.textAtLabel": "À", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonth.textInLabel": "En", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonthLabel": "Mois", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldTimeLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronYearly.hourSelectLabel": "Heure", - "xpack.enterpriseSearch.cronEditor.cronYearly.minuteSelectLabel": "Minute", - "xpack.enterpriseSearch.cronEditor.day.friday": "vendredi", - "xpack.enterpriseSearch.cronEditor.day.monday": "lundi", - "xpack.enterpriseSearch.cronEditor.day.saturday": "samedi", - "xpack.enterpriseSearch.cronEditor.day.sunday": "dimanche", - "xpack.enterpriseSearch.cronEditor.day.thursday": "jeudi", - "xpack.enterpriseSearch.cronEditor.day.tuesday": "mardi", - "xpack.enterpriseSearch.cronEditor.day.wednesday": "mercredi", - "xpack.enterpriseSearch.cronEditor.fieldFrequencyLabel": "Fréquence", - "xpack.enterpriseSearch.cronEditor.month.april": "avril", - "xpack.enterpriseSearch.cronEditor.month.august": "août", - "xpack.enterpriseSearch.cronEditor.month.december": "décembre", - "xpack.enterpriseSearch.cronEditor.month.february": "février", - "xpack.enterpriseSearch.cronEditor.month.january": "janvier", - "xpack.enterpriseSearch.cronEditor.month.july": "juillet", - "xpack.enterpriseSearch.cronEditor.month.june": "juin", - "xpack.enterpriseSearch.cronEditor.month.march": "mars", - "xpack.enterpriseSearch.cronEditor.month.may": "mai", - "xpack.enterpriseSearch.cronEditor.month.november": "novembre", - "xpack.enterpriseSearch.cronEditor.month.october": "octobre", - "xpack.enterpriseSearch.cronEditor.month.september": "septembre", - "xpack.enterpriseSearch.cronEditor.textEveryLabel": "Chaque", "xpack.enterpriseSearch.errorConnectingState.cloudErrorMessage": "Les nœuds Enterprise Search fonctionnent-ils dans votre déploiement cloud ? {deploymentSettingsLink}", "xpack.enterpriseSearch.errorConnectingState.description1": "Impossible d'établir une connexion à Enterprise Search avec l'URL hôte {enterpriseSearchUrl} en raison de l'erreur suivante :", "xpack.enterpriseSearch.errorConnectingState.description2": "Vérifiez que l'URL hôte est correctement configurée dans {configFile}.", + "xpack.enterpriseSearch.inferencePipelineCard.action.delete.disabledDescription": "Ce pipeline d'inférence ne peut pas être supprimé car il est utilisé dans plusieurs pipelines [{indexReferences}]. Pour le supprimer, vous devez le détacher des autres pipelines pour ne garder qu'un seul pipeline d'ingestion.", + "xpack.enterpriseSearch.inferencePipelineCard.deleteConfirm.description": "Vous êtes en train de retirer le pipeline \"{pipelineName}\" du pipeline d'inférence de Machine Learning pour le supprimer.", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed.tooltip": "Le modèle entraîné n'a pas pu être déployé. {reason}", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed.tooltip.reason": "Raison : {modelStateReason}", "xpack.enterpriseSearch.roleMapping.roleMappingsHeadingDescription": "Les mappings de rôles fournissent une interface qui permet d'associer les attributs de rôle natifs ou régis par SAML à des autorisations {productName}.", "xpack.enterpriseSearch.roleMapping.rolesDisabledDescription": "Tous les utilisateurs définis pour ce déploiement disposent actuellement d'un accès total à {productName}. Pour limiter les accès et gérer les autorisations, vous devez activer l'accès basé sur les rôles pour Enterprise Search.", "xpack.enterpriseSearch.roleMapping.userModalTitle": "Retirer {username}", "xpack.enterpriseSearch.schema.addFieldModal.fieldNameNote.corrected": "Le champ sera nommé {correctedName}", + "xpack.enterpriseSearch.server.routes.checkKibanaLogsMessage": "{errorMessage} Vérifiez les logs du serveur Kibana pour plus de détails.", + "xpack.enterpriseSearch.server.routes.errorLogMessage": "Une erreur s'est produite lors de la résolution de la requête en {requestUrl} : {errorMessage}", + "xpack.enterpriseSearch.server.routes.indices.existsErrorLogMessage": "Une erreur s'est produite lors de la résolution de la requête en {requestUrl}", + "xpack.enterpriseSearch.server.routes.indices.pipelines.indexMissingError": "L'index {indexName} n'existe pas", + "xpack.enterpriseSearch.server.routes.indices.pipelines.pipelineMissingError": "Le pipeline {pipelineName} n'existe pas", + "xpack.enterpriseSearch.server.utils.invalidEnumValue": "Valeur {value} non autorisée pour le champ {fieldName}", "xpack.enterpriseSearch.setupGuide.cloud.step1.instruction1": "Visitez la console Elastic Cloud pour {editDeploymentLink}.", "xpack.enterpriseSearch.setupGuide.cloud.step3.instruction1": "Après l'activation d'Enterprise Search pour votre instance, vous pouvez personnaliser l'instance, notamment la tolérance de panne, la RAM et d'autres {optionsLink}.", "xpack.enterpriseSearch.setupGuide.cloud.step5.instruction1": "Pour les index de {productName} contenant des données statistiques temporelles, vous souhaiterez peut-être {configurePolicyLink} afin de garantir des performances optimales et un stockage rentable à long terme.", @@ -10482,6 +11008,7 @@ "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.docPermissions.description": "Les documents ne seront pas interrogeables à partir de Workplace Search tant que les mappings d'utilisateur et de groupe n'auront pas été configurés. {documentPermissionsLink}.", "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.heading": "{addedSourceName} requiert une configuration supplémentaire", "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.success": "{addedSourceName} a été connectée avec succès et la synchronisation initiale de contenu est déjà en cours. Étant donné que vous avez choisi de synchroniser les informations d'autorisation de niveau document, vous devez maintenant fournir les mappings d'utilisateur et de groupe à l'aide de l'{externalIdentitiesLink}.", + "xpack.enterpriseSearch.actions.backButtonLabel": "Retour", "xpack.enterpriseSearch.actions.cancelButtonLabel": "Annuler", "xpack.enterpriseSearch.actions.closeButtonLabel": "Fermer", "xpack.enterpriseSearch.actions.continueButtonLabel": "Continuer", @@ -10494,6 +11021,42 @@ "xpack.enterpriseSearch.actions.updateButtonLabel": "Mettre à jour", "xpack.enterpriseSearch.actions.viewButtonLabel": "Afficher", "xpack.enterpriseSearch.actionsHeader": "Actions", + "xpack.enterpriseSearch.analytics.collections.actions.columnTitle": "Actions", + "xpack.enterpriseSearch.analytics.collections.collectionsView.collectionNotFoundState.headingTitle": "Vous avez peut-être supprimé cette collection d'analyses", + "xpack.enterpriseSearch.analytics.collections.collectionsView.collectionNotFoundState.subHeading": "Une collection d'analyse permet de stocker les événements d'analyse pour toute application de recherche que vous créez. Créez une nouvelle collection pour commencer.", + "xpack.enterpriseSearch.analytics.collections.collectionsView.create.buttonTitle": "Créer une nouvelle collection", + "xpack.enterpriseSearch.analytics.collections.collectionsView.eventsTab.columns.eventName": "Nom de l'événement", + "xpack.enterpriseSearch.analytics.collections.collectionsView.eventsTab.columns.userUuid": "UUID d'utilisateur", + "xpack.enterpriseSearch.analytics.collections.collectionsView.headingTitle": "Collections", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.credentials.collectionDns": "URL DNS", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.credentials.headingTitle": "Informations d'identification", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.embed.description": "Incorporez l'extrait JS ci-dessous dans chaque page du site web ou de l'application que vous souhaitez suivre.", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.embed.headingTitle": "Commencer à suivre les événements", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.buttonTitle": "Supprimer cette collection", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.headingTitle": "Supprimer cette collection d'analyses", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.warning": "Cette action est irréversible", + "xpack.enterpriseSearch.analytics.collections.create.buttonTitle": "Créer une nouvelle collection", + "xpack.enterpriseSearch.analytics.collections.emptyState.headingTitle": "Vous n'avez pas encore de collections", + "xpack.enterpriseSearch.analytics.collections.emptyState.subHeading": "Une collection d'analyse permet de stocker les événements d'analyse pour toute application de recherche que vous créez. Créez une nouvelle collection pour commencer.", + "xpack.enterpriseSearch.analytics.collections.headingTitle": "Collections", + "xpack.enterpriseSearch.analytics.collections.pageDescription": "Tableaux de bord et outils permettant de visualiser le comportement des utilisateurs finaux et de mesurer les performances de vos applications de recherche. Suivez les tendances sur la durée, identifier et examinez les anomalies, et effectuez des optimisations.", + "xpack.enterpriseSearch.analytics.collections.pageTitle": "Analyse comportementale", + "xpack.enterpriseSearch.analytics.collectionsCreate.action.successMessage": "Collection \"{name}\" ajoutée avec succès", + "xpack.enterpriseSearch.analytics.collectionsCreate.breadcrumb": "Créer une collection", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.cancelButton": "Annuler", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.continueButton": "Continuer", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.subtitle": "Une collection d'analyse permet de stocker les événements d'analyse pour toute application de recherche que vous créez. Affectez-lui un nom facile à retenir ci-dessous.", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.title": "Créer une collection d'analyses", + "xpack.enterpriseSearch.analytics.collectionsDelete.action.successMessage": "La collection a été supprimée avec succès", + "xpack.enterpriseSearch.analytics.collectionsView.breadcrumb": "Afficher la collection", + "xpack.enterpriseSearch.analytics.collectionsView.pageDescription": "Tableaux de bord et outils permettant de visualiser le comportement des utilisateurs finaux et de mesurer les performances de vos applications de recherche. Suivez les tendances sur la durée, identifier et examinez les anomalies, et effectuez des optimisations.", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.eventsName": "Événements", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.integrateName": "Intégrer", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.settingsName": "Paramètres", + "xpack.enterpriseSearch.analytics.featureDisabledState.title": "L'analyse comportementale est désactivée", + "xpack.enterpriseSearch.analytics.productCardDescription": "Tableaux de bord et outils permettant de visualiser le comportement des utilisateurs finaux et de mesurer les performances de vos applications de recherche.", + "xpack.enterpriseSearch.analytics.productDescription": "Tableaux de bord et outils permettant de visualiser le comportement des utilisateurs finaux et de mesurer les performances de vos applications de recherche.", + "xpack.enterpriseSearch.analytics.productName": "Analyse", "xpack.enterpriseSearch.appSearch.actions.restoreDefaultsButonLabel": "Restaurer les valeurs par défaut", "xpack.enterpriseSearch.appSearch.adminRoleTypeDescription": "Les administrateurs peuvent tout faire, sauf gérer les paramètres de comptes.", "xpack.enterpriseSearch.appSearch.allEnginesDescription": "L'attribution à tous les moteurs comprend tous les moteurs actuels et futurs tels qu'ils ont été créés ou seront créés et administrés à une date ultérieure.", @@ -11305,7 +11868,7 @@ "xpack.enterpriseSearch.appSearch.tokens.search.description": "Les clés de recherche publiques sont utilisées uniquement pour les points de terminaison de recherche.", "xpack.enterpriseSearch.appSearch.tokens.search.name": "Clé de recherche publique", "xpack.enterpriseSearch.appSearch.tokens.update": "La clé d'API \"{name}\" a été mise à jour", - "xpack.enterpriseSearch.automaticCrawlSchedule.title": "Planification automatisée de l’indexation", + "xpack.enterpriseSearch.automaticCrawlSchedule.title": "Fréquence d'indexation", "xpack.enterpriseSearch.connector.connectorTypePanel.title": "Type de connecteur", "xpack.enterpriseSearch.connector.connectorTypePanel.unknown.label": "Inconnu", "xpack.enterpriseSearch.connector.ingestionStatus.title": "Statut de l'ingestion", @@ -11313,18 +11876,78 @@ "xpack.enterpriseSearch.content.callout.dismissButton": "Rejeter", "xpack.enterpriseSearch.content.callout.title": "Présentation des index Elasticsearch dans Enterprise Search", "xpack.enterpriseSearch.content.description": "Enterprise Search offre un certain nombre de moyens de rendre vos données facilement interrogeables. Vous pouvez choisir entre le robot d'indexation, les indices Elasticsearch, l'API, les téléchargements directs ou les connecteurs tiers.", + "xpack.enterpriseSearch.content.filteringRules.policy.exclude": "Exclure", + "xpack.enterpriseSearch.content.filteringRules.policy.include": "Inclure", + "xpack.enterpriseSearch.content.filteringRules.rules.contains": "Contient", + "xpack.enterpriseSearch.content.filteringRules.rules.endsWith": "Se termine par", + "xpack.enterpriseSearch.content.filteringRules.rules.equals": "Est égal à", + "xpack.enterpriseSearch.content.filteringRules.rules.greaterThan": "Supérieur à", + "xpack.enterpriseSearch.content.filteringRules.rules.lessThan": "Inférieur à", + "xpack.enterpriseSearch.content.filteringRules.rules.regEx": "Expression régulière", + "xpack.enterpriseSearch.content.filteringRules.rules.startsWith": "Commence par", + "xpack.enterpriseSearch.content.index.connector.filtering.successToastRules.title": "Règles de filtrage mises à jour", + "xpack.enterpriseSearch.content.index.connector.filteringRules.regExError": "La valeur doit être une expression régulière", + "xpack.enterpriseSearch.content.index.filtering.field": "champ", + "xpack.enterpriseSearch.content.index.filtering.policy": "Politique", + "xpack.enterpriseSearch.content.index.filtering.priority": "Priorité de la règle", + "xpack.enterpriseSearch.content.index.filtering.rule": "Règle", + "xpack.enterpriseSearch.content.index.filtering.value": "Valeur", + "xpack.enterpriseSearch.content.index.pipelines.copyAndCustomize.description": "Vous pouvez créer une version de cette configuration spécifique à l'index et la modifier pour votre cas d'utilisation.", + "xpack.enterpriseSearch.content.index.pipelines.copyAndCustomize.platinumText": "Avec une licence Platinum, vous pouvez créer une version de cette configuration spécifique à l'index et la modifier pour votre cas d'utilisation.", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.apiIndex": "Il s'agit d'un index basé sur l'API.", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.cancelButtonLabel": "Annuler", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.closeButtonLabel": "Fermer", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.copyButtonLabel": "Copier et personnaliser", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.curlHeader": "Exemple de requête cURL pour ingérer un document", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyAPITextCont": "Pour utiliser ce pipeline sur vos index basés sur l'API, vous devrez le référencer explicitement dans vos requêtes d'API.", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyConnectorText": "Ce pipeline s'exécute automatiquement sur tous les index Robot d'indexation et Connecteur créés via Enterprise Search.", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalHeaderTitle": "Paramètres du pipeline", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalIngestLinkLabel": "En savoir plus sur les pipelines d'ingestion Enterprise Search", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.saveButtonLabel": "Enregistrer", + "xpack.enterpriseSearch.content.index.pipelines.settings.extractBinaryDescription": "Extraire le contenu des images et des fichiers PDF", + "xpack.enterpriseSearch.content.index.pipelines.settings.extractBinaryLabel": "Extraction du contenu", + "xpack.enterpriseSearch.content.index.pipelines.settings.formHeader": "Optimisez votre contenu pour la recherche", + "xpack.enterpriseSearch.content.index.pipelines.settings.mlInferenceLabel": "Pipelines d'inférence de ML", + "xpack.enterpriseSearch.content.index.pipelines.settings.reduceWhitespaceDescription": "Supprimer automatiquement l'espace supplémentaire de vos documents", + "xpack.enterpriseSearch.content.index.pipelines.settings.reduceWhitespaceLabel": "Réduire l'espace", + "xpack.enterpriseSearch.content.index.pipelines.settings.runMlInferenceDescrition": "Améliorer vos données à l'aide de modèles de ML entraînés compatibles", "xpack.enterpriseSearch.content.index.searchEngines.createEngine": "Créer un moteur App Search", + "xpack.enterpriseSearch.content.index.searchEngines.createEngineDisabledTooltip": "Vous ne pouvez pas créer de moteurs à partir d'index masqués.", "xpack.enterpriseSearch.content.index.searchEngines.label": "Moteurs de recherche", "xpack.enterpriseSearch.content.index.searchEngines.viewEngines": "Afficher les moteurs App Search", "xpack.enterpriseSearch.content.index.syncButton.label": "Sync", "xpack.enterpriseSearch.content.index.syncButton.syncing.label": "Synchronisation en cours", "xpack.enterpriseSearch.content.index.syncButton.waitingForSync.label": "En attente de la synchronisation", + "xpack.enterpriseSearch.content.index.syncJobs.actions.viewJob.caption": "Afficher cette tâche de synchronisation", + "xpack.enterpriseSearch.content.index.syncJobs.actions.viewJob.title": "Afficher cette tâche de synchronisation", + "xpack.enterpriseSearch.content.index.syncJobs.documents.added": "Ajouté", + "xpack.enterpriseSearch.content.index.syncJobs.documents.removed": "Retiré", + "xpack.enterpriseSearch.content.index.syncJobs.documents.title": "Documents", + "xpack.enterpriseSearch.content.index.syncJobs.documents.total": "Total", + "xpack.enterpriseSearch.content.index.syncJobs.documents.value": "Valeur", + "xpack.enterpriseSearch.content.index.syncJobs.documents.volume": "Volume", + "xpack.enterpriseSearch.content.index.syncJobs.events.cancelationRequested": "Annulation demandée", + "xpack.enterpriseSearch.content.index.syncJobs.events.canceled": "Annulé", + "xpack.enterpriseSearch.content.index.syncJobs.events.completed": "Terminé", + "xpack.enterpriseSearch.content.index.syncJobs.events.lastUpdated": "Dernière mise à jour", + "xpack.enterpriseSearch.content.index.syncJobs.events.state": "État", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncRequestedManually": "Synchronisation demandée manuellement", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncRequestedScheduled": "Synchronisation demandée par planification", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncStarted": "Synchronisation démarrée", + "xpack.enterpriseSearch.content.index.syncJobs.events.time": "Heure", + "xpack.enterpriseSearch.content.index.syncJobs.events.title": "Événements", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.extractBinaryContent": "Extraire le contenu binaire", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.name": "Nom du pipeline", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.reduceWhitespace": "Réduire l'espace", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.runMlInference": "Inférence de Machine Learning", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.setting": "Paramètre de pipeline", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.title": "Pipeline", "xpack.enterpriseSearch.content.indices.callout.docLink": "lire la documentation", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.button.label": "Générer une clé API", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.cancelButton.label": "Annuler", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.confirmButton.label": "Générer une clé API", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.description": "La génération d'une nouvelle clé d’API invalidera la clé précédente. Êtes-vous sûr de vouloir générer une nouvelle clé d’API ? Cette action ne peut pas être annulée.", - "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.title": "Générer une clé d’API Elasticsearch.", + "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.title": "Générer une clé d'API Elasticsearch", "xpack.enterpriseSearch.content.indices.configurationConnector.config.cancelEditingButton.title": "Annuler", "xpack.enterpriseSearch.content.indices.configurationConnector.config.connectorClientLink": "exemple de client connecteur", "xpack.enterpriseSearch.content.indices.configurationConnector.config.description.secondParagraph": "Bien que les clients connecteurs dans le référentiel soient créés dans Ruby, il n'y a aucune limitation technique à n'utiliser que Ruby. Créez un client connecteur avec la technologie qui convient le mieux à vos compétences.", @@ -11342,20 +11965,42 @@ "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnector.button.label": "Revérifier maintenant", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnectorText": "Votre connecteur ne s'est pas connecté à Enterprise Search. Résolvez vos problèmes de configuration et actualisez la page.", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnectorTitle": "En attente de votre connecteur", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.description": "En nommant et en décrivant ce connecteur, vos collègues et votre équipe tout entière sauront à quelle utilisation ce connecteur est dédié.", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.saveButtonLabel": "Enregistrer le nom et la description", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.title": "Décrire ce robot d'indexation", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionForm.description": "En nommant et en décrivant ce connecteur, vos collègues et votre équipe tout entière sauront à quelle utilisation ce connecteur est dédié.", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.encryptionWarningMessage": "Le chiffrement pour les informations d'identification de la source de données n'est pas disponible dans cette version d'évaluation technique. Les informations d'identification de votre source de données seront stockées, non chiffrées, dans Elasticsearch.", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.securityDocumentationLinkLabel": "En savoir plus sur Elasticsearch Security", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.schedulingReminder.description": "N'oubliez pas de définir un calendrier de synchronisation dans l'onglet Planification pour actualiser continuellement vos données interrogeables.", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.schedulingReminder.title": "Calendrier de synchronisation configurable", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.description": "Limitez et personnalisez l'accès en lecture dont les utilisateurs disposent sur les documents d'indexation à l'heure de la requête.", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.securityLinkLabel": "Sécurité au niveau du document", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.title": "Sécurité au niveau du document", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.advancedConfigurationTitle": "Configuration avancée", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.configurationTitle": "Configuration", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.nameAndDescriptionTitle": "Nom et description", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.researchConfigurationTitle": "Exigences de la configuration des recherches", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnectorAdvancedConfiguration.description": "Finalisez votre connecteur en déclenchant une synchronisation unique, ou en définissant un calendrier de synchronisation récurrent.", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnectorAdvancedConfiguration.schedulingButtonLabel": "Définir un calendrier et synchroniser", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.connectorDocumentationLinkLabel": "Documentation", "xpack.enterpriseSearch.content.indices.configurationConnector.scheduleSync.description": "Une fois que vos connecteurs sont configurés à votre convenance, n'oubliez pas de définir un calendrier de synchronisation récurrent pour vous assurer que vos documents sont indexés et pertinents. Vous pouvez également déclencher une synchronisation unique sans activer un calendrier de synchronisation.", "xpack.enterpriseSearch.content.indices.configurationConnector.scheduling.successToast.title": "Mise à jour réussie du calendrier", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.deployConnector.title": "Déployer un connecteur", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.enhance.title": "Améliorer votre client connecteur", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.generateApiKey.title": "Générer une clé d’API", + "xpack.enterpriseSearch.content.indices.configurationConnector.steps.nameAndDescriptionTitle": "Nom et description", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.schedule.button.label": "Définir un calendrier et synchroniser", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.schedule.title": "Définir un calendrier de synchronisation récurrent", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.connectorFeedback.label": "Commentaires sur le connecteur", "xpack.enterpriseSearch.content.indices.configurationConnector.support.description": "Votre connecteur devra être déployé sur votre propre infrastructure.", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.dontSeeIntegration.label": "Vous ne voyez pas l'intégration que vous recherchez ?", "xpack.enterpriseSearch.content.indices.configurationConnector.support.getHelp.label": "Obtenir de l’aide", "xpack.enterpriseSearch.content.indices.configurationConnector.support.issue.label": "Soumettre un problème", "xpack.enterpriseSearch.content.indices.configurationConnector.support.manageKeys.label": "Gérer les clés", "xpack.enterpriseSearch.content.indices.configurationConnector.support.readme.label": "Fichier readme du connecteur", "xpack.enterpriseSearch.content.indices.configurationConnector.support.searchUI.label": "Utiliser l'interface de recherche pour Workplace Search", "xpack.enterpriseSearch.content.indices.configurationConnector.support.title": "Support technique et documentation", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.viewDocumentation.label": "Afficher la documentation", "xpack.enterpriseSearch.content.indices.configurationConnector.warning.description": "Si vous synchronisez au moins un document avant d'avoir finalisé votre client connecteur, vous devrez recréer votre index de recherche.", "xpack.enterpriseSearch.content.indices.connectorScheduling.configured.description": "Votre connecteur est configuré et déployé. Configurez une synchronisation unique en cliquant sur le bouton Sync, ou activez un calendrier de synchronisation récurrent. ", "xpack.enterpriseSearch.content.indices.connectorScheduling.error.title": "Examinez la configuration de votre connecteur pour voir si des erreurs ont été signalées.", @@ -11366,6 +12011,108 @@ "xpack.enterpriseSearch.content.indices.connectorScheduling.saveButton.label": "Enregistrer", "xpack.enterpriseSearch.content.indices.connectorScheduling.switch.label": "Activer des synchronisations récurrentes selon le calendrier suivant", "xpack.enterpriseSearch.content.indices.connectorScheduling.unsaved.title": "Vous n'avez pas enregistré vos modifications, êtes-vous sûr de vouloir quitter ?", + "xpack.enterpriseSearch.content.indices.defaultPipelines.successToast.title": "Pipeline par défaut mis à jour avec succès", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.createErrors": "Erreur lors de la création d'un pipeline", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.noModels.imageAlt": "Aucune illustration de modèles de ML", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.chooseExistingLabel": "Nouveau ou existant", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.description": "Une fois créé, ce pipeline sera ajouté en tant que processeur à votre pipeline d'ingestion Enterprise Search. Vous pourrez également utiliser ce pipeline ailleurs dans votre déploiement Elastic.", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.docsLink": "En savoir plus sur l'utilisation des modèles de ML dans Enterprise Search", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.emptyValueError": "Champ obligatoire.", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.chooseLabel": "Choisir", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.destinationField": "Champ de destination", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.disabledPipelineExistsDescription": "Ce pipeline ne peut pas être sélectionné car il est déjà attaché.", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.disabledSourceFieldDescription": "Ce pipeline ne peut pas être sélectionné car le champ source n'existe pas dans cet index.", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.existingLabel": "Existant", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.newLabel": "Nouveauté", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.placeholder": "Effectuez une sélection", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.sourceField": "Champ source", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipelineLabel": "Sélectionner un pipeline d'inférence existant", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.invalidPipelineName": "Le nom doit contenir uniquement des lettres, des chiffres, des traits de soulignement et des traits d'union.", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.model.placeholder": "Sélectionner un modèle", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.model.redactedValue": "Le modèle n'est pas disponible", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.modelLabel": "Sélectionner un modèle de ML entraîné", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.nameLabel": "Nom", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.namePlaceholder": "Saisir un nom unique pour ce pipeline", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.error.docLink": "En savoir plus sur le mapping de champs", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.placeholder": "Sélectionner un champ de schéma", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceFieldLabel": "Champ source", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.review.description": "Ce pipeline sera créé et injecté en tant que processeur dans votre pipeline par défaut pour cet index. Vous pourrez également utiliser ce nouveau pipeline de façon indépendante.", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.review.title": "Configuration du pipeline", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument": "Ajouter un document", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument.documentId": "ID de document", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument.helptext": "Tester avec un document de votre index", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.description": "Vous pouvez simuler les résultats de votre pipeline en transmettant un tableau de documents.", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.runButton": "Simuler un pipeline", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.subtitle": "Documents", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.title": "Consulter les résultats de pipeline (facultatif)", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.title": "Ajouter un pipeline d'inférence", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.apiIndexSubtitle": "Les pipelines d'ingestion optimisent votre index pour les applications de recherche. Si vous souhaitez utiliser ces pipelines dans votre index basé sur des API, vous devrez les référencer explicitement dans vos requêtes d'API.", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.docLink": "En savoir plus sur l'utilisation des pipelines dans Enterprise Search", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.subtitle": "Les pipelines d'ingestion optimisent votre index pour les applications de recherche", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.title": "Pipelines d'ingestion", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.accordion.label": "Ingérer un document à l'aide de cURL", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.customButtonLabel": "Modifier le pipeline", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.managedBadge.label": "Géré", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.settings.label": "Paramètres", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.defaultIngestPipeline.disabledTooltip": "Vous ne pouvez pas ajouter de processeurs de pipeline d'inférence de Machine Learning au pipeline d'ingestion par défaut. Vous devez d'abord copier et personnaliser le pipeline d'ingestion par défaut pour ajouter des processeurs de pipeline d'inférence de Machine Learning.", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.mlInferenceDisabled.disabledTooltip": "Vous devez activer les pipelines d'inférence de ML sur le pipeline d'ingestion pour ajouter des processeurs de pipeline d'inférence de ML.", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.mlPermissions.disabledTooltip": "Vous ne disposez pas d'autorisation de Machine Learning sur ce cluster.", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButtonLabel": "Ajouter un pipeline d'inférence", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.docLink": "En savoir plus sur le déploiement de modèles de Machine Learning dans Elastic", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.subtitle": "Les pipelines d'inférence seront exécutés en tant que processeurs à partir du pipeline d'ingestion Enterprise Search", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.title": "Pipelines d'inférence de Machine Learning", + "xpack.enterpriseSearch.content.indices.pipelines.successToast.title": "Mise à jour réussie des pipelines", + "xpack.enterpriseSearch.content.indices.pipelines.successToastCustom.title": "Création réussie du pipeline personnalisé", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory": "Historique d'inférence", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.subtitle": "Les processeurs d'inférence suivants ont été trouvés dans le champ _ingest.processors des documents de cet index.", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.tableColumn.docCount": "Nombre approx. de documents", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.tableColumn.pipeline": "Pipeline d'inférence", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.title": "Processeurs d'inférence historiques", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations": "Configurations JSON", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.action.edit": "Modifier dans Gestion de la Suite", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.action.view": "Afficher dans Gestion de la Suite", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.indexSpecific": "Spécifique à l'index", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.indexSpecific.description": "Ce pipeline contient des configurations spécifiques à cet index uniquement", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.ingestionPipelines.docLink": "En savoir plus sur le mode d'utilisation des pipelines d'ingestion par Enterprise Search", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.ingestPipelines": "Pipelines d'ingestion", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.managed": "Géré", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.managed.description": "Ce pipeline est géré et ne peut pas être modifié", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.mlInference": "Inférence de ML", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.mlInference.description": "Ce pipeline référence un ou plusieurs pipelines d'inférence de ML pour cet index", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.selectLabel": "Sélectionner un pipeline d'ingestion à afficher", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.shared": "Partagé", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.shared.description": "Ce pipeline est partagé dans toutes les méthodes d'ingestion d'Enterprise Search", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.subtitle": "Affichez le JSON pour les configurations de votre pipeline dans cet index.", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.title": "Configurations du pipeline", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.unmanaged": "Non géré", + "xpack.enterpriseSearch.content.indices.selectConnector.buildYourOwnConnectorLinkLabel": "créez-les vous-même", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.basicAuthenticationLabel": "Authentification de base", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.documentationLinkLabel": "Documentation", + "xpack.enterpriseSearch.content.indices.selectConnector.description": "Lancez-vous en sélectionnant le connecteur que vous souhaiteriez configurer pour extraire, indexer et synchroniser les données à partir de votre source de données dans votre index de recherche nouvellement créé.", + "xpack.enterpriseSearch.content.indices.selectConnector.selectAndConfigureButtonLabel": "Sélectionner et configurer", + "xpack.enterpriseSearch.content.indices.selectConnector.title": "Sélectionner un connecteur", + "xpack.enterpriseSearch.content.indices.selectConnector.workplaceSearchLinkLabel": "Afficher d'autres intégrations dans Workplace Search", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.footer.attach": "Attacher", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.footer.create": "Créer", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.configure.title": "Configurer", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.review.title": "Révision", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.test.title": "Test", + "xpack.enterpriseSearch.content.licensingCallout.contentCloudTrial": "Explorer Enterprise Search sur Elastic Cloud ", + "xpack.enterpriseSearch.content.licensingCallout.contentTwo": "Saviez-vous que les connecteurs intégrés étaient disponibles avec une licence Standard Elastic Cloud ? Avec Elastic Cloud, exécutez vos services où bon vous semble. Il vous suffit de déployer notre service géré sur Google Cloud, Microsoft Azure ou Amazon Web Services, et nous nous chargeons de l'entretien et de la maintenance pour vous.", + "xpack.enterpriseSearch.content.licensingCallout.crawler.contentOne": "Le robot d'indexation requiert une licence Platinum ou supérieure ; il n'est pas disponible pour les déploiements autogérés de la licence Standard. Vous devez effectuer une mise à niveau pour utiliser cette fonctionnalité.", + "xpack.enterpriseSearch.content.licensingCallout.crawler.contentTwo": "Saviez-vous que les robots d'indexation étaient disponibles avec une licence Standard Elastic Cloud ? Avec Elastic Cloud, exécutez vos services où bon vous semble. Il vous suffit de déployer notre service géré sur Google Cloud, Microsoft Azure ou Amazon Web Services, et nous nous chargeons de l'entretien et de la maintenance pour vous.", + "xpack.enterpriseSearch.content.licensingCallout.inference.contentOne": "Les processeurs d'inférence requièrent une licence Platinum ou supérieure ; ils ne sont pas disponibles pour les déploiements autogérés de la licence Standard. Vous devez effectuer une mise à niveau pour utiliser cette fonctionnalité.", + "xpack.enterpriseSearch.content.licensingCallout.inference.contentTwo": "Saviez-vous que les processeurs d'inférence étaient disponibles avec une licence Standard Elastic Cloud ? Avec Elastic Cloud, exécutez vos services où bon vous semble. Il vous suffit de déployer notre service géré sur Google Cloud, Microsoft Azure ou Amazon Web Services, et nous nous chargeons de l'entretien et de la maintenance pour vous.", + "xpack.enterpriseSearch.content.licensingCallout.nativeConnector.contentOne": "Les connecteurs intégrés requièrent une licence Platinum ou supérieure ; ils ne sont pas disponibles pour les déploiements autogérés de la licence Standard. Vous devez effectuer une mise à niveau pour utiliser cette fonctionnalité.", + "xpack.enterpriseSearch.content.licensingCallout.title": "Fonctionnalités Platinum", + "xpack.enterpriseSearch.content.ml_inference.fill_mask": "Masque de remplissage", + "xpack.enterpriseSearch.content.ml_inference.ner": "Reconnaissance des entités nommées", + "xpack.enterpriseSearch.content.ml_inference.question_answering": "Reconnaissance des entités nommées", + "xpack.enterpriseSearch.content.ml_inference.text_classification": "Classification du texte", + "xpack.enterpriseSearch.content.ml_inference.text_embedding": "Incorporation de texte vectoriel dense", + "xpack.enterpriseSearch.content.ml_inference.zero_shot_classification": "Classification de texte Zero-Shot", + "xpack.enterpriseSearch.content.nativeConnectors.mongodb.name": "MongoDB", + "xpack.enterpriseSearch.content.nativeConnectors.mysql.name": "MySQL", "xpack.enterpriseSearch.content.navTitle": "Contenu", "xpack.enterpriseSearch.content.new_index.successToast.button.label": "Créer un moteur", "xpack.enterpriseSearch.content.new_index.successToast.description": "Vous pouvez utiliser des moteurs App Search pour créer une expérience de recherche pour votre nouvel index Elasticsearch.", @@ -11380,6 +12127,9 @@ "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.description": "Découvrir, extraire, indexer et synchroniser tout le contenu de votre site web", "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.footer": "Aucun développement nécessaire", "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.label": "Utiliser le robot d'indexation", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.description": "Configurer un connecteur pour extraire, indexer et synchroniser tout votre contenu des sources de données prises en charge ", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.footer": "Aucun développement nécessaire", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.label": "Utiliser un connecteur", "xpack.enterpriseSearch.content.newIndex.emptyState.description": "Les données que vous ajoutez dans Enterprise Search sont appelées \"index de recherche\", et vous pouvez effectuer des recherches à l'intérieur à la fois dans App Search et dans Workplace Search. Maintenant, vous pouvez utiliser vos connecteurs dans App Search et vos robots d'indexation dans Workplace Search.", "xpack.enterpriseSearch.content.newIndex.emptyState.footer.link": "Lisez les documents", "xpack.enterpriseSearch.content.newIndex.emptyState.footer.title": "Vous souhaitez en savoir plus sur les index de recherche ?", @@ -11388,6 +12138,7 @@ "xpack.enterpriseSearch.content.newIndex.methodApi.title": "Indexer avec l’API", "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.buildConnector.bulkAPILink": "API Bulk", "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.buildConnector.title": "Créer et configurer un connecteur", + "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.nativeConnector.title": "Configurer un connecteur", "xpack.enterpriseSearch.content.newIndex.methodCrawler.steps.configureIngestion.content": "Configurez les domaines que vous souhaitez indexer et, lorsque vous êtes prêt, déclenchez votre première indexation. Laissez Enterprise Search faire le reste.", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.createIndex.buttonText": "Créer un index", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.languageInputHelpText": "La langue peut être modifiée ultérieurement, mais ce changement peut nécessiter une réindexation.", @@ -11407,30 +12158,21 @@ "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.error.indexAlreadyExists": "L'index existe déjà.", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.error.unauthorizedError": "Vous n'êtes pas autorisé à créer ce connecteur", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.title": "Créer un connecteur", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.appSearchLink": "App Search", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.elasticsearchLink": "Elasticsearch", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.searchEngineLink": "moteur de recherche", "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.title": "Créer une expérience de recherche", "xpack.enterpriseSearch.content.newIndex.steps.configureIngestion.title": "Configurer les paramètres d’ingestion", "xpack.enterpriseSearch.content.newIndex.steps.createIndex.crawler.title": "Indexer avec le robot d'indexation", + "xpack.enterpriseSearch.content.newIndex.steps.createIndex.languageAnalyzerLink": "analyseur linguistique", "xpack.enterpriseSearch.content.newIndex.steps.createIndex.title": "Créer un index Elasticsearch", - "xpack.enterpriseSearch.content.supportedLanguages.chineseLabel": "Chinois", - "xpack.enterpriseSearch.content.supportedLanguages.danishLabel": "Danois", - "xpack.enterpriseSearch.content.supportedLanguages.dutchLabel": "Néerlandais", - "xpack.enterpriseSearch.content.supportedLanguages.englishLabel": "Anglais", - "xpack.enterpriseSearch.content.supportedLanguages.frenchLabel": "Français", - "xpack.enterpriseSearch.content.supportedLanguages.germanLabel": "Allemand", - "xpack.enterpriseSearch.content.supportedLanguages.italianLabel": "Italien", - "xpack.enterpriseSearch.content.supportedLanguages.japaneseLabel": "Japonais", - "xpack.enterpriseSearch.content.supportedLanguages.koreanLabel": "Coréen", - "xpack.enterpriseSearch.content.supportedLanguages.portugueseBrazilLabel": "Portugais (Brésil)", - "xpack.enterpriseSearch.content.supportedLanguages.portugueseLabel": "Portugais", - "xpack.enterpriseSearch.content.supportedLanguages.russianLabel": "Russe", - "xpack.enterpriseSearch.content.supportedLanguages.spanishLabel": "Espagnol", - "xpack.enterpriseSearch.content.supportedLanguages.thaiLabel": "Thaï", - "xpack.enterpriseSearch.content.supportedLanguages.universalLabel": "Universel", + "xpack.enterpriseSearch.content.newIndex.steps.nativeConnector.title": "Indexer à l'aide d'un connecteur", "xpack.enterpriseSearch.content.newIndex.types.api": "Point de terminaison d'API", "xpack.enterpriseSearch.content.newIndex.types.connector": "Connecteur", "xpack.enterpriseSearch.content.newIndex.types.crawler": "Robot d'indexation", "xpack.enterpriseSearch.content.newIndex.types.elasticsearch": "Index Elasticsearch", "xpack.enterpriseSearch.content.newIndex.types.json": "JSON", + "xpack.enterpriseSearch.content.newIndex.viewIntegrationsLink": "Afficher des intégrations supplémentaires", "xpack.enterpriseSearch.content.overview.documementExample.generateApiKeyButton.createNew": "Créer une clé d’API", "xpack.enterpriseSearch.content.overview.documementExample.generateApiKeyButton.viewAll": "Afficher toutes les clés d’API", "xpack.enterpriseSearch.content.overview.documentExample.clientLibraries.dotnet": ".NET", @@ -11446,17 +12188,24 @@ "xpack.enterpriseSearch.content.overview.documentExample.title": "Ajout de documents à votre index", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.apiKeyWarning": "Elastic ne stocke pas les clés d’API. Une fois la clé générée, vous ne pourrez la visualiser qu'une seule fois. Veillez à l'enregistrer dans un endroit sûr. Si vous n'y avez plus accès, vous devrez générer une nouvelle clé d’API à partir de cet écran.", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.cancel": "Annuler", + "xpack.enterpriseSearch.content.overview.generateApiKeyModal.csvDownloadButton": "Télécharger la clé d'API", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.generateButton": "Générer une clé API", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.info": "Avant de pouvoir commencer à publier des documents dans votre index Elasticsearch, vous devez créer au moins une clé d’API.", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.learnMore": "En savoir plus sur les clés d’API", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.title": "Générer une clé d’API", + "xpack.enterpriseSearch.content.overview.optimizedRequest.label": "Afficher la requête optimisée d'Enterprise Search", "xpack.enterpriseSearch.content.productName": "Enterprise Search", + "xpack.enterpriseSearch.content.searchIndex.cancelSyncs.successMessage": "Annulation réussie des synchronisations", "xpack.enterpriseSearch.content.searchIndex.configurationTabLabel": "Configuration", + "xpack.enterpriseSearch.content.searchIndex.connectorErrorCallOut.title": "Votre connecteur a rapporté une erreur", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.docsPerPage": "Nombre de documents par page déroulée", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.paginationAriaLabel": "Pagination pour la liste de documents", "xpack.enterpriseSearch.content.searchIndex.documents.noMappings": "Aucun mapping trouvé pour l’index", "xpack.enterpriseSearch.content.searchIndex.documents.searchField.placeholder": "Rechercher des documents dans cet index", "xpack.enterpriseSearch.content.searchIndex.documents.title": "Parcourir des documents", "xpack.enterpriseSearch.content.searchIndex.documentsTabLabel": "Documents", "xpack.enterpriseSearch.content.searchIndex.domainManagementTabLabel": "Gérer les domaines", + "xpack.enterpriseSearch.content.searchIndex.index.recheckSuccess.message": "Votre connecteur a été à nouveau vérifié.", "xpack.enterpriseSearch.content.searchIndex.index.syncSuccess.message": "Une synchronisation a été programmée avec succès, en attente de son activation par un connecteur.", "xpack.enterpriseSearch.content.searchIndex.indexMappingsTabLabel": "Mappings d’index", "xpack.enterpriseSearch.content.searchIndex.mappings.docLink": "En savoir plus", @@ -11465,6 +12214,7 @@ "xpack.enterpriseSearch.content.searchIndex.nav.indexMappingsTitle": "Mappings d’index", "xpack.enterpriseSearch.content.searchIndex.nav.overviewTitle": "Aperçu", "xpack.enterpriseSearch.content.searchIndex.overviewTabLabel": "Aperçu", + "xpack.enterpriseSearch.content.searchIndex.pipelinesTabLabel": "Pipelines", "xpack.enterpriseSearch.content.searchIndex.schedulingTabLabel": "Planification", "xpack.enterpriseSearch.content.searchIndex.totalStats.apiIngestionMethodLabel": "API", "xpack.enterpriseSearch.content.searchIndex.totalStats.connectorIngestionMethodLabel": "Connecteur", @@ -11472,8 +12222,14 @@ "xpack.enterpriseSearch.content.searchIndex.totalStats.documentCountCardLabel": "Nombre de documents", "xpack.enterpriseSearch.content.searchIndex.totalStats.domainCountCardLabel": "Nombre de domaines", "xpack.enterpriseSearch.content.searchIndex.totalStats.ingestionTypeCardLabel": "Type d’ingestion", + "xpack.enterpriseSearch.content.searchIndex.totalStats.languageLabel": "Analyseur linguistique", "xpack.enterpriseSearch.content.searchIndices.actions.columnTitle": "Actions", + "xpack.enterpriseSearch.content.searchIndices.actions.deleteIndex.title": "Supprimer cet index", + "xpack.enterpriseSearch.content.searchIndices.actions.viewIndex.title": "Afficher cet index", "xpack.enterpriseSearch.content.searchIndices.create.buttonTitle": "Créer un nouvel index", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.cancelButton.title": "Annuler", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.closeButton.title": "Fermer", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.confirmButton.title": "Supprimer l'index", "xpack.enterpriseSearch.content.searchIndices.docsCount.columnTitle": "Nombre de documents", "xpack.enterpriseSearch.content.searchIndices.health.columnTitle": "Intégrité des index", "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.api": "API", @@ -11481,11 +12237,18 @@ "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.connector": "Connecteur", "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.crawler": "Robot d'indexation", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.columnTitle": "Statut de l'ingestion", + "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.configured.label": "Configuré", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.connected.label": "Connecté", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.connectorError.label": "Échec du connecteur", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.idle.label": "Inactif", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.incomplete.label": "Incomplet", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.syncError.label": "Échec de la synchronisation", + "xpack.enterpriseSearch.content.searchIndices.jobStats.connectedMethods": "Méthodes d'ingestion connectées", + "xpack.enterpriseSearch.content.searchIndices.jobStats.errorSyncs": "Erreurs de synchronisation", + "xpack.enterpriseSearch.content.searchIndices.jobStats.incompleteMethods": "Méthodes d'ingestion incomplètes", + "xpack.enterpriseSearch.content.searchIndices.jobStats.longRunningSyncs": "Synchronisations longues", + "xpack.enterpriseSearch.content.searchIndices.jobStats.orphanedSyncs": "Synchronisations orphelines", + "xpack.enterpriseSearch.content.searchIndices.jobStats.runningSyncs": "Synchronisations en cours d'exécution", "xpack.enterpriseSearch.content.searchIndices.name.columnTitle": "Nom de l'index", "xpack.enterpriseSearch.content.searchIndices.searchIndices.breadcrumb": "Index Elasticsearch", "xpack.enterpriseSearch.content.searchIndices.searchIndices.emptyPageTitle": "Bienvenue dans Enterprise Search", @@ -11495,9 +12258,59 @@ "xpack.enterpriseSearch.content.searchIndices.searchIndices.searchBar.placeHolder": "Filtrer les index Elasticsearch", "xpack.enterpriseSearch.content.searchIndices.searchIndices.stepsTitle": "Créer de belles expériences de recherche avec Enterprise Search", "xpack.enterpriseSearch.content.searchIndices.searchIndices.tableTitle": "Index disponibles", + "xpack.enterpriseSearch.content.searchIndices.syncStatus.columnTitle": "Statut", "xpack.enterpriseSearch.content.settings.breadcrumb": "Paramètres", + "xpack.enterpriseSearch.content.settings.contactExtraction.label": "Extraction du contenu", + "xpack.enterpriseSearch.content.settings.contactExtraction.link": "En savoir plus sur l'extraction de contenu", + "xpack.enterpriseSearch.content.settings.contentExtraction.description": "Autoriser tous les mécanismes d'ingestion de votre déploiement Enterprise Search à extraire le contenu interrogeable des fichiers binaires tels que les documents PDF et Word. Ce paramètre s'applique à tous les nouveaux index Elasticsearch créés par un mécanisme d'ingestion Enterprise Search.", + "xpack.enterpriseSearch.content.settings.contentExtraction.descriptionTwo": "Vous pouvez également activer ou désactiver cette fonctionnalité pour un index spécifique sur la page de configuration de l'index.", + "xpack.enterpriseSearch.content.settings.contentExtraction.title": "Extraction de contenu de l'ensemble du déploiement", + "xpack.enterpriseSearch.content.settings.headerTitle": "Paramètres de contenu", + "xpack.enterpriseSearch.content.settings.mlInference.deploymentHeaderTitle": "Extraction de pipelines d'inférence de ML de l'ensemble du déploiement", + "xpack.enterpriseSearch.content.settings.mlInference.description": "Les pipelines d'inférence de ML seront exécutés avec vos pipelines. Vous devrez configurer les processeurs individuellement pour chaque index sur la page de ses pipelines.", + "xpack.enterpriseSearch.content.settings.mlInference.label": "Inférence de ML", + "xpack.enterpriseSearch.content.settings.mlInference.link": "En savoir plus sur l'extraction de contenu", + "xpack.enterpriseSearch.content.settings.resetButtonLabel": "Réinitialiser", + "xpack.enterpriseSearch.content.settings.saveButtonLabel": "Enregistrer", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.deploymentHeaderTitle": "Réduction d'espaces sur l'ensemble du déploiement", + "xpack.enterpriseSearch.content.settings.whiteSpaceReduction.description": "La réduction d'espaces supprimera le contenu de texte intégral des espaces par défaut.", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.label": "Réduction d'espaces", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.link": "En savoir plus sur la réduction d'espaces", "xpack.enterpriseSearch.content.shared.result.header.metadata.deleteDocument": "Supprimer le document", "xpack.enterpriseSearch.content.shared.result.header.metadata.title": "Métadonnées du document", + "xpack.enterpriseSearch.content.supportedLanguages.chineseLabel": "Chinois", + "xpack.enterpriseSearch.content.supportedLanguages.danishLabel": "Danois", + "xpack.enterpriseSearch.content.supportedLanguages.dutchLabel": "Néerlandais", + "xpack.enterpriseSearch.content.supportedLanguages.englishLabel": "Anglais", + "xpack.enterpriseSearch.content.supportedLanguages.frenchLabel": "Français", + "xpack.enterpriseSearch.content.supportedLanguages.germanLabel": "Allemand", + "xpack.enterpriseSearch.content.supportedLanguages.italianLabel": "Italien", + "xpack.enterpriseSearch.content.supportedLanguages.japaneseLabel": "Japonais", + "xpack.enterpriseSearch.content.supportedLanguages.koreanLabel": "Coréen", + "xpack.enterpriseSearch.content.supportedLanguages.portugueseBrazilLabel": "Portugais (Brésil)", + "xpack.enterpriseSearch.content.supportedLanguages.portugueseLabel": "Portugais", + "xpack.enterpriseSearch.content.supportedLanguages.russianLabel": "Russe", + "xpack.enterpriseSearch.content.supportedLanguages.spanishLabel": "Espagnol", + "xpack.enterpriseSearch.content.supportedLanguages.thaiLabel": "Thaï", + "xpack.enterpriseSearch.content.supportedLanguages.universalLabel": "Universel", + "xpack.enterpriseSearch.content.syncJobs.flyout.canceledTitle": "Synchronisation annulée", + "xpack.enterpriseSearch.content.syncJobs.flyout.completedTitle": "Synchronisation terminée", + "xpack.enterpriseSearch.content.syncJobs.flyout.failureTitle": "Échec de la synchronisation", + "xpack.enterpriseSearch.content.syncJobs.flyout.inProgressTitle": "En cours", + "xpack.enterpriseSearch.content.syncJobs.flyout.sync": "Sync", + "xpack.enterpriseSearch.content.syncJobs.flyout.sync.id": "ID", + "xpack.enterpriseSearch.content.syncJobs.flyout.syncStartedManually": "Synchronisation démarrée manuellement", + "xpack.enterpriseSearch.content.syncJobs.flyout.syncStartedScheduled": "Synchronisation démarrée par planification", + "xpack.enterpriseSearch.content.syncJobs.flyout.title": "Log d'événements", + "xpack.enterpriseSearch.content.syncJobs.lastSync.columnTitle": "Dernière synchronisation", + "xpack.enterpriseSearch.content.syncJobs.syncDuration.columnTitle": "Durée de synchronisation", + "xpack.enterpriseSearch.content.syncStatus.canceled": "Annulation de la synchronisation", + "xpack.enterpriseSearch.content.syncStatus.canceling": "Synchronisation annulée", + "xpack.enterpriseSearch.content.syncStatus.completed": "Synchronisation terminée", + "xpack.enterpriseSearch.content.syncStatus.error": "Échec de la synchronisation", + "xpack.enterpriseSearch.content.syncStatus.inProgress": "Synchronisation en cours", + "xpack.enterpriseSearch.content.syncStatus.pending": "Synchronisation en attente", + "xpack.enterpriseSearch.content.syncStatus.suspended": "Synchronisation suspendue", "xpack.enterpriseSearch.crawler.addDomainFlyout.description": "Vous pouvez ajouter plusieurs domaines au robot d'indexation de cet index. Ajoutez un autre domaine ici et modifiez les points d'entrée et les règles d'indexation à partir de la page \"Gérer\".", "xpack.enterpriseSearch.crawler.addDomainFlyout.openButtonLabel": "Ajouter un domaine", "xpack.enterpriseSearch.crawler.addDomainFlyout.title": "Ajouter un nouveau domaine", @@ -11514,8 +12327,25 @@ "xpack.enterpriseSearch.crawler.addDomainForm.urlHelpText": "Les URL de domaine requièrent un protocole et ne peuvent pas contenir de chemins.", "xpack.enterpriseSearch.crawler.addDomainForm.urlLabel": "URL de domaine", "xpack.enterpriseSearch.crawler.addDomainForm.validateButtonLabel": "Valider le domaine", - "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.crawlAutomaticallySwitchLabel": "Indexer automatiquement", - "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.readMoreLink": "En lire plus.", + "xpack.enterpriseSearch.crawler.authenticationPanel.basicAuthenticationLabel": "Authentification de base", + "xpack.enterpriseSearch.crawler.authenticationPanel.configurationSavePanel.description": "Les paramètres d'authentification pour l'indexation du contenu protégé ont été enregistrés. Pour mettre à jour un mécanisme d'authentification, supprimez les paramètres et redémarrez.", + "xpack.enterpriseSearch.crawler.authenticationPanel.configurationSavePanel.title": "Paramètres de configuration enregistrés", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.deleteButtonLabel": "Supprimer", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.description": "La suppression de ces paramètres empêchera peut-être le robot d'indexation d'indexer les zones protégées du domaine. Cette action ne peut pas être annulée.", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.title": "Voulez-vous vraiment supprimer ces paramètres ?", + "xpack.enterpriseSearch.crawler.authenticationPanel.description": "Configurez l'authentification pour activer l'indexation du contenu protégé pour ce domaine.", + "xpack.enterpriseSearch.crawler.authenticationPanel.editForm.headerValueLabel": "Valeur d'en-tête", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.addAuthenticationButtonLabel": "Ajouter l'authentification", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.title": "Aucune authentification configurée", + "xpack.enterpriseSearch.crawler.authenticationPanel.rawAuthenticationLabel": "En-tête d'authentification", + "xpack.enterpriseSearch.crawler.authenticationPanel.resetToDefaultsButtonLabel": "Ajouter les informations d'identification", + "xpack.enterpriseSearch.crawler.authenticationPanel.title": "Authentification", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.crawlAutomaticallySwitchLabel": "Activer les indexations récurrentes selon le calendrier suivant", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.cronSchedulingDescription": "Définir la fréquence et la durée des indexations programmées", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.cronSchedulingTitle": "Planification d'une durée spécifique", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.intervalSchedulingDescription": "Définir la fréquence et la durée des indexations programmées", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.intervalSchedulingTitle": "Planification d'intervalle", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.readMoreLink": "En savoir plus sur la planification", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleDescription": "Le calendrier d’indexation effectuera une indexation complète de chaque domaine de cet index.", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleFrequencyLabel": "Planifier la fréquence", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleUnitsLabel": "Planifier des unités de temps", @@ -11551,7 +12381,7 @@ "xpack.enterpriseSearch.crawler.crawlDetailsSummary.urlsTooltip": "URL trouvées par le robot pendant l'indexation, y compris celles qui ne sont pas suivies en raison de la configuration de l'indexation.", "xpack.enterpriseSearch.crawler.crawlDetailsSummary.urlsTooltipTitle": "URL vues", "xpack.enterpriseSearch.crawler.crawlerStatusBanner.changesCalloutTitle": "Les modifications que vous effectuez maintenant ne prendront effet qu'au début de votre prochaine indexation.", - "xpack.enterpriseSearch.crawler.crawlerStatusIndicator.cancelCrawlMenuItemLabel": "Annuler l'indexation", + "xpack.enterpriseSearch.crawler.crawlerStatusIndicator.cancelCrawlMenuItemLabel": "Annuler les indexations", "xpack.enterpriseSearch.crawler.crawlerStatusIndicator.crawlingButtonLabel": "Indexation en cours…", "xpack.enterpriseSearch.crawler.crawlerStatusIndicator.pendingButtonLabel": "En attente…", "xpack.enterpriseSearch.crawler.crawlerStatusIndicator.retryCrawlButtonLabel": "Indexer", @@ -11571,6 +12401,7 @@ "xpack.enterpriseSearch.crawler.crawlerStatusOptions.suspending": "Suspension", "xpack.enterpriseSearch.crawler.crawlRequestsPanel.description": "Les recherches d'indexations récentes sont consignées ici. Vous pouvez suivre la progression et examiner les événements d'indexation dans les interfaces utilisateur Logs ou Discover de Kibana.", "xpack.enterpriseSearch.crawler.crawlRequestsPanel.title": "Demandes d'indexation", + "xpack.enterpriseSearch.crawler.crawlRequestsPanel.userAgentDescription": "Les requêtes provenant du robot d'indexation peuvent être identifiées par l'agent utilisateur suivant. La configuration s'effectue dans le fichier enterprise-search.yml.", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.crawlType": "Type d'indexation", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.created": "Créé", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.domains": "Domaines", @@ -11598,6 +12429,7 @@ "xpack.enterpriseSearch.crawler.crawlTypeOptions.reAppliedCrawlRules": "Règles d'indexation réappliquées", "xpack.enterpriseSearch.crawler.deduplicationPanel.allFieldsLabel": "Tous les champs", "xpack.enterpriseSearch.crawler.deduplicationPanel.learnMoreMessage": "En savoir plus sur le hachage de contenu", + "xpack.enterpriseSearch.crawler.deduplicationPanel.preventDuplicateLabel": "Empêcher les documents en double", "xpack.enterpriseSearch.crawler.deduplicationPanel.resetToDefaultsButtonLabel": "Réinitialiser aux valeurs par défaut", "xpack.enterpriseSearch.crawler.deduplicationPanel.selectedFieldsLabel": "Champs sélectionnés", "xpack.enterpriseSearch.crawler.deduplicationPanel.showAllFieldsButtonLabel": "Afficher tous les champs", @@ -11616,7 +12448,7 @@ "xpack.enterpriseSearch.crawler.domainsTable.action.manage.buttonLabel": "Gérer ce domaine", "xpack.enterpriseSearch.crawler.domainsTable.column.actions": "Actions", "xpack.enterpriseSearch.crawler.domainsTable.column.documents": "Documents", - "xpack.enterpriseSearch.crawler.domainsTable.column.domainURL": "URL de domaine", + "xpack.enterpriseSearch.crawler.domainsTable.column.domainURL": "Domaine", "xpack.enterpriseSearch.crawler.domainsTable.column.lastActivity": "Dernière activité", "xpack.enterpriseSearch.crawler.domainsTitle": "Domaines", "xpack.enterpriseSearch.crawler.entryPointsTable.addButtonLabel": "Ajouter un point d'entrée", @@ -11638,8 +12470,56 @@ "xpack.enterpriseSearch.crawler.startCrawlContextMenu.crawlCustomSettingsMenuLabel": "Indexation avec des paramètres personnalisés", "xpack.enterpriseSearch.crawler.startCrawlContextMenu.reapplyCrawlRulesMenuLabel": "Réappliquer les règles d'indexation", "xpack.enterpriseSearch.crawler.urlComboBox.invalidUrlErrorMessage": "Veuillez entrer une URL valide", + "xpack.enterpriseSearch.cronEditor.cronDaily.fieldHour.textAtLabel": "À", + "xpack.enterpriseSearch.cronEditor.cronDaily.fieldTimeLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronDaily.hourSelectLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronDaily.minuteSelectLabel": "Minute", + "xpack.enterpriseSearch.cronEditor.cronHourly.fieldMinute.textAtLabel": "À", + "xpack.enterpriseSearch.cronEditor.cronHourly.fieldTimeLabel": "Minute", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldDateLabel": "Date", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldHour.textAtLabel": "À", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldTimeLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronMonthly.hourSelectLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronMonthly.minuteSelectLabel": "Minute", + "xpack.enterpriseSearch.cronEditor.cronMonthly.textOnTheLabel": "Le", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldDateLabel": "Jour", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldHour.textAtLabel": "À", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldTimeLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronWeekly.hourSelectLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronWeekly.minuteSelectLabel": "Minute", + "xpack.enterpriseSearch.cronEditor.cronWeekly.textOnLabel": "Le", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDate.textOnTheLabel": "Le", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDateLabel": "Date", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldHour.textAtLabel": "À", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonth.textInLabel": "En", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonthLabel": "Mois", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldTimeLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronYearly.hourSelectLabel": "Heure", + "xpack.enterpriseSearch.cronEditor.cronYearly.minuteSelectLabel": "Minute", + "xpack.enterpriseSearch.cronEditor.day.friday": "vendredi", + "xpack.enterpriseSearch.cronEditor.day.monday": "lundi", + "xpack.enterpriseSearch.cronEditor.day.saturday": "samedi", + "xpack.enterpriseSearch.cronEditor.day.sunday": "dimanche", + "xpack.enterpriseSearch.cronEditor.day.thursday": "jeudi", + "xpack.enterpriseSearch.cronEditor.day.tuesday": "mardi", + "xpack.enterpriseSearch.cronEditor.day.wednesday": "mercredi", + "xpack.enterpriseSearch.cronEditor.fieldFrequencyLabel": "Fréquence", + "xpack.enterpriseSearch.cronEditor.month.april": "avril", + "xpack.enterpriseSearch.cronEditor.month.august": "août", + "xpack.enterpriseSearch.cronEditor.month.december": "décembre", + "xpack.enterpriseSearch.cronEditor.month.february": "février", + "xpack.enterpriseSearch.cronEditor.month.january": "janvier", + "xpack.enterpriseSearch.cronEditor.month.july": "juillet", + "xpack.enterpriseSearch.cronEditor.month.june": "juin", + "xpack.enterpriseSearch.cronEditor.month.march": "mars", + "xpack.enterpriseSearch.cronEditor.month.may": "mai", + "xpack.enterpriseSearch.cronEditor.month.november": "novembre", + "xpack.enterpriseSearch.cronEditor.month.october": "octobre", + "xpack.enterpriseSearch.cronEditor.month.september": "septembre", + "xpack.enterpriseSearch.cronEditor.textEveryLabel": "Chaque", "xpack.enterpriseSearch.curations.settings.licenseUpgradeLink": "En savoir plus sur les mises à niveau incluses dans la licence", "xpack.enterpriseSearch.curations.settings.start30DayTrialButtonLabel": "Démarrer un essai gratuit de 30 jours", + "xpack.enterpriseSearch.descriptionLabel": "Description", "xpack.enterpriseSearch.elasticsearch.features.buildSearchExperiences": "Créer des expériences de recherche personnalisées", "xpack.enterpriseSearch.elasticsearch.features.buildTooling": "Créer des outils personnalisés", "xpack.enterpriseSearch.elasticsearch.features.integrate": "Intégrer à des bases de données, des sites web, etc.", @@ -11652,7 +12532,7 @@ "xpack.enterpriseSearch.elasticsearch.resources.languageClientLabel": "Configurer un client de langage", "xpack.enterpriseSearch.elasticsearch.resources.searchUILabel": "Search UI pour Elasticsearch", "xpack.enterpriseSearch.emailLabel": "E-mail", - "xpack.enterpriseSearch.emptyState.description": "Un index Elasticsearch est l'endroit où est stocké votre contenu. Commencez par créer un index Elasticsearch et sélectionnez une méthode d'ingestion. Les options comprennent le robot d'indexation Elastic, les intégrations de données tierces ou l'utilisation des points de terminaison d'API Elasticsearch.", + "xpack.enterpriseSearch.emptyState.description": "Votre contenu est stocké dans un index Elasticsearch. Commencez par créer un index Elasticsearch et sélectionnez une méthode d'ingestion. Les options comprennent le robot d'indexation Elastic, les intégrations de données tierces ou l'utilisation des points de terminaison d'API Elasticsearch.", "xpack.enterpriseSearch.emptyState.description.line2": "Qu’il s’agisse de créer une expérience de recherche avec App Search ou Elasticsearch, vous pouvez commencer ici.", "xpack.enterpriseSearch.enterpriseSearch.setupGuide.description": "Effectuez des recherches sur tout, partout. Offrez à vos équipes débordées une expérience de recherche innovante et puissante facilement mise en œuvre. Intégrez rapidement une fonction de recherche préréglée à votre site web, à votre application ou à votre lieu de travail. Effectuez des recherches simples sur tout.", "xpack.enterpriseSearch.enterpriseSearch.setupGuide.notConfigured": "Enterprise Search n'est pas encore configuré dans votre instance Kibana.", @@ -11665,8 +12545,25 @@ "xpack.enterpriseSearch.errorConnectingState.troubleshootAuthNative": "Vous devez vous authentifier à l'aide d'une authentification native d'Elasticsearch, de SSO/SAML ou d'OpenID Connect.", "xpack.enterpriseSearch.errorConnectingState.troubleshootAuthSAML": "Si vous utilisez un fournisseur de SSO externe, tel que SAML ou OpenID Connect, votre domaine SAML/OIDC doit également être configuré sur Enterprise Search.", "xpack.enterpriseSearch.hiddenText": "Texte masqué", + "xpack.enterpriseSearch.index.header.cancelSyncsTitle": "Annuler les synchronisations", + "xpack.enterpriseSearch.inferencePipelineCard.action.delete": "Supprimer un pipeline", + "xpack.enterpriseSearch.inferencePipelineCard.action.detach": "Détacher le pipeline", + "xpack.enterpriseSearch.inferencePipelineCard.action.title": "Actions", + "xpack.enterpriseSearch.inferencePipelineCard.action.view": "Afficher dans Gestion de la Suite", + "xpack.enterpriseSearch.inferencePipelineCard.actionButton": "Actions", + "xpack.enterpriseSearch.inferencePipelineCard.deleteConfirm.title": "Supprimer le pipeline", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed": "Échec du déploiement", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed": "Non déployé", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed.fixLink": "Corriger le problème dans les modèles entraînés", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed.tooltip": "Ce modèle entraîné n'est actuellement pas déployé. Visiter la page des modèles déployés pour effectuer des modifications", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.started": "Démarré", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.started.tooltip": "Ce modèle entraîné est en cours d'exécution et totalement disponible", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.starting": "Démarrage", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.starting.tooltip": "Ce modèle entraîné est en cours de démarrage et sera disponible bientôt", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.stopping": "Arrêt", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.stopping.tooltip": "Ce modèle entraîné est en cours de fermeture, il n'est donc pas disponible actuellement", "xpack.enterpriseSearch.inlineEditableTable.newRowButtonLabel": "Nouvelle ligne", - "xpack.enterpriseSearch.integrations.apiDescription": "Ajouter la recherche à votre application avec les API robustes d'App Search.", + "xpack.enterpriseSearch.integrations.apiDescription": "Ajouter la recherche à votre application avec les API robustes d'Elasticsearch.", "xpack.enterpriseSearch.integrations.apiName": "API", "xpack.enterpriseSearch.integrations.buildAConnectorDescription": "Effectuez des recherches sur des données stockées dans des sources de données personnalisées avec Enterprise Search.", "xpack.enterpriseSearch.integrations.buildAConnectorName": "Créer un connecteur", @@ -11675,17 +12572,23 @@ "xpack.enterpriseSearch.licenseCalloutBody": "L'authentification d'Enterprise via SAML, la prise en charge des autorisations de niveau document, les expériences de recherche personnalisées et bien plus encore sont disponibles avec une licence Premium valide.", "xpack.enterpriseSearch.licenseDocumentationLink": "En savoir plus sur les fonctionnalités incluses dans la licence", "xpack.enterpriseSearch.licenseManagementLink": "Gérer votre licence", + "xpack.enterpriseSearch.nameLabel": "Nom", + "xpack.enterpriseSearch.nav.analyticsCollectionsTitle": "Collections", + "xpack.enterpriseSearch.nav.analyticsTitle": "Analyse", "xpack.enterpriseSearch.nav.appSearchTitle": "App Search", + "xpack.enterpriseSearch.nav.contentSettingsTitle": "Paramètres", "xpack.enterpriseSearch.nav.contentTitle": "Contenu", "xpack.enterpriseSearch.nav.elasticsearchTitle": "Elasticsearch", "xpack.enterpriseSearch.nav.enterpriseSearchOverviewTitle": "Aperçu", - "xpack.enterpriseSearch.nav.searchTitle": "Recherche", + "xpack.enterpriseSearch.nav.searchExperiencesTitle": "Expériences de recherche", "xpack.enterpriseSearch.nav.searchIndicesTitle": "Index", + "xpack.enterpriseSearch.nav.searchTitle": "Recherche", "xpack.enterpriseSearch.nav.workplaceSearchTitle": "Workplace Search", "xpack.enterpriseSearch.notFound.action1": "Retour à votre tableau de bord", "xpack.enterpriseSearch.notFound.action2": "Contacter le support technique", "xpack.enterpriseSearch.notFound.description": "Impossible de trouver la page que vous recherchez.", "xpack.enterpriseSearch.notFound.title": "Erreur 404", + "xpack.enterpriseSearch.optionalLabel": "Facultatif", "xpack.enterpriseSearch.overview.createAndManageButton": "Créer et gérer des clés d'API", "xpack.enterpriseSearch.overview.deploymentDetails": "Détails du déploiement", "xpack.enterpriseSearch.overview.deploymentDetails.clientIdLabel": "ID client", @@ -11719,7 +12622,7 @@ "xpack.enterpriseSearch.overview.elasticsearchResources.searchUi": "Search UI pour Elasticsearch", "xpack.enterpriseSearch.overview.elasticsearchResources.title": "Ressources", "xpack.enterpriseSearch.overview.emptyPromptButtonLabel": "Créer un index Elasticsearch", - "xpack.enterpriseSearch.overview.emptyPromptTitle": "Un nouveau début pour la recherche", + "xpack.enterpriseSearch.overview.emptyPromptTitle": "Ajouter des données et démarrer les recherches", "xpack.enterpriseSearch.overview.emptyState.buttonTitle": "Ajouter un contenu dans Enterprise Search", "xpack.enterpriseSearch.overview.emptyState.footerLinkTitle": "En savoir plus", "xpack.enterpriseSearch.overview.emptyState.heading": "Ajouter un contenu dans Enterprise Search", @@ -11755,6 +12658,7 @@ "xpack.enterpriseSearch.overview.productSelector.title": "Des expériences de recherche pour chaque cas d'utilisation", "xpack.enterpriseSearch.overview.searchIndices.image.altText": "Illustration d'index de recherche", "xpack.enterpriseSearch.overview.setupCta.description": "Ajoutez des fonctions de recherche à votre application ou à votre organisation interne avec Elastic App Search et Workplace Search. Regardez la vidéo pour savoir ce qu'il est possible de faire lorsque la recherche est facilitée.", + "xpack.enterpriseSearch.passwordLabel": "Mot de passe", "xpack.enterpriseSearch.productCard.resourcesTitle": "Ressources", "xpack.enterpriseSearch.productSelectorCalloutTitle": "Mettez à niveau pour obtenir des fonctionnalités de niveau entreprise pour votre équipe", "xpack.enterpriseSearch.readOnlyMode.warning": "Enterprise Search est en mode de lecture seule. Vous ne pourrez pas effectuer de changements tels que création, modification ou suppression.", @@ -11843,15 +12747,39 @@ "xpack.enterpriseSearch.schema.errorsTable.link.view": "Afficher", "xpack.enterpriseSearch.schema.fieldNameLabel": "Nom du champ", "xpack.enterpriseSearch.schema.fieldTypeLabel": "Type du champ", + "xpack.enterpriseSearch.searchExperiences.guide.description": "Search UI est une bibliothèque JavaScript qui offre des expériences de recherche exceptionnelles. Étant donné qu'il fonctionne immédiatement avec Elasticsearch, App Search et Workplace Search, vous pouvez donc vous concentrer sur la création de la meilleure expérience possible pour vos utilisateurs, vos clients et vos employés.", + "xpack.enterpriseSearch.searchExperiences.guide.documentationLink": "Visiter la documentation Search UI", + "xpack.enterpriseSearch.searchExperiences.guide.features.1": "Vous savez, pour la recherche. Elastic crée et met à jour Search UI.", + "xpack.enterpriseSearch.searchExperiences.guide.features.2": "Créez une expérience complète de recherche rapidement avec quelques lignes de code.", + "xpack.enterpriseSearch.searchExperiences.guide.features.3": "Search UI est hautement personnalisable et vous permet donc de créer une expérience de recherche parfaite pour vos utilisateurs.", + "xpack.enterpriseSearch.searchExperiences.guide.features.4": "Les recherches, la pagination, le filtrage, et bien plus encore, sont capturés dans l'URL pour une liaison directe des résultats.", + "xpack.enterpriseSearch.searchExperiences.guide.features.5": "Pas uniquement pour React. Utilisez-le avec n'importe quelle bibliothèque JavaScript, même la version de base de JavaScript.", + "xpack.enterpriseSearch.searchExperiences.guide.featuresTitle": "Fonctionnalités", + "xpack.enterpriseSearch.searchExperiences.guide.githubLink": "Search UI sur GitHub", + "xpack.enterpriseSearch.searchExperiences.guide.pageTitle": "Construire une expérience de recherche avec Search UI", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.appSearch.description": "Construisez une expérience de recherche avec App Search et Search UI.", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.elasticsearch.description": "Construisez une expérience de recherche avec Elasticsearch et Search UI.", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.workplaceSearch.description": "Construisez une expérience de recherche avec Workplace Search et Search UI.", + "xpack.enterpriseSearch.searchExperiences.guide.tutorialsTitle": "Démarrez rapidement grâce à un tutoriel", + "xpack.enterpriseSearch.searchExperiences.navTitle": "Expériences de recherche", + "xpack.enterpriseSearch.searchExperiences.productDescription": "Construisez une expérience de recherche attrayante et intuitive sans perdre votre temps à tout réinventer.", + "xpack.enterpriseSearch.searchExperiences.productName": "Enterprise Search", "xpack.enterpriseSearch.server.connectors.configuration.error": "Document introuvable", "xpack.enterpriseSearch.server.connectors.scheduling.error": "Document introuvable", + "xpack.enterpriseSearch.server.connectors.serviceType.error": "Document introuvable", + "xpack.enterpriseSearch.server.routes.addAnalyticsCollection.analyticsCollectionExistsError": "La collection d'analyses existe déjà", + "xpack.enterpriseSearch.server.routes.addAnalyticsCollection.analyticsCollectionNotFoundErrorMessage": "Collection d'analyses introuvable", "xpack.enterpriseSearch.server.routes.addConnector.connectorExistsError": "Le connecteur ou l'index existe déjà", "xpack.enterpriseSearch.server.routes.addCrawler.connectorExistsError": "Un connecteur existe déjà pour cet index", "xpack.enterpriseSearch.server.routes.addCrawler.crawlerExistsError": "Un robot d'indexation existe déjà pour cet index", "xpack.enterpriseSearch.server.routes.addCrawler.indexExistsError": "L'index existe déjà.", + "xpack.enterpriseSearch.server.routes.configData.errorMessage": "Erreur lors de la récupération des données à partir d'Enterprise Search", "xpack.enterpriseSearch.server.routes.createApiIndex.connectorExistsError": "Un connecteur existe déjà pour cet index", "xpack.enterpriseSearch.server.routes.createApiIndex.crawlerExistsError": "Un robot d'indexation existe déjà pour cet index", "xpack.enterpriseSearch.server.routes.createApiIndex.indexExistsError": "L'index existe déjà.", + "xpack.enterpriseSearch.server.routes.indices.mlInference.pipelineProcessors.pipelineIsInUseError": "Le pipeline d'inférence est utilisé dans le pipeline géré \"{pipelineName}\" d'un autre index", + "xpack.enterpriseSearch.server.routes.unauthorizedError": "Vous ne disposez pas d'autorisations suffisantes.", + "xpack.enterpriseSearch.server.routes.uncaughtExceptionError": "Enterprise Search a rencontré une erreur.", "xpack.enterpriseSearch.setupGuide.cloud.step1.instruction1LinkText": "modifier votre déploiement", "xpack.enterpriseSearch.setupGuide.cloud.step1.title": "Modifier la configuration de votre déploiement", "xpack.enterpriseSearch.setupGuide.cloud.step2.instruction1": "Une fois dans l'écran \"Modifier le déploiement\" de votre déploiement, accédez à la configuration Enterprise Search et sélectionnez \"Activer\".", @@ -11870,8 +12798,10 @@ "xpack.enterpriseSearch.shared.flashMessages.defaultErrorMessage": "Une erreur inattendue s'est produite", "xpack.enterpriseSearch.shared.result.expandTooltip.allVisible": "Tous les champs sont visibles", "xpack.enterpriseSearch.shared.unsavedChangesMessage": "Vos modifications n'ont pas été enregistrées. Voulez-vous vraiment quitter ?", + "xpack.enterpriseSearch.technicalPreviewLabel": "Version d'évaluation technique", "xpack.enterpriseSearch.trialCalloutLink": "Découvrez plus d'informations sur les licences de la Suite Elastic.", "xpack.enterpriseSearch.troubleshooting.setup.documentationLinkLabel": "Dépannage de la configuration d'Enterprise Search", + "xpack.enterpriseSearch.typeLabel": "Type", "xpack.enterpriseSearch.units.allDaysLabel": "Tous les jours", "xpack.enterpriseSearch.units.daysLabel": "Jours", "xpack.enterpriseSearch.units.daysOfWeekLabel.friday": "vendredi", @@ -12176,6 +13106,12 @@ "xpack.enterpriseSearch.workplaceSearch.integrations.jiraCloudName": "Jira Cloud", "xpack.enterpriseSearch.workplaceSearch.integrations.jiraServerDescription": "Effectuez des recherches dans le flux de travail de votre projet sur le serveur Jira avec Workplace Search.", "xpack.enterpriseSearch.workplaceSearch.integrations.jiraServerName": "Serveur Jira", + "xpack.enterpriseSearch.workplaceSearch.integrations.mongoDBDescription": "Recherchez dans votre contenu MongoDB avec Enterprise Search.", + "xpack.enterpriseSearch.workplaceSearch.integrations.mongoDBName": "MongoDB", + "xpack.enterpriseSearch.workplaceSearch.integrations.mysqlDescription": "Recherchez dans votre contenu MySQL avec Enterprise Search.", + "xpack.enterpriseSearch.workplaceSearch.integrations.mysqlName": "MySQL", + "xpack.enterpriseSearch.workplaceSearch.integrations.nativeConnectorDescription": "Recherchez dans vos sources de données avec un connecteur Enterprise Search natif.", + "xpack.enterpriseSearch.workplaceSearch.integrations.nativeConnectorName": "Utiliser un connecteur", "xpack.enterpriseSearch.workplaceSearch.integrations.networkDriveDescription": "Effectuez une recherche dans vos fichiers et dossiers stockés sur les lecteurs réseau avec Workplace Search.", "xpack.enterpriseSearch.workplaceSearch.integrations.networkDriveName": "Lecteur réseau", "xpack.enterpriseSearch.workplaceSearch.integrations.onedriveDescription": "Effectuez des recherches dans vos fichiers stockés sur OneDrive avec Workplace Search.", @@ -12596,9 +13532,23 @@ "xpack.fileUpload.maxFileSizeUiSetting.name": "Taille maximale de chargement de fichier", "xpack.fileUpload.noFileNameError": "Nom de fichier non fourni", "xpack.fileUpload.shapefile.sideCarFilePicker.promptText": "Sélectionner fichier \"{ext}\"", + "xpack.fileUpload.smallChunks.switchLabel": "Charger le fichier en morceaux plus petits", + "xpack.fileUpload.smallChunks.tooltip": "Utilisez-le pour réduire les échecs de délai d'expiration des requêtes.", "xpack.fleet.addAgentHelpPopover.popoverBody": "Pour que les intégrations fonctionnent correctement, ajoutez {elasticAgent} à votre hôte pour collecter les données et les envoyer à Elastic Stack. {learnMoreLink}", "xpack.fleet.addIntegration.installAgentStepTitle": "Ces étapes configurent et enregistrent l'agent Elastic Agent dans Fleet afin d'en centraliser la gestion tout en déployant automatiquement les mises à jour. Comme alternative à Fleet, les utilisateurs avancés peuvent exécuter des agents dans {standaloneLink}.", "xpack.fleet.addIntegration.standaloneWarning": "La configuration des intégrations en exécutant Elastic Agent en mode autonome est une opération avancée. Si possible, nous vous conseillons d'utiliser plutôt {link}. ", + "xpack.fleet.agentActivity.completedTitle": "{nbAgents} {agents} {completedText}", + "xpack.fleet.agentActivity.inProgressTitle": "{inProgressText} {nbAgents} {agents} {reassignText}{upgradeText}", + "xpack.fleet.agentActivityFlyout.cancelledDescription": "Annulé le {date}", + "xpack.fleet.agentActivityFlyout.cancelledTitle": "Agent {cancelledText} annulé", + "xpack.fleet.agentActivityFlyout.completedDescription": "Terminé {date}", + "xpack.fleet.agentActivityFlyout.expiredDescription": "Expiré le {date}", + "xpack.fleet.agentActivityFlyout.expiredTitle": "Agent {expiredText} expiré", + "xpack.fleet.agentActivityFlyout.reassignCompletedDescription": "Affecté à {policy}.", + "xpack.fleet.agentActivityFlyout.scheduleTitle": "{nbAgents} agents programmés pour la mise à niveau vers la version {version}", + "xpack.fleet.agentActivityFlyout.startedDescription": "Démarré le {date}", + "xpack.fleet.agentActivityFlyout.upgradeDescription": "{guideLink} concernant les mises à jour de l'agent.", + "xpack.fleet.agentBulkActions.requestDiagnostics": "Demander un diagnostic pour {agentCount, plural, one {# agent} other {# agents}}", "xpack.fleet.agentBulkActions.scheduleUpgradeAgents": "Calendrier de mise à niveau pour {agentCount, plural, one {# agent} other {# agents}}", "xpack.fleet.agentBulkActions.totalAgents": "Affichage {count, plural, one {d'# agent} other {de # agents}}", "xpack.fleet.agentBulkActions.totalAgentsWithLimit": "Affichage de {count} agent(s) sur {total}", @@ -12608,12 +13558,14 @@ "xpack.fleet.agentEnrollment.agentAuthenticationSettings": "{agentPolicyName} a été sélectionnée. Sélectionnez le token d'inscription à utiliser lors de l'inscription des agents.", "xpack.fleet.agentEnrollment.agentsNotInitializedText": "Avant d'enregistrer des agents, {link}.", "xpack.fleet.agentEnrollment.confirmation.title": "{agentCount} {agentCount, plural, one {agent a été enregistré} other {agents ont été enregistrés}}.", + "xpack.fleet.agentEnrollment.instructionstFleetServer": "Un serveur Fleet est nécessaire pour enregistrer des agents avec Fleet. Suivez les instructions ci-après pour configurer un serveur Fleet. Pour en savoir plus, consultez le {userGuideLink}", "xpack.fleet.agentEnrollment.loading.instructions": "Une fois l'agent démarré, la Suite Elastic écoute l'agent et confirme son enregistrement dans Fleet. Si vous rencontrez des problèmes lors de la connexion, consultez {link}.", "xpack.fleet.agentEnrollment.missingFleetHostCalloutText": "L'enregistrement d'agents dans Fleet nécessite l'URL de l'hôte de votre serveur Fleet. Vous pouvez ajouter ces informations dans Paramètres de Fleet. Pour en savoir plus, consultez {link}.", "xpack.fleet.agentEnrollment.stepConfigureAgentDescription": "Copiez cette stratégie dans le fichier {fileName} de l'hôte sur lequel l'agent Elastic Agent est installé. Modifiez {ESUsernameVariable} et {ESPasswordVariable} dans la section {outputSection} du fichier {fileName} pour utiliser vos identifiants de connexion Elasticsearch.", "xpack.fleet.agentEnrollment.stepConfigureAgentDescriptionk8s": "Copiez ou téléchargez le manifeste Kubernetes à l'intérieur du cluster Kubernetes. Mettez à jour les variables d'environnement {ESUsernameVariable} et {ESPasswordVariable} dans le Daemonset pour qu'elles correspondent à vos informations d'identification Elasticsearch.", "xpack.fleet.agentFlyout.managedRadioOption": "{managed} – L'enregistrement d'un agent Elastic Agent dans Fleet permet de centraliser la gestion de ce dernier tout en déployant automatiquement les mises à jour.", "xpack.fleet.agentFlyout.standaloneRadioOption": "{standaloneMessage} – Exécutez un agent Elastic Agent de façon autonome pour le configurer et le mettre à jour manuellement sur l'hôte sur lequel il est installé.", + "xpack.fleet.agentHealth.checkinMessageText": "Dernier message de vérification : {lastCheckinMessage}", "xpack.fleet.agentHealth.checkInTooltipText": "Dernier archivage le {lastCheckIn}", "xpack.fleet.agentList.noFilteredAgentsPrompt": "Agent introuvable. {clearFiltersLink}", "xpack.fleet.agentLogs.logDisabledCallOutDescription": "Mettez à jour la stratégie de l'agent {settingsLink} pour activer la collecte de logs.", @@ -12621,10 +13573,11 @@ "xpack.fleet.agentPolicy.confirmModalCalloutDescription": "Fleet a détecté que la politique d'agent sélectionnée, {policyName}, est déjà en cours d'utilisation par certains de vos agents. Suite à cette action, Fleet déploie les mises à jour de tous les agents qui utilisent cette stratégie.", "xpack.fleet.agentPolicy.confirmModalCalloutTitle": "Cette action met à jour {agentCount, plural, one {# agent} other {# agents}}", "xpack.fleet.agentPolicy.downloadSourcesOptions.defaultOutputText": "Par défaut (actuellement {defaultDownloadSourceName})", + "xpack.fleet.agentPolicy.fleetServerHostsOptions.defaultOutputText": "Par défaut (actuellement {defaultFleetServerHostsName})", "xpack.fleet.agentPolicy.linkedAgentCountText": "{count, plural, one {# agent} other {# agents}}", "xpack.fleet.agentPolicy.outputOptions.defaultOutputText": "Par défaut (actuellement {defaultOutputName})", "xpack.fleet.agentPolicy.postInstallAddAgentModal": "Intégration de {packageName} ajoutée", - "xpack.fleet.agentPolicy.postInstallAddAgentModalDescription": "Pour terminer cette intégration, ajoutez {elasticAgent} à vos hôtes pour collecter les données et les envoyer à Elastic Stack", + "xpack.fleet.agentPolicy.postInstallAddAgentModalDescription": "Pour terminer cette intégration, ajoutez {elasticAgent} à vos hôtes pour collecter les données et les envoyer à la Suite Elastic.", "xpack.fleet.agentPolicyForm.createAgentPolicyTypeOfHosts": "Les types d'hôtes sont contrôlés par une {agentPolicy}. Créez une nouvelle politique d'agent pour commencer.", "xpack.fleet.agentPolicyForm.monitoringDescription": "La collecte des logs de monitoring et des indicateurs créera également une intégration {agent}. Les données de monitoring sont écrites dans l'espace de nom par défaut indiqué ci-dessus.", "xpack.fleet.agentPolicyForm.namespaceFieldDescription": "Les espaces de noms sont des regroupements arbitraires configurables par l'utilisateur qui facilitent la recherche de données et la gestion des autorisations utilisateur. L'espace de nom d'une stratégie permet de nommer les flux de données de son intégration. {fleetUserGuide}.", @@ -12644,6 +13597,8 @@ "xpack.fleet.confirmIncomingDataWithPreview.loading": "Il peut s'écouler quelques minutes avant que les données n'arrivent jusqu'à Elasticsearch. Si vous ne les voyez pas, essayez d'en générer pour vérifier la situation. Si vous rencontrez des problèmes lors de la connexion, consultez {link}.", "xpack.fleet.confirmIncomingDataWithPreview.prePollingInstructions": "Une fois l'agent démarré, la Suite Elastic écoute l'agent et confirme son enregistrement dans Fleet. Si vous rencontrez des problèmes lors de la connexion, consultez {link}.", "xpack.fleet.confirmIncomingDataWithPreview.title": "Les données entrantes reçues de {numAgentsWithData} ont inscrit { numAgentsWithData, plural, one {agent} other {agents}}.", + "xpack.fleet.ConfirmOpenUnverifiedModal.calloutBody": "Cette intégration contient un package non signé à l'authenticité inconnue et est susceptible de contenir des fichiers malveillants. En savoir plus sur {learnMoreLink}.", + "xpack.fleet.ConfirmOpenUnverifiedModal.calloutTitleWithPkg": "Échec de la vérification de l'intégration {pkgName}", "xpack.fleet.copyAgentPolicy.confirmModal.defaultNewPolicyName": "{name} (copie)", "xpack.fleet.createPackagePolicy.multiPageTitle": "Configurer l'intégration de {title}", "xpack.fleet.createPackagePolicy.pageTitleWithPackageName": "Ajouter l'intégration {packageName}", @@ -12653,7 +13608,7 @@ "xpack.fleet.createPackagePolicy.stepConfigure.packagePolicyNamespaceHelpLabel": "Modifiez l'espace de nom par défaut hérité de la stratégie d'agent sélectionnée. Ce paramètre modifie le nom du flux de données de l'intégration. {learnMore}.", "xpack.fleet.createPackagePolicy.stepConfigure.showStreamsAriaLabel": "Afficher les entrées {type}", "xpack.fleet.createPackagePolicy.StepSelectPolicy.agentPolicyAgentsDescriptionText": "{count, plural, one {# agent est enregistré} other {# agents sont enregistrés}} avec la stratégie d'agent sélectionnée.", - "xpack.fleet.currentUpgrade.confirmDescription": "Cette action provoquera l'abandon de la mise à niveau de {nbAgents} agents", + "xpack.fleet.currentUpgrade.confirmDescription": "Cette action provoquera l'abandon de la mise à niveau de {nbAgents, plural, one {# agent} other {# agents}}", "xpack.fleet.debug.agentPolicyDebugger.description": "Recherchez une stratégie d'agent par son nom ou sa valeur {codeId}. Utilisez le bloc de code ci-dessous pour diagnostiquer tout problème potentiel dans la configuration de la stratégie.", "xpack.fleet.debug.dangerZone.description": "Cette page fournit une interface pour traiter directement les problèmes de données sous-jacentes de Fleet et diagnostiquer les problèmes. Notez que ces outils de débogage peuvent être par nature {strongDestructive} et déboucher sur une {strongLossOfData}. Agissez avec prudence.", "xpack.fleet.debug.integrationDebugger.reinstall.error": "Erreur lors de la réinstallation de {integrationTitle}", @@ -12686,8 +13641,10 @@ "xpack.fleet.epm.install.packageInstallError": "Erreur lors de l'installation de {pkgName} {pkgVersion}", "xpack.fleet.epm.install.packageUpdateError": "Erreur lors de la mise à jour de {pkgName} vers la version {pkgVersion}", "xpack.fleet.epm.integrationPreference.title": "Si une intégration est disponible pour {link}, montrer :", + "xpack.fleet.epm.packageDetails.apiReference.description": "Ceci documente tous les flux, entrées et variables disponibles pour utiliser cette intégration par programmation via l'API Fleet Kibana. {learnMore}", "xpack.fleet.epm.packageDetails.integrationList.packageVersion": "v{version}", "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutDescription": "Pour tirer pleinement parti de Fleet, vous devez activer les fonctionnalités de sécurité d’Elasticsearch et de Kibana. Suivez ce {guideLink} pour activer la sécurité.", + "xpack.fleet.epm.prereleaseWarningCalloutTitle": "Il s'agit d'une version préliminaire de l'intégration {packageTitle}.", "xpack.fleet.epm.screenshotAltText": "Capture d'écran n° {imageNumber} de {packageName}", "xpack.fleet.epm.screenshotPaginationAriaLabel": "Pagination des captures d'écran de {packageName}", "xpack.fleet.epm.verificationWarningCalloutIntroText": "Cette intégration contient un package non signé à l'authenticité inconnue. En savoir plus sur {learnMoreLink}.", @@ -12699,6 +13656,7 @@ "xpack.fleet.fleetServerFlyout.generateFleetServerPolicySuccessInstructions": "La politique du serveur Fleet et le token de service ont été générés. Hôte configuré sur {hostUrl}. Vous pouvez modifier les hôtes de votre serveur Fleet dans {fleetSettingsLink}.", "xpack.fleet.fleetServerFlyout.installFleetServerInstructions": "Installez l'agent du serveur Fleet sur un hôte centralisé afin que les autres hôtes que vous souhaitez monitorer puissent s'y connecter. En production, nous recommandons d'utiliser un ou plusieurs hôtes dédiés. Pour une aide supplémentaire, consultez nos {installationLink}.", "xpack.fleet.fleetServerFlyout.instructions": "Un serveur Fleet est nécessaire pour enregistrer des agents avec Fleet. Suivez les instructions ci-après pour configurer un serveur Fleet. Pour en savoir plus, consultez le {userGuideLink}", + "xpack.fleet.fleetServerLanding.instructions": "Un serveur Fleet est nécessaire pour enregistrer des agents avec Fleet. Suivez les instructions ci-après pour configurer un serveur Fleet. Pour en savoir plus, consultez le {userGuideLink}", "xpack.fleet.fleetServerOnPremRequiredCallout.calloutDescription": "Suivez les instructions ci-après pour configurer un serveur Fleet. Pour en savoir plus, consultez le {guideLink}.", "xpack.fleet.fleetServerOnPremUnhealthyCallout.calloutDescription": "Un serveur Fleet intègre est nécessaire pour enregistrer des agents avec Fleet. Pour en savoir plus, consultez le {guideLink}.", "xpack.fleet.fleetServerSetup.addFleetServerHostStepDescription": "Tout d'abord, définissez l'IP public ou le nom d'hôte et le port que les agents utiliseront pour atteindre le serveur Fleet. Par défaut, le port {port} est utilisé. Nous générerons ensuite automatiquement une politique à votre place. ", @@ -12706,6 +13664,7 @@ "xpack.fleet.fleetServerSetup.cloudSetupText": "Un serveur Fleet est nécessaire pour enregistrer des agents avec Fleet. Le moyen le plus simple d’en obtenir un est d’ajouter un serveur d’intégration, qui prend en charge l’intégration du serveur Fleet. Vous pouvez l’ajouter à votre déploiement dans la console cloud. Pour en savoir plus, consultez {link}", "xpack.fleet.fleetServerSetup.deploymentModeProductionOption": "{production} : fournissez vos propres certificats. Cette option demande aux agents de préciser une clé de certificat lors de leur enregistrement avec Fleet", "xpack.fleet.fleetServerSetup.deploymentModeQuickStartOption": "{quickStart} : le serveur Fleet génère un certificat autosigné. Les agents suivants doivent être enregistrés avec l'indicateur --insecure. Non recommandé pour les cas d'utilisation en production.", + "xpack.fleet.fleetServerSetup.getStartedInstructions": "Tout d'abord, définissez l'IP public ou le nom d'hôte et le port que les agents utiliseront pour atteindre le serveur Fleet. Par défaut, le port {port} est utilisé. Nous générerons ensuite automatiquement une politique à votre place.", "xpack.fleet.fleetServerSetupPermissionDeniedErrorMessage": "Le serveur Fleet doit être configuré. Pour cela, le privilège de cluster {roleName} est requis. Contactez votre administrateur.", "xpack.fleet.homeIntegration.tutorialModule.noticeText": "{notePrefix} Une version plus récente de ce module est {availableAsIntegrationLink}. Pour en savoir plus sur les intégrations et le nouvel agent Elastic Agent, lisez notre {blogPostLink}.", "xpack.fleet.integration.settings.versionInfo.updatesAvailableBody": "Passez à la version {latestVersion} pour bénéficier des fonctionnalités les plus récentes.", @@ -12761,6 +13720,10 @@ "xpack.fleet.preconfiguration.packageMissingError": "Impossible d'ajouter [{agentPolicyName}]. [{pkgName}] n'est pas installé. Veuillez ajouter [{pkgName}] à [{packagesConfigValue}] ou le retirer de [{packagePolicyName}].", "xpack.fleet.preconfiguration.packageRejectedError": "Impossible d'ajouter [{agentPolicyName}]. [{pkgName}] n'a pas pu être installé en raison d’une erreur : [{errorMessage}].", "xpack.fleet.preconfiguration.policyDeleted": "La stratégie préconfigurée {id} a été supprimée ; ignorer la création", + "xpack.fleet.requestDiagnostics.confirmMultipleButtonLabel": "Demander un diagnostic pour {count} agents", + "xpack.fleet.requestDiagnostics.fatalErrorNotificationTitle": "Erreur lors de la demande de diagnostic pour {count, plural, one {l'agent} other {les agents}}", + "xpack.fleet.requestDiagnostics.multipleTitle": "Demander un diagnostic pour {count} agents", + "xpack.fleet.requestDiagnostics.readyNotificationTitle": "Diagnostic de l'agent {name} prêt", "xpack.fleet.serverError.agentPolicyDoesNotExist": "La stratégie d'agent {agentPolicyId} n'existe pas", "xpack.fleet.serverError.enrollmentKeyDuplicate": "Une clé d'enregistrement nommée {providedKeyName} existe déjà pour la stratégie d'agent {agentPolicyId}", "xpack.fleet.settings.deleteDowloadSource.agentPolicyCount": "{agentPolicyCount, plural, one {# stratégie d’agent} other {# stratégies d’agent}}", @@ -12774,7 +13737,7 @@ "xpack.fleet.settings.editOutputFlyout.defaultOutputSwitchLabel": "Choisissez cette sortie par défaut pour les {boldAgentIntegrations}.", "xpack.fleet.settings.editOutputFlyout.logstashHostsInputDescription": "Spécifiez les adresses que vos agents utiliseront pour se connecter à Logstash. {guideLink}.", "xpack.fleet.settings.fleetServerHostSectionSubtitle": "Précisez les URL que vos agents doivent utiliser pour se connecter à un serveur Fleet. Si plusieurs URL existent, Fleet affichera la première URL fournie à des fins d'enregistrement. Pour en savoir plus, consultez le {guideLink}.", - "xpack.fleet.settings.fleetServerHostsFlyout.description": "Précisez les URL que vos agents doivent utiliser pour se connecter à un serveur Fleet. Si plusieurs URL existent, Fleet affiche la première URL fournie à des fins d'enregistrement. Le serveur Fleet utilise le port 8220 par défaut. Reportez-vous à {link}.", + "xpack.fleet.settings.fleetServerHostsFlyout.description": "Spécifiez plusieurs URL pour scaler votre déploiement et fournir un basculement automatique. Si plusieurs URL existent, Fleet affiche la première URL fournie à des fins d'enregistrement. Les agents Elastic enregistrés se connecteront aux URL dans l'ordre round-robin jusqu'à la réussite de leur connexion. Pour en savoir plus, consultez {link}.", "xpack.fleet.settings.logstashInstructions.addPipelineStepDescription": "Dans le répertoire de configuration Logstash, ouvrez le fichier {pipelineFile} et ajoutez la configuration suivante. Remplacez le chemin d’accès à votre fichier.", "xpack.fleet.settings.logstashInstructions.description": "Ajoutez une configuration de pipeline Elastic Agent à Logstash pour recevoir les événements du framework Elastic Agent. {documentationLink}.", "xpack.fleet.settings.logstashInstructions.editPipelineStepDescription": "Ensuite, ouvrez le fichier {pipelineConfFile} et insérez le contenu suivant :", @@ -12804,6 +13767,7 @@ "xpack.fleet.upgradeAgents.warningCalloutErrors": "Erreur lors de la mise à niveau de {count, plural, one {l'agent sélectionné} other {{count} agents sélectionnés}}", "xpack.fleet.upgradePackagePolicy.statusCallout.errorContent": "Cette intégration contient des champs conflictuels entre la version {currentVersion} et la version {upgradeVersion}. Vérifiez la configuration, puis enregistrez pour exécuter la mise à niveau. Vous pouvez consulter votre {previousConfigurationLink} pour comparer.", "xpack.fleet.upgradePackagePolicy.statusCallout.successContent": "Cette intégration est prête pour une mise à niveau de la version {currentVersion} vers la version {upgradeVersion}. Vérifiez les modifications ci-après et enregistrez pour effectuer la mise à niveau.", + "xpack.fleet.actionStatus.fetchRequestError": "Une erreur s'est produite lors de la récupération du statut d'action", "xpack.fleet.addAgentButton": "Ajouter un agent", "xpack.fleet.addAgentHelpPopover.documentationLink": "En savoir plus sur Elastic Agent.", "xpack.fleet.addAgentHelpPopover.footActionButton": "Parfait", @@ -12822,6 +13786,19 @@ "xpack.fleet.addIntegration.errorTitle": "Erreur lors de l’ajout de l’intégration", "xpack.fleet.addIntegration.noAgentPolicy": "Erreur lors de la création de la politique d'agent.", "xpack.fleet.addIntegration.switchToManagedButton": "Enregistrer plutôt dans Fleet (recommandé)", + "xpack.fleet.agentActivityButton.tourContent": "Consultez ici et à tout moment l'historique des activités des agents en cours, terminées et planifiées.", + "xpack.fleet.agentActivityButton.tourTitle": "Historique des activités des agents", + "xpack.fleet.agentActivityFlyout.abortUpgradeButtom": "Abandonner la mise à niveau", + "xpack.fleet.agentActivityFlyout.activityLogText": "Le log d'activités des opérations des agents Elastic s'affichera ici.", + "xpack.fleet.agentActivityFlyout.closeBtn": "Fermer", + "xpack.fleet.agentActivityFlyout.failureDescription": " Un problème est survenu lors de cette opération.", + "xpack.fleet.agentActivityFlyout.guideLink": "En savoir plus", + "xpack.fleet.agentActivityFlyout.inProgressTitle": "En cours", + "xpack.fleet.agentActivityFlyout.noActivityDescription": "Le fil d'activités s'affichera ici au fur et à mesure que les agents seront réaffectés, mis à niveau ou désenregistrés.", + "xpack.fleet.agentActivityFlyout.noActivityText": "Aucune activité à afficher", + "xpack.fleet.agentActivityFlyout.scheduledDescription": "Planifié pour ", + "xpack.fleet.agentActivityFlyout.title": "Activité des agents", + "xpack.fleet.agentActivityFlyout.todayTitle": "Aujourd'hui", "xpack.fleet.agentBulkActions.actions": "Actions", "xpack.fleet.agentBulkActions.addRemoveTags": "Ajouter / supprimer des balises", "xpack.fleet.agentBulkActions.agentsSelected": "{count, plural, one {# agent sélectionné} other {# agents sélectionnés} =all {Tous les agents sélectionnés}}", @@ -12836,6 +13813,7 @@ "xpack.fleet.agentDetails.hostNameLabel": "Nom d'hôte", "xpack.fleet.agentDetails.integrationsSectionTitle": "Intégrations", "xpack.fleet.agentDetails.lastActivityLabel": "Dernière activité", + "xpack.fleet.agentDetails.lastCheckinMessageLabel": "Dernier message de vérification", "xpack.fleet.agentDetails.logLevel": "Niveau de logging", "xpack.fleet.agentDetails.monitorLogsLabel": "Logs de monitoring", "xpack.fleet.agentDetails.monitorMetricsLabel": "Indicateurs de monitoring", @@ -12844,6 +13822,7 @@ "xpack.fleet.agentDetails.releaseLabel": "Version de l'agent", "xpack.fleet.agentDetails.statusLabel": "Statut", "xpack.fleet.agentDetails.subTabs.detailsTab": "Détails de l'agent", + "xpack.fleet.agentDetails.subTabs.diagnosticsTab": "Diagnostics", "xpack.fleet.agentDetails.subTabs.logsTab": "Logs", "xpack.fleet.agentDetails.tagsLabel": "Balises", "xpack.fleet.agentDetails.unexceptedErrorTitle": "Erreur lors du chargement de l'agent", @@ -12864,11 +13843,13 @@ "xpack.fleet.agentEnrollment.confirmation.button": "Voir les agents inscrits", "xpack.fleet.agentEnrollment.copyPolicyButton": "Copier dans le presse-papiers", "xpack.fleet.agentEnrollment.downloadDescriptionForK8s": "Copiez ou téléchargez le manifeste Kubernetes.", + "xpack.fleet.agentEnrollment.downloadManifestButtonk8sClicked": "Téléchargé", "xpack.fleet.agentEnrollment.downloadPolicyButton": "Télécharger la politique", "xpack.fleet.agentEnrollment.downloadPolicyButtonk8s": "Télécharger le manifeste", "xpack.fleet.agentEnrollment.enrollFleetTabLabel": "Enregistrer dans Fleet", "xpack.fleet.agentEnrollment.enrollStandaloneTabLabel": "Exécuter de façon autonome", "xpack.fleet.agentEnrollment.fleetSettingsLink": "Paramètres de Fleet", + "xpack.fleet.agentEnrollment.flyoutFleetServerTitle": "Ajouter un serveur Fleet", "xpack.fleet.agentEnrollment.flyoutTitle": "Ajouter un agent", "xpack.fleet.agentEnrollment.kubernetesCommandInstructions": "À partir du répertoire où le manifeste est téléchargé, exécutez la commande Appliquer.", "xpack.fleet.agentEnrollment.loading.listening": "Écoute de l’agent...", @@ -12878,6 +13859,7 @@ "xpack.fleet.agentEnrollment.missingFleetHostCalloutTitle": "URL de l'hôte du serveur Fleet manquante", "xpack.fleet.agentEnrollment.missingFleetHostGuideLink": "Guide de Fleet et d'Elastic Agent", "xpack.fleet.agentEnrollment.setUpAgentsLink": "configurer la gestion centralisée des agents Elastic", + "xpack.fleet.agentEnrollment.setupGuideLink": "Guide de Fleet et d'Elastic Agent", "xpack.fleet.agentEnrollment.standaloneDescription": "Exécutez un agent Elastic Agent de façon autonome pour le configurer et le mettre à jour manuellement sur l'hôte sur lequel il est installé.", "xpack.fleet.agentEnrollment.stepAgentEnrollmentConfirmation": "Confirmer l'enregistrement de l'agent", "xpack.fleet.agentEnrollment.stepAgentEnrollmentConfirmationComplete": "Enregistrement de l'agent confirmé", @@ -12888,6 +13870,7 @@ "xpack.fleet.agentEnrollment.stepConfirmIncomingData.completed": "Données entrantes confirmées", "xpack.fleet.agentEnrollment.stepEnrollAndRunAgentTitle": "Installer l'agent Elastic Agent sur votre hôte", "xpack.fleet.agentEnrollment.stepInstallType": "Enregistrer dans Fleet ?", + "xpack.fleet.agentEnrollment.stepKubernetesApplyManifest": "Exécuter la commande Appliquer", "xpack.fleet.agentFlyout.managedMessage": "Enregistrer dans Fleet (recommandé)", "xpack.fleet.agentFlyout.standaloneMessage": "Exécuter de façon autonome", "xpack.fleet.agentHealth.healthyStatusText": "Intègre", @@ -12902,8 +13885,10 @@ "xpack.fleet.agentList.addFleetServerButton": "Ajouter un serveur Fleet", "xpack.fleet.agentList.addFleetServerButton.tooltip": "Fleet Server est un composant de la suite Elastic utilisé pour la gestion centralisée des agents Elastic", "xpack.fleet.agentList.addRemoveTagsActionText": "Ajouter / supprimer des balises", + "xpack.fleet.agentList.agentActivityButton": "Activité des agents", "xpack.fleet.agentList.agentUpgradeLabel": "Mise à niveau disponible", "xpack.fleet.agentList.clearFiltersLinkText": "Effacer les filtres", + "xpack.fleet.agentList.diagnosticsOneButton": "Demander le .zip de diagnostic", "xpack.fleet.agentList.errorFetchingDataTitle": "Erreur lors de la récupération des agents", "xpack.fleet.agentList.forceUnenrollOneButton": "Forcer le désenregistrement", "xpack.fleet.agentList.hostColumnTitle": "Hôte", @@ -12952,6 +13937,7 @@ "xpack.fleet.agentPolicy.postInstallAddAgentModalCancelButtonLabel": "Ajouter Elastic Agent ultérieurement", "xpack.fleet.agentPolicy.postInstallAddAgentModalConfirmButtonLabel": "Ajouter Elastic Agent à vos hôtes", "xpack.fleet.agentPolicy.saveIntegrationTooltip": "Pour enregistrer la politique d'intégration, vous devez avoir activé la sécurité et disposer du privilège Tout pour les intégrations. Contactez votre administrateur.", + "xpack.fleet.agentPolicyActionMenu.addFleetServerActionText": "Ajouter un serveur Fleet", "xpack.fleet.agentPolicyActionMenu.buttonText": "Actions", "xpack.fleet.agentPolicyActionMenu.copyPolicyActionText": "Dupliquer la politique", "xpack.fleet.agentPolicyActionMenu.enrollAgentActionText": "Ajouter un agent", @@ -12972,6 +13958,8 @@ "xpack.fleet.agentPolicyForm.descriptionFieldPlaceholder": "Description facultative", "xpack.fleet.agentPolicyForm.downloadSourceDescription": "Lorsqu'une action de mise à niveau sera émise, les agents téléchargeront le binaire à partir de cet emplacement.", "xpack.fleet.agentPolicyForm.downloadSourceLabel": "Téléchargement du binaire des agents", + "xpack.fleet.agentPolicyForm.fleetServerHostsDescripton": "Spécifiez avec quel serveur Fleet les agents de cette politique communiqueront.", + "xpack.fleet.agentPolicyForm.fleetServerHostsLabel": "Serveur Fleet", "xpack.fleet.agentPolicyForm.monitoringLabel": "Monitoring des agents", "xpack.fleet.agentPolicyForm.monitoringLogsFieldLabel": "Collecter les logs des agents", "xpack.fleet.agentPolicyForm.monitoringLogsTooltipText": "Collecter les logs des agents Elastic Agent qui utilisent cette stratégie.", @@ -13007,7 +13995,7 @@ "xpack.fleet.agentReassignPolicy.flyoutTitle": "Attribuer une nouvelle stratégie d'agent", "xpack.fleet.agentReassignPolicy.packageBadgeFleetServerWarning": "Le serveur Fleet n'est pas activé en mode autonome.", "xpack.fleet.agentReassignPolicy.selectPolicyLabel": "Politique d'agent", - "xpack.fleet.agentReassignPolicy.successSingleNotificationTitle": "Stratégie d'agent réattribuée", + "xpack.fleet.agentReassignPolicy.successSingleNotificationTitle": "Réaffectation de la politique de l'agent", "xpack.fleet.agentsInitializationErrorMessageTitle": "Impossible d'initialiser la gestion centralisée des agents Elastic Agent", "xpack.fleet.agentStandaloneBottomBar.backButton": "Retour", "xpack.fleet.agentStandaloneBottomBar.viewIncomingDataBtn": "Afficher les données entrantes", @@ -13016,6 +14004,9 @@ "xpack.fleet.agentStatus.offlineLabel": "Hors ligne", "xpack.fleet.agentStatus.unhealthyLabel": "Défectueux", "xpack.fleet.agentStatus.updatingLabel": "Mise à jour", + "xpack.fleet.apiRequestFlyout.description": "Exécuter ces requêtes sur Kibana", + "xpack.fleet.apiRequestFlyout.openFlyoutButton": "Prévisualiser la requête API", + "xpack.fleet.apiRequestFlyout.title": "Requête API Kibana", "xpack.fleet.appNavigation.agentsLinkText": "Agents", "xpack.fleet.appNavigation.dataStreamsLinkText": "Flux de données", "xpack.fleet.appNavigation.enrollmentTokensText": "Jetons d'enregistrement", @@ -13045,6 +14036,7 @@ "xpack.fleet.ConfirmForceInstallModal.confirmButtonLabel": "Installer malgré tout", "xpack.fleet.ConfirmForceInstallModal.learnMoreLink": "signatures des packages", "xpack.fleet.ConfirmForceInstallModal.title": "Installer l’intégration non vérifiée ?", + "xpack.fleet.confirmIncomingData. '": "Afficher les tableaux de bord des indicateurs Kubernetes", "xpack.fleet.confirmIncomingData.APMsubtitle": "Ensuite, installez des agents APM sur vos hôtes pour collecter des données depuis vos applications et services.", "xpack.fleet.confirmIncomingData.installApmAgentButtonText": "Installer l'agent APM", "xpack.fleet.confirmIncomingData.subtitle": "Ensuite, analysez vos données à l'aide de nos ressources d'intégration telles que les vues bien organisées, les tableaux de bord, et bien plus.", @@ -13057,6 +14049,10 @@ "xpack.fleet.confirmIncomingDataStandalone.troubleshootingLink": "guide de résolution des problèmes", "xpack.fleet.confirmIncomingDataWithPreview.listening": "Écoute des données entrantes à partir des agents enregistrés...", "xpack.fleet.confirmIncomingDataWithPreview.previewTitle": "Aperçu des données entrantes :", + "xpack.fleet.ConfirmOpenUnverifiedModal.cancelButtonLabel": "Annuler", + "xpack.fleet.ConfirmOpenUnverifiedModal.confirmButtonLabel": "Afficher quand même", + "xpack.fleet.ConfirmOpenUnverifiedModal.learnMoreLink": "signatures des packages", + "xpack.fleet.ConfirmOpenUnverifiedModal.title": "Afficher l'intégration non vérifiée ?", "xpack.fleet.copyAgentPolicy.confirmModal.cancelButtonLabel": "Annuler", "xpack.fleet.copyAgentPolicy.confirmModal.confirmButtonLabel": "Dupliquer la politique", "xpack.fleet.copyAgentPolicy.confirmModal.copyPolicyPrompt": "Attribuez un nom et ajoutez une description à votre nouvelle stratégie d'agent.", @@ -13066,6 +14062,7 @@ "xpack.fleet.copyAgentPolicy.fatalErrorNotificationTitle": "Erreur lors de la duplication de la stratégie d'agent", "xpack.fleet.copyAgentPolicy.successNotificationTitle": "Stratégie d’agent dupliquée", "xpack.fleet.createAgentPolicy.cancelButtonLabel": "Annuler", + "xpack.fleet.createAgentPolicy.devtoolsRequestDescription": "Cette requête Kibana crée une nouvelle politique d'agent.", "xpack.fleet.createAgentPolicy.errorNotificationTitle": "Impossible de créer une stratégie d'agent", "xpack.fleet.createAgentPolicy.flyoutTitle": "Créer une stratégie d'agent", "xpack.fleet.createAgentPolicy.flyoutTitleDescription": "Les stratégies d'agent permettent de gérer les paramètres dans un groupe d'agents. Vous pouvez ajouter des intégrations à votre stratégie d'agent pour préciser les données que vos agents collectent. Lorsque vous modifiez une stratégie d'agent, vous pouvez utiliser Fleet pour déployer les mises à jour sur un groupe spécifique d'agents.", @@ -13084,6 +14081,8 @@ "xpack.fleet.createPackagePolicy.agentPolicyNameLabel": "Stratégie d'agent", "xpack.fleet.createPackagePolicy.cancelButton": "Annuler", "xpack.fleet.createPackagePolicy.cancelLinkText": "Annuler", + "xpack.fleet.createPackagePolicy.devtoolsRequestDescription": "Cette requête Kibana crée une nouvelle politique de package.", + "xpack.fleet.createPackagePolicy.devtoolsRequestWithAgentPolicyDescription": "Ces requêtes Kibana créent une nouvelle politique d'agent et une nouvelle politique de package.", "xpack.fleet.createPackagePolicy.errorLoadingPackageTitle": "Erreur lors du chargement des informations de pack", "xpack.fleet.createPackagePolicy.errorOnSaveText": "Votre stratégie d'intégration contient des erreurs. Corrigez-les avant de l'enregistrer.", "xpack.fleet.createPackagePolicy.firstAgentPolicyNameText": "Ma première politique d'agent", @@ -13122,6 +14121,7 @@ "xpack.fleet.createPackagePolicyBottomBar.addAnotherIntegration": "Ajouter une autre intégration", "xpack.fleet.createPackagePolicyBottomBar.backButton": "Retour", "xpack.fleet.createPackagePolicyBottomBar.loading": "Chargement...", + "xpack.fleet.createPackagePolicyBottomBar.skipAddAgentButton": "Ajouter une intégration uniquement (ignorer l'installation de l'agent)", "xpack.fleet.currentUpgrade.abortRequestError": "Une erreur s'est produite lors de l'abandon de la mise à niveau", "xpack.fleet.currentUpgrade.confirmTitle": "Abandonner la mise à niveau ?", "xpack.fleet.dataStreamList.actionsColumnTitle": "Actions", @@ -13144,7 +14144,7 @@ "xpack.fleet.debug.agentPolicyDebugger.selectLabel": "Sélectionner une politique d'agent", "xpack.fleet.debug.agentPolicyDebugger.title": "Débogueur de politique d'agent", "xpack.fleet.debug.agentPolicyDebugger.viewAgentPolicyLink": "Afficher la politique d'agent dans l’interface de Fleet", - "xpack.fleet.debug.dangerZone.destructive": "destructive", + "xpack.fleet.debug.dangerZone.destructive": "destructif", "xpack.fleet.debug.dangerZone.lossOfData": "perte de données", "xpack.fleet.debug.fleetIndexDebugger.description": "Rechercher le contenu des index Fleet. Utilisez le bloc de code ci-dessous pour diagnostiquer tout problème potentiel. ", "xpack.fleet.debug.fleetIndexDebugger.fetchError": "Erreur lors de la récupération des données d’index", @@ -13228,12 +14228,14 @@ "xpack.fleet.disabledSecurityDescription": "Vous devez activer Security dans Kibana et Elasticsearch pour utiliser Elastic Fleet.", "xpack.fleet.disabledSecurityTitle": "La fonctionnalité Security n'est pas activée", "xpack.fleet.editAgentPolicy.cancelButtonText": "Annuler", + "xpack.fleet.editAgentPolicy.devtoolsRequestDescription": "Cette requête Kibana met à jour une politique d'agent.", "xpack.fleet.editAgentPolicy.errorNotificationTitle": "Impossible de mettre à jour la stratégie d'agent", "xpack.fleet.editAgentPolicy.saveButtonText": "Enregistrer les modifications", "xpack.fleet.editAgentPolicy.savingButtonText": "Enregistrement en cours…", "xpack.fleet.editAgentPolicy.successNotificationTitle": "Les paramètres de \"{name}\" ont bien été mis à jour", "xpack.fleet.editAgentPolicy.unsavedChangesText": "Des modifications ne sont pas enregistrées", "xpack.fleet.editPackagePolicy.cancelButton": "Annuler", + "xpack.fleet.editPackagePolicy.devtoolsRequestDescription": "Cette requête Kibana met à jour une politique de package.", "xpack.fleet.editPackagePolicy.errorLoadingDataMessage": "Une erreur est survenue lors du chargement des informations de cette intégration", "xpack.fleet.editPackagePolicy.errorLoadingDataTitle": "Erreur lors du chargement des données", "xpack.fleet.editPackagePolicy.failedConflictNotificationMessage": "Les données sont obsolètes. Actualisez la page pour obtenir la stratégie la plus récente.", @@ -13261,9 +14263,13 @@ "xpack.fleet.enrollmentInstructions.callout": "Nous vous recommandons d'utiliser les programmes d'installation (TAR/ZIP) plutôt que les packages de système (RPM/DEB), car ils permettent la mise à niveau de votre agent avec Fleet.", "xpack.fleet.enrollmentInstructions.copyButton": "Copier dans le presse-papiers", "xpack.fleet.enrollmentInstructions.copyButtonClicked": "Copié", + "xpack.fleet.enrollmentInstructions.copyPolicyButton": "Copier dans le presse-papiers", + "xpack.fleet.enrollmentInstructions.copyPolicyButtonClicked": "Copié", "xpack.fleet.enrollmentInstructions.downloadLink": "Page des téléchargements", + "xpack.fleet.enrollmentInstructions.downloadManifestButtonk8s": "Télécharger le manifeste", "xpack.fleet.enrollmentInstructions.installationMessage.link": "documents relatifs à l'installation", "xpack.fleet.enrollmentInstructions.k8sCallout": "Nous recommandons d'ajouter l'intégration Kubernetes à votre politique d'agent afin d'obtenir des indicateurs et des journaux utiles de vos clusters Kubernetes.", + "xpack.fleet.enrollmentInstructions.k8sInstallationMessage": "Le manifeste ci-dessous a été généré automatiquement. Il inclut les informations d'identification de cette instance de l'agent Elastic qui doivent être gérées de façon centrale avec Fleet dès son exécution dans votre cluster Kubernetes.", "xpack.fleet.enrollmentInstructions.platformButtons.kubernetes": "Kubernetes", "xpack.fleet.enrollmentInstructions.platformButtons.linux": "Linux Tar", "xpack.fleet.enrollmentInstructions.platformButtons.linux.deb": "DEB", @@ -13319,6 +14325,7 @@ "xpack.fleet.epm.categoryLabel": "Catégorie", "xpack.fleet.epm.detailsTitle": "Détails", "xpack.fleet.epm.elasticAgentBadgeLabel": "Elastic Agent", + "xpack.fleet.epm.errorLoadingLicense": "Erreur lors du chargement des informations de licence", "xpack.fleet.epm.errorLoadingNotice": "Erreur lors du chargement de NOTICE.txt", "xpack.fleet.epm.featuresLabel": "Fonctionnalités", "xpack.fleet.epm.integrationPreference.beatsLabel": "Beats uniquement", @@ -13327,9 +14334,22 @@ "xpack.fleet.epm.integrationPreference.recommendedTooltip": "Nous recommandons les intégrations Elastic Agent lorsqu’elles sont disponibles.", "xpack.fleet.epm.integrationPreference.titleLink": "Elastic Agent et Beats", "xpack.fleet.epm.licenseLabel": "Licence", + "xpack.fleet.epm.licenseModalCloseBtn": "Fermer", "xpack.fleet.epm.loadingIntegrationErrorTitle": "Erreur lors du chargement des détails de l'intégration", "xpack.fleet.epm.noticeModalCloseBtn": "Fermer", + "xpack.fleet.epm.packageDetails.apiReference.columnKeyName": "Clé", + "xpack.fleet.epm.packageDetails.apiReference.columnMultidName": "Multi", + "xpack.fleet.epm.packageDetails.apiReference.columnRequiredName": "Obligatoire", + "xpack.fleet.epm.packageDetails.apiReference.columnTitleName": "Titre", + "xpack.fleet.epm.packageDetails.apiReference.columnTypeName": "Type", + "xpack.fleet.epm.packageDetails.apiReference.globalVariablesTitle": "Variables de package", + "xpack.fleet.epm.packageDetails.apiReference.inputsTitle": "Entrées", + "xpack.fleet.epm.packageDetails.apiReference.learnMoreLink": "En savoir plus", + "xpack.fleet.epm.packageDetails.apiReference.streamsTitle": "Flux", + "xpack.fleet.epm.packageDetails.apiReference.variableTableTitle": "Variables", "xpack.fleet.epm.packageDetails.assets.assetsNotAvailableInCurrentSpace": "Cette intégration est installée, mais aucune ressource n’est disponible dans cet espace.", + "xpack.fleet.epm.packageDetails.assets.assetsPermissionError": "Vous ne disposez pas d'autorisation pour récupérer l'objet enregistré Kibana pour cette intégration. Contactez votre administrateur.", + "xpack.fleet.epm.packageDetails.assets.assetsPermissionErrorTitle": "Erreurs d'autorisation", "xpack.fleet.epm.packageDetails.assets.fetchAssetsErrorTitle": "Erreur lors du chargement des ressources", "xpack.fleet.epm.packageDetails.assets.noAssetsFoundLabel": "Ressource introuvable", "xpack.fleet.epm.packageDetails.integrationList.actions": "Actions", @@ -13342,6 +14362,7 @@ "xpack.fleet.epm.packageDetails.integrationList.updatedAt": "Dernière mise à jour", "xpack.fleet.epm.packageDetails.integrationList.updatedBy": "Dernière mise à jour par", "xpack.fleet.epm.packageDetails.integrationList.version": "Version", + "xpack.fleet.epm.packageDetailsNav.documentationLinkText": "Référence d'API", "xpack.fleet.epm.packageDetailsNav.overviewLinkText": "Aperçu", "xpack.fleet.epm.packageDetailsNav.packageAssetsLinkText": "Ressources", "xpack.fleet.epm.packageDetailsNav.packageCustomLinkText": "Avancé", @@ -13350,10 +14371,16 @@ "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutDescriptionGuideLink": "guide", "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutTitle": "La sécurité doit être activée pour pouvoir ajouter des intégrations Elastic Agent.", "xpack.fleet.epm.pageSubtitle": "Choisissez une intégration pour commencer à collecter et à analyser vos données.", + "xpack.fleet.epm.prereleaseWarningCalloutSwitchToGAButton": "Basculer vers la dernière version en disponibilité générale", "xpack.fleet.epm.releaseBadge.betaDescription": "Il n'est pas recommandé d'utiliser cette intégration dans les environnements de production.", "xpack.fleet.epm.releaseBadge.betaLabel": "Bêta", + "xpack.fleet.epm.releaseBadge.releaseCandidateDescription": "Il n'est pas recommandé d'utiliser cette intégration dans les environnements de production.", + "xpack.fleet.epm.releaseBadge.releaseCandidateLabel": "Release Candidate", + "xpack.fleet.epm.releaseBadge.technicalPreviewDescription": "Cette fonctionnalité est en version d'évaluation technique et pourra être modifiée ou retirée complètement dans une future version. Elastic s'efforcera au maximum de corriger tout problème, mais les fonctionnalités en version d'évaluation technique ne sont pas soumises aux accords de niveau de service d'assistance des fonctionnalités officielles en disponibilité générale.", + "xpack.fleet.epm.releaseBadge.technicalPreviewLabel": "Version d'évaluation technique", "xpack.fleet.epm.screenshotErrorText": "Impossible de charger cette capture d'écran", "xpack.fleet.epm.screenshotsTitle": "Captures d'écran", + "xpack.fleet.epm.subscriptionLabel": "Abonnement", "xpack.fleet.epm.updateAvailableTooltip": "Mise à jour disponible", "xpack.fleet.epm.usedByLabel": "Stratégies d'agent", "xpack.fleet.epm.verificationWarningCalloutLearnMoreLink": "signatures des packages", @@ -13383,27 +14410,38 @@ "xpack.fleet.fleetServerFlyout.confirmConnectionTitle": "Confirmer la connexion", "xpack.fleet.fleetServerFlyout.connectionSuccessful": "Vous pouvez maintenant continuer à enregistrer les agents avec Fleet.", "xpack.fleet.fleetServerFlyout.continueEnrollingButton": "Continuer à enregistrer Elastic Agent", + "xpack.fleet.fleetServerFlyout.continueFleetServerPolicyButton": "Continuer", "xpack.fleet.fleetServerFlyout.generateFleetServerPolicyButton": "Générer une politique de serveur Fleet", "xpack.fleet.fleetServerFlyout.generateFleetServerPolicySuccessTitle": "Politique de serveur Fleet créée.", "xpack.fleet.fleetServerFlyout.getStartedTitle": "Démarrer avec le serveur Fleet", "xpack.fleet.fleetServerFlyout.installFleetServerTitle": "Installer le serveur Fleet sur un hôte centralisé", "xpack.fleet.fleetServerFlyout.title": "Ajouter un serveur Fleet", + "xpack.fleet.fleetServerLanding.addFleetServerButton": "Ajouter un serveur Fleet", + "xpack.fleet.fleetServerLanding.addFleetServerButton.tooltip": "Fleet Server est un composant de la suite Elastic utilisé pour la gestion centralisée des agents Elastic", + "xpack.fleet.fleetServerLanding.title": "Ajouter un serveur Fleet", "xpack.fleet.fleetServerOnPremRequiredCallout.calloutTitle": "Un serveur Fleet est nécessaire pour enregistrer des agents avec Fleet.", "xpack.fleet.fleetServerOnPremRequiredCallout.guideLink": "Guide de Fleet et d’Elastic Agent", "xpack.fleet.fleetServerOnPremUnhealthyCallout.addFleetServerButtonLabel": "Ajouter un serveur Fleet", "xpack.fleet.fleetServerOnPremUnhealthyCallout.calloutTitle": "Le serveur Fleet n’est pas intègre.", - "xpack.fleet.fleetServerOnPremUnhealthyCallout.guideLink": "Guide de Fleet et d’Elastic Agent", + "xpack.fleet.fleetServerOnPremUnhealthyCallout.guideLink": "Guide de Fleet et d'Elastic Agent", + "xpack.fleet.fleetServerSetup.addFleetServerHostBtn": "Ajouter de nouveaux hôtes de serveur Fleet", "xpack.fleet.fleetServerSetup.addFleetServerHostButton": "Ajouter un hôte", "xpack.fleet.fleetServerSetup.addFleetServerHostStepTitle": "Ajouter l'hôte de votre serveur Fleet", "xpack.fleet.fleetServerSetup.addFleetServerHostSuccessTitle": "Hôte du serveur Fleet ajouté", + "xpack.fleet.fleetServerSetup.calloutTitle": "Diagnostic de l'agent", "xpack.fleet.fleetServerSetup.cloudDeploymentLink": "Modifier le déploiement", "xpack.fleet.fleetServerSetup.cloudSetupTitle": "Activer un serveur Fleet", "xpack.fleet.fleetServerSetup.errorAddingFleetServerHostTitle": "Erreur lors de l'ajout de l'hôte du serveur Fleet", "xpack.fleet.fleetServerSetup.errorGeneratingTokenTitleText": "Erreur lors de la génération du jeton", "xpack.fleet.fleetServerSetup.errorRefreshingFleetServerStatus": "Erreur lors de l'actualisation du statut du serveur Fleet", + "xpack.fleet.fleetServerSetup.fleetServerHostsInputPlaceholder": "Indiquer l’URL de l’hôte", + "xpack.fleet.fleetServerSetup.fleetServerHostsLabel": "Hôtes du serveur Fleet", "xpack.fleet.fleetServerSetup.fleetSettingsLink": "Paramètres de Fleet", "xpack.fleet.fleetServerSetup.generateServiceTokenButton": "Générer un jeton de service", "xpack.fleet.fleetServerSetup.generateServiceTokenDescription": "Un jeton de service accorde au serveur Fleet les autorisations en écriture nécessaires dans Elasticsearch.", + "xpack.fleet.fleetServerSetup.hostUrlLabel": "URL", + "xpack.fleet.fleetServerSetup.nameInputLabel": "Nom", + "xpack.fleet.fleetServerSetup.nameInputPlaceholder": "Indiquer le nom", "xpack.fleet.fleetServerSetup.productionText": "Production", "xpack.fleet.fleetServerSetup.quickStartText": "Démarrage rapide", "xpack.fleet.fleetServerSetup.saveServiceTokenDescription": "Enregistrez les informations de votre jeton de service. Ce message s'affiche une seule fois.", @@ -13418,6 +14456,15 @@ "xpack.fleet.fleetServerSetupPermissionDeniedErrorTitle": "Autorisation refusée", "xpack.fleet.fleetServerUnhealthy.requestError": "Une erreur s’est produite lors de la récupération du statut du serveur Fleet.", "xpack.fleet.genericActionsMenuText": "Ouvrir", + "xpack.fleet.guidedOnboardingTour.agentModalButton.tourDescription": "Afin de poursuivre votre configuration, ajoutez l'agent Elastic à vos hôtes maintenant.", + "xpack.fleet.guidedOnboardingTour.agentModalButton.tourTitle": "Ajouter Elastic Agent", + "xpack.fleet.guidedOnboardingTour.endpointButton.description": "En quelques étapes, configurez vos données avec nos valeurs par défaut recommandées. Vous pourrez les modifier ultérieurement.", + "xpack.fleet.guidedOnboardingTour.endpointButton.title": "Ajouter Elastic Defend", + "xpack.fleet.guidedOnboardingTour.endpointCard.description": "La meilleure façon de transférer des données rapidement dans votre SIEM.", + "xpack.fleet.guidedOnboardingTour.endpointCard.title": "Sélectionner Elastic Defend", + "xpack.fleet.guidedOnboardingTour.kubernetesButton.tourDescription": "En quelques étapes, configurez vos données avec nos valeurs par défaut recommandées. Vous pourrez les modifier ultérieurement.", + "xpack.fleet.guidedOnboardingTour.kubernetesButton.tourTitle": "Ajouter Kubernetes", + "xpack.fleet.guidedOnboardingTour.nextButtonLabel": "Parfait", "xpack.fleet.homeIntegration.tutorialDirectory.fleetAppButtonText": "Tester les intégrations", "xpack.fleet.homeIntegration.tutorialModule.noticeText.blogPostLink": "article de blog d'annonce", "xpack.fleet.homeIntegration.tutorialModule.noticeText.integrationLink": "disponible en tant qu'intégration Elastic Agent", @@ -13488,6 +14535,7 @@ "xpack.fleet.packagePolicyEditor.datastreamMappings.inspectBtn": "Inspecter les mappings", "xpack.fleet.packagePolicyEditor.datastreamMappings.learnMoreLink": "En savoir plus", "xpack.fleet.packagePolicyEditor.datastreamMappings.title": "Mappings", + "xpack.fleet.packagePolicyEditor.experimentalSettings.title": "Paramètres d'indexation (expérimental)", "xpack.fleet.packagePolicyEdotpr.datastreamIngestPipelines.learnMoreLink": "En savoir plus", "xpack.fleet.packagePolicyField.yamlCodeEditor": "Éditeur de code YAML", "xpack.fleet.packagePolicyValidation.boolValueError": "Les valeurs booléennes doivent être définies sur \"true\" ou \"false\".", @@ -13537,6 +14585,14 @@ "xpack.fleet.policyForm.generalSettingsGroupTitle": "Paramètres généraux", "xpack.fleet.renameAgentTags.errorNotificationTitle": "La balise n’a pas pu être renommée", "xpack.fleet.renameAgentTags.successNotificationTitle": "Balise renommée", + "xpack.fleet.requestDiagnostics.calloutText": "Les fichiers de diagnostics sont stockés dans Elasticsearch, et ils peuvent donc engendrer des coûts de stockage. Fleet retirera automatiquement les anciens fichiers de diagnostic au bout de 30 jours.", + "xpack.fleet.requestDiagnostics.cancelButtonLabel": "Annuler", + "xpack.fleet.requestDiagnostics.confirmSingleButtonLabel": "Demander le diagnostic", + "xpack.fleet.requestDiagnostics.description": "Les fichiers de diagnostics sont stockés dans Elasticsearch, et ils peuvent donc engendrer des coûts de stockage. Fleet retirera automatiquement les anciens fichiers de diagnostic au bout de 30 jours.", + "xpack.fleet.requestDiagnostics.errorLoadingUploadsNotificationTitle": "Erreur lors du chargement des fichiers de diagnostics", + "xpack.fleet.requestDiagnostics.generatingText": "Génération du fichier de diagnostic...", + "xpack.fleet.requestDiagnostics.singleTitle": "Demander le diagnostic", + "xpack.fleet.requestDiagnostics.successSingleNotificationTitle": "Demande de diagnostic envoyée", "xpack.fleet.serverError.returnedIncorrectKey": "La commande find enrollmentKeyById a renvoyé une clé erronée", "xpack.fleet.serverError.unableToCreateEnrollmentKey": "Impossible de créer une clé d'API d'enregistrement", "xpack.fleet.serverPlugin.privilegesTooltip": "Tous les espaces sont requis pour l’accès à Fleet.", @@ -13545,6 +14601,10 @@ "xpack.fleet.settings.deleteDowloadSource.confirmModalTitle": "Supprimer et déployer les modifications ?", "xpack.fleet.settings.deleteDownloadSource.confirmButtonLabel": "Supprimer et déployer", "xpack.fleet.settings.deleteDownloadSource.errorToastTitle": "Erreur lors de la suppression de la source du binaire des agents.", + "xpack.fleet.settings.deleteFleetServerHosts.confirmButtonLabel": "Supprimer et déployer les modifications", + "xpack.fleet.settings.deleteFleetServerHosts.confirmModalText": "Cette action modifiera les politiques actuellement enregistrées sur ce serveur Fleet, pour les enregistrer à la place sur votre serveur Fleet par défaut. Voulez-vous vraiment continuer ?", + "xpack.fleet.settings.deleteFleetServerHosts.confirmModalTitle": "Supprimer et déployer les modifications ?", + "xpack.fleet.settings.deleteFleetServerHosts.errorToastTitle": "Erreur lors de la suppression des hôtes du serveur Fleet", "xpack.fleet.settings.deleteOutput.confirmModalTitle": "Supprimer et déployer les modifications ?", "xpack.fleet.settings.deleteOutputs.confirmButtonLabel": "Supprimer et déployer", "xpack.fleet.settings.deleteOutputs.errorToastTitle": "Erreur lors de la suppression de la sortie", @@ -13562,9 +14622,9 @@ "xpack.fleet.settings.downloadSourcesTable.hostColumnTitle": "Hôte", "xpack.fleet.settings.downloadSourcesTable.nameColumnTitle": "Nom", "xpack.fleet.settings.editDownloadSourcesFlyout.cancelButtonLabel": "Annuler", - "xpack.fleet.settings.editDownloadSourcesFlyout.createTitle": "Ajouter un nouvel hôte pour le téléchargement du binaire des agents", + "xpack.fleet.settings.editDownloadSourcesFlyout.createTitle": "Ajouter une nouvelle source de binaire pour les agents", "xpack.fleet.settings.editDownloadSourcesFlyout.defaultSwitchLabel": "Faites de cet hôte l’hôte par défaut pour toutes les politiques d'agent.", - "xpack.fleet.settings.editDownloadSourcesFlyout.editTitle": "Modifier l’hôte de téléchargement du binaire des agents", + "xpack.fleet.settings.editDownloadSourcesFlyout.editTitle": "Modifier la source de binaire pour les agents", "xpack.fleet.settings.editDownloadSourcesFlyout.hostInputLabel": "Hôte", "xpack.fleet.settings.editDownloadSourcesFlyout.hostsInputPlaceholder": "Indiquer l’hôte", "xpack.fleet.settings.editDownloadSourcesFlyout.nameInputLabel": "Nom", @@ -13594,19 +14654,35 @@ "xpack.fleet.settings.editOutputFlyout.typeInputPlaceholder": "Indiquer le type", "xpack.fleet.settings.editOutputFlyout.yamlConfigInputLabel": "Configuration YAML avancée", "xpack.fleet.settings.editOutputFlyout.yamlConfigInputPlaceholder": "Ces # paramètres YAML seront ajoutés à la section de sortie de chaque stratégie d’agent.", + "xpack.fleet.settings.fleetServerHost.nameIsRequiredErrorMessage": "Le nom est obligatoire", + "xpack.fleet.settings.fleetServerHostCreateButtonLabel": "Ajouter un serveur Fleet", "xpack.fleet.settings.fleetServerHostsDifferentPathOrProtocolError": "Le protocole et le chemin doivent être identiques pour chaque URL", "xpack.fleet.settings.fleetServerHostsDuplicateError": "URL en double", "xpack.fleet.settings.fleetServerHostSectionTitle": "Hôtes du serveur Fleet", "xpack.fleet.settings.fleetServerHostsEmptyError": "Au moins une URL est obligatoire", - "xpack.fleet.settings.fleetServerHostsError": "URL non valide", + "xpack.fleet.settings.fleetServerHostsError": "URL non valide (doit être une URL https)", + "xpack.fleet.settings.fleetServerHostsFlyout.addTitle": "Ajouter un serveur Fleet", "xpack.fleet.settings.fleetServerHostsFlyout.cancelButtonLabel": "Annuler", + "xpack.fleet.settings.fleetServerHostsFlyout.confirmModalText": "Cette action mettra à jour les politiques d'agent enregistrées sur ce serveur Fleet. Impossible d'annuler cette action. Voulez-vous vraiment continuer ?", "xpack.fleet.settings.fleetServerHostsFlyout.confirmModalTitle": "Enregistrer et déployer les modifications ?", - "xpack.fleet.settings.fleetServerHostsFlyout.errorToastTitle": "Une erreur est survenue lors de l’enregistrement des paramètres.", + "xpack.fleet.settings.fleetServerHostsFlyout.defaultOutputSwitchLabel": "Faire de ce serveur Fleet le serveur par défaut.", + "xpack.fleet.settings.fleetServerHostsFlyout.editTitle": "Modifier le serveur Fleet", + "xpack.fleet.settings.fleetServerHostsFlyout.errorToastTitle": "Une erreur s'est produite lors de l'enregistrement de l'hôte du serveur Fleet", "xpack.fleet.settings.fleetServerHostsFlyout.fleetServerHostsInputPlaceholder": "Indiquer l’URL de l’hôte", + "xpack.fleet.settings.fleetServerHostsFlyout.hostUrlLabel": "URL", + "xpack.fleet.settings.fleetServerHostsFlyout.nameInputLabel": "Nom", + "xpack.fleet.settings.fleetServerHostsFlyout.nameInputPlaceholder": "Indiquer le nom", "xpack.fleet.settings.fleetServerHostsFlyout.saveButton": "Enregistrer et appliquer les paramètres", - "xpack.fleet.settings.fleetServerHostsFlyout.successToastTitle": "Paramètres enregistrés", + "xpack.fleet.settings.fleetServerHostsFlyout.successToastTitle": "Hôte du serveur Fleet enregistré", "xpack.fleet.settings.fleetServerHostsFlyout.userGuideLink": "Guide de Fleet et d'Elastic Agent", "xpack.fleet.settings.fleetServerHostsRequiredError": "L'URL de l'hôte est requise", + "xpack.fleet.settings.fleetServerHostsTable.actionsColumnTitle": "Actions", + "xpack.fleet.settings.fleetServerHostsTable.defaultColumnTitle": "Par défaut", + "xpack.fleet.settings.fleetServerHostsTable.deleteButtonTitle": "Supprimer", + "xpack.fleet.settings.fleetServerHostsTable.editButtonTitle": "Modifier", + "xpack.fleet.settings.fleetServerHostsTable.hostUrlsColumnTitle": "URL des hôtes", + "xpack.fleet.settings.fleetServerHostsTable.managedTooltip": "L'hôte de ce serveur Fleet est géré en dehors de Fleet. Veuillez vous reporter à votre fichier de configuration Kibana pour en savoir plus.", + "xpack.fleet.settings.fleetServerHostsTable.nameColumnTitle": "Nom", "xpack.fleet.settings.fleetSettingsLink": "En savoir plus", "xpack.fleet.settings.fleetUserGuideLink": "Guide de Fleet et d'Elastic Agent", "xpack.fleet.settings.logstashInstructions.apiKeyStepDescription": "Nous recommandons d'autoriser Logstash à effectuer la sortie vers Elasticsearch avec les privilèges minimum pour Elastic Agent.", @@ -13686,6 +14762,7 @@ "xpack.fleet.upgradeAgents.noVersionsText": "Aucun agent sélectionné ne peut bénéficier d’une mise à niveau. Sélectionnez un ou plusieurs agents éligibles.", "xpack.fleet.upgradeAgents.scheduleUpgradeMultipleTitle": "Planifier la mise à niveau pour {count, plural, one {l'agent} other {{count} agents} =true {tous les agents sélectionnés}}", "xpack.fleet.upgradeAgents.startTimeLabel": "Date et heure sélectionnées", + "xpack.fleet.upgradeAgents.successNotificationTitle": "Mise à niveau des agents", "xpack.fleet.upgradeAgents.upgradeMultipleTitle": "Mettre à niveau {count, plural, one {l'agent} other {{count} agents} =true {tous les agents sélectionnés}}", "xpack.fleet.upgradeAgents.upgradeSingleTitle": "Mettre à niveau l'agent", "xpack.fleet.upgradePackagePolicy.pageDescriptionFromUpgrade": "Mettre à niveau cette intégration et déployer les modifications sur la stratégie d'agent sélectionnée", @@ -13704,7 +14781,7 @@ "xpack.globalSearchBar.searchBar.noResultsHeading": "Résultat introuvable", "xpack.globalSearchBar.searchBar.noResultsImageAlt": "Illustration d'un trou noir", "xpack.globalSearchBar.searchBar.optionTagListAriaLabel": "Balises", - "xpack.globalSearchBar.searchBar.placeholder": "Cherchez des applications, du contenu, et plus encore. Ex : Découverte", + "xpack.globalSearchBar.searchBar.placeholder": "Cherchez des applications, du contenu, et plus encore.", "xpack.globalSearchBar.searchBar.shortcutDescription.macCommandDescription": "Commande + /", "xpack.globalSearchBar.searchBar.shortcutDescription.shortcutInstructionDescription": "Raccourci", "xpack.globalSearchBar.searchBar.shortcutDescription.windowsCommandDescription": "Contrôle + /", @@ -13809,7 +14886,11 @@ "xpack.graph.icon.tachometer": "Tachymètre", "xpack.graph.icon.user": "Utilisateur", "xpack.graph.icon.users": "Utilisateurs", - "xpack.graph.leaveWorkspace.confirmButtonLabel": "Quitter", + "xpack.graph.inspectAdapter.graphExploreRequest.dataView.description": "La vue de données qui se connecte aux index Elasticsearch.", + "xpack.graph.inspectAdapter.graphExploreRequest.dataView.description.label": "Vue de données", + "xpack.graph.inspectAdapter.graphExploreRequest.description": "Cette requête interroge Elasticsearch afin de récupérer les données pour le graphique.", + "xpack.graph.inspectAdapter.graphExploreRequest.name": "Données", + "xpack.graph.leaveWorkspace.confirmButtonLabel": "Quitter quand même", "xpack.graph.leaveWorkspace.confirmText": "Si vous quittez maintenant, vous perdez les modifications non enregistrées.", "xpack.graph.leaveWorkspace.modalTitle": "Modifications non enregistrées", "xpack.graph.legacyUrlConflict.objectNoun": "Graph", @@ -13866,6 +14947,7 @@ "xpack.graph.settings.advancedSettings.timeoutInputLabel": "Délai d'expiration", "xpack.graph.settings.advancedSettings.timeoutUnit": "ms", "xpack.graph.settings.advancedSettingsTitle": "Paramètres avancés", + "xpack.graph.settings.ariaLabel": "Paramètres", "xpack.graph.settings.blocklist.blocklistHelpText": "Ces termes ne sont pas autorisés dans le graphe.", "xpack.graph.settings.blocklist.clearButtonLabel": "Tout supprimer", "xpack.graph.settings.blocklistTitle": "Liste rouge", @@ -13878,6 +14960,7 @@ "xpack.graph.settings.drillDowns.removeButtonLabel": "Retirer", "xpack.graph.settings.drillDowns.resetButtonLabel": "Réinitialiser", "xpack.graph.settings.drillDowns.toolbarIconPickerLabel": "Icône de la barre d'outils", + "xpack.graph.settings.drillDowns.toolbarIconPickerSelectionAriaLabel": "Sélection de l'icône de la barre d'outils", "xpack.graph.settings.drillDowns.updateSaveButtonLabel": "Mettre à jour l'exploration", "xpack.graph.settings.drillDowns.urlDescriptionInputLabel": "Titre", "xpack.graph.settings.drillDowns.urlDescriptionInputPlaceholder": "Rechercher sur Google", @@ -13920,6 +15003,7 @@ "xpack.graph.templates.addLabel": "Nouvelle exploration", "xpack.graph.templates.newTemplateFormLabel": "Ajouter une exploration", "xpack.graph.topNavMenu.inspectAriaLabel": "Inspecter", + "xpack.graph.topNavMenu.inspectButton.disabledTooltip": "Effectuer une recherche ou développer un nœud pour activer l'inspection", "xpack.graph.topNavMenu.inspectLabel": "Inspecter", "xpack.graph.topNavMenu.newWorkspaceAriaLabel": "Nouvel espace de travail", "xpack.graph.topNavMenu.newWorkspaceLabel": "Nouveau", @@ -15018,6 +16102,9 @@ "xpack.indexLifecycleMgmt.editPolicy.deletePhase.customPolicyMessage": "Saisissez le nom d'une stratégie de snapshot existante ou {link} avec ce nom.", "xpack.indexLifecycleMgmt.editPolicy.deletePhase.noPoliciesCreatedMessage": "{link} pour automatiser la création et la suppression de snapshots de clusters.", "xpack.indexLifecycleMgmt.editPolicy.dependenciesMessage": " Toutes les modifications que vous apportez concernent {dependenciesLinks} qui {count, plural, one {est lié} other {sont liés}} à cette stratégie.", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalColdPhaseHotError": "Doit être supérieur à la valeur de phase \"hot\" ({value}) et un multiple de cette valeur", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalColdPhaseWarmError": "Doit être supérieur à la valeur de phase \"warm\" ({value}) et un multiple de cette valeur", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalWarmPhaseError": "Doit être supérieur à la valeur de phase \"hot\" ({value}) et un multiple de cette valeur", "xpack.indexLifecycleMgmt.editPolicy.editPolicyMessage": "Modifier la stratégie {originalPolicyName}", "xpack.indexLifecycleMgmt.editPolicy.frozenPhase.partiallyMountedSearchableSnapshotField.description": "Conversion en index partiellement installé avec mise en cache des métadonnées de l'index. Les données sont récupérées à partir du snapshot au besoin pour traiter les demandes de recherche. Cette action minimise l'empreinte de l'index, tout en conservant le caractère entièrement interrogeable de vos données. {learnMoreLink}", "xpack.indexLifecycleMgmt.editPolicy.fullyMountedSearchableSnapshotField.description": "Conversion en index entièrement installé qui contient une copie complète de vos données et qui est sauvegardé dans un snapshot. Vous pouvez réduire le nombre de répliques et vous fier au snapshot en matière de résilience. {learnMoreLink}", @@ -15069,6 +16156,9 @@ "xpack.indexLifecycleMgmt.deprecations.enabled.manualStepTwoMessage": "Remplacez le paramètre \"xpack.ilm.enabled\" par \"xpack.ilm.ui.enabled\".", "xpack.indexLifecycleMgmt.deprecations.enabledMessage": "Pour empêcher les utilisateurs d'accéder à l'interface utilisateur des stratégies de cycle de vie des index, utilisez le paramètre \"xpack.ilm.ui.enabled\" au lieu de \"xpack.ilm.enabled\".", "xpack.indexLifecycleMgmt.deprecations.enabledTitle": "Le paramètre \"xpack.ilm.enabled\" est déclassé", + "xpack.indexLifecycleMgmt.downsampleFieldLabel": "Activer le sous-échantillonnage", + "xpack.indexLifecycleMgmt.downsampleIntervalFieldLabel": "Intervalle de sous-échantillonnage", + "xpack.indexLifecycleMgmt.downsampleIntervalFieldUnitsLabel": "Unités d'intervalle de sous-échantillonnage", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.bytesLabel": "octets", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.gigabytesLabel": "gigaoctets", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.kilobytesLabel": "kilobytes", @@ -15122,6 +16212,8 @@ "xpack.indexLifecycleMgmt.editPolicy.deletePhase.waitForSnapshotTitle": "Attendre la stratégie de snapshot", "xpack.indexLifecycleMgmt.editPolicy.differentPolicyNameRequiredError": "Le nom de la stratégie doit être différent.", "xpack.indexLifecycleMgmt.editPolicy.documentationLinkText": "Documentation", + "xpack.indexLifecycleMgmt.editPolicy.downsampleDescription": "Cumulez les documents d'un intervalle fixe dans un document récapitulatif unique. Cela réduit l'empreinte de l'index en stockant des données temporelles à une granularité réduite.", + "xpack.indexLifecycleMgmt.editPolicy.downsampleTitle": "Sous-échantillonner", "xpack.indexLifecycleMgmt.editPolicy.editingExistingPolicyMessage": "Vous modifiez une stratégie existante.", "xpack.indexLifecycleMgmt.editPolicy.errors.integerRequiredError": "Seuls les entiers sont autorisés.", "xpack.indexLifecycleMgmt.editPolicy.errors.maximumAgeMissingError": "Âge maximum obligatoire.", @@ -15206,6 +16298,7 @@ "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.repositoryHelpText": "Chaque phase utilise le même référentiel de snapshot.", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.storageHelpText": "Type de snapshot installé pour le snapshot qu’il est possible de rechercher. Il s'agit d'une option avancée. Ne la modifiez que si vous savez ce que vous faites.", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.storageLabel": "Stockage", + "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotCalloutBody": "Les actions Forcer la fusion, Réduire, Sous-échantillonner et Lecture seule ne sont pas autorisées lors de la conversion des données en index entièrement installé dans cette phase.", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotLicenseCalloutBody": "Licence Enterprise obligatoire pour créer un snapshot qu’il est possible de rechercher.", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotLicenseCalloutTitle": "Licence Enterprise requise", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotRepoFieldLabel": "Référentiel de snapshot", @@ -15368,6 +16461,7 @@ "xpack.infra.deprecations.tiebreakerAdjustIndexing": "Ajustez votre indexation pour utiliser \"{field}\" comme moyen de départager.", "xpack.infra.deprecations.timestampAdjustIndexing": "Ajustez votre indexation pour utiliser \"{field}\" comme horodatage.", "xpack.infra.homePage.toolbar.showingLastOneMinuteDataText": "Dernières {duration} de données pour l'heure sélectionnée", + "xpack.infra.hostsTable.errorOnCreateOrLoadDataview": "Une erreur s'est produite lors du chargement ou de la création de la vue de données : {metricAlias}", "xpack.infra.inventoryTimeline.header": "{metricLabel} moyen", "xpack.infra.kibanaMetrics.cloudIdMissingErrorMessage": "Le modèle de {metricId} nécessite un cloudId, mais aucun n'a été attribué à {nodeId}.", "xpack.infra.kibanaMetrics.invalidInfraMetricErrorMessage": "{id} n'est pas une valeur inframétrique valide", @@ -15415,7 +16509,6 @@ "xpack.infra.logSourceConfiguration.missingDataViewsLabel": "Vue de données {indexPatternId} manquante", "xpack.infra.logSourceConfiguration.missingMessageFieldErrorMessage": "La vue de données doit contenir un champ {messageField}.", "xpack.infra.logSourceErrorPage.savedObjectNotFoundErrorMessage": "Impossible de localiser ce {savedObjectType} : {savedObjectId}", - "xpack.infra.metricDetailPage.documentTitleError": "Oups", "xpack.infra.metrics.alertFlyout.alertPerRedundantFilterError": "Il est possible que cette règle signale {matchedGroups} moins que prévu, car la requête de filtre comporte une correspondance pour {groupCount, plural, one {ce champ} other {ces champs}}. Pour en savoir plus, veuillez consulter {filteringAndGroupingLink}.", "xpack.infra.metrics.alertFlyout.ofExpression.helpTextDetail": "Vous ne trouvez pas d'indicateur ? {documentationLink}.", "xpack.infra.metrics.alerting.anomaly.summaryHigher": "{differential} x plus élevé", @@ -15508,6 +16601,7 @@ "xpack.infra.analysisSetup.steps.setupProcess.viewResultsButton": "Afficher les résultats", "xpack.infra.analysisSetup.timeRangeDescription": "Par défaut, le Machine Learning analyse les messages de logs dans vos index de logs n'excédant pas quatre semaines et continue indéfiniment. Vous pouvez spécifier une date de début, de fin ou les deux différente.", "xpack.infra.analysisSetup.timeRangeTitle": "Choisir une plage temporelle", + "xpack.infra.appName": "Logs Infra", "xpack.infra.chartSection.missingMetricDataBody": "Les données de ce graphique sont manquantes.", "xpack.infra.chartSection.missingMetricDataText": "Données manquantes", "xpack.infra.chartSection.notEnoughDataPointsToRenderText": "Points de données insuffisants pour afficher le graphique, essayez d'augmenter la plage temporelle.", @@ -15571,6 +16665,7 @@ "xpack.infra.hideHistory": "Masquer l'historique", "xpack.infra.homePage.inventoryTabTitle": "Inventory", "xpack.infra.homePage.metricsExplorerTabTitle": "Metrics Explorer", + "xpack.infra.homePage.metricsHostsTabTitle": "Hôtes", "xpack.infra.homePage.noMetricsIndicesInstructionsActionLabel": "Voir les instructions de configuration", "xpack.infra.homePage.settingsTabTitle": "Paramètres", "xpack.infra.homePage.toolbar.kqlSearchFieldPlaceholder": "Rechercher des données d'infrastructure… (par exemple host.name:host-1)", @@ -15579,13 +16674,13 @@ "xpack.infra.hostsPage.giveFeedbackLink": "Donner un retour", "xpack.infra.hostsTable.averageMemoryTotalColumnHeader": "Total de la mémoire (moy.)", "xpack.infra.hostsTable.averageMemoryUsageColumnHeader": "Utilisation de la mémoire (moy.)", - "xpack.infra.hostsTable.averageRxColumnHeader": "", - "xpack.infra.hostsTable.averageTxColumnHeader": "", - "xpack.infra.hostsTable.diskLatencyColumnHeader": "", + "xpack.infra.hostsTable.averageRxColumnHeader": "RX (moy.)", + "xpack.infra.hostsTable.averageTxColumnHeader": "TX (moy.)", + "xpack.infra.hostsTable.diskLatencyColumnHeader": "Latence du disque (moy.)", "xpack.infra.hostsTable.nameColumnHeader": "Nom", "xpack.infra.hostsTable.numberOfCpusColumnHeader": "Nombre de processeurs", "xpack.infra.hostsTable.operatingSystemColumnHeader": "Système d'exploitation", - "xpack.infra.hostsTable.servicesOnHostColumnHeader": "", + "xpack.infra.hostsTable.servicesOnHostColumnHeader": "Services sur l'hôte", "xpack.infra.infra.nodeDetails.apmTabLabel": "APM", "xpack.infra.infra.nodeDetails.createAlertLink": "Créer une règle d'inventaire", "xpack.infra.infra.nodeDetails.openAsPage": "Ouvrir en tant que page", @@ -15831,6 +16926,8 @@ "xpack.infra.logsPage.noLoggingIndicesInstructionsActionLabel": "Voir les instructions de configuration", "xpack.infra.logsPage.noLoggingIndicesTitle": "Il semble que vous n'avez aucun index de logging.", "xpack.infra.logsPage.toolbar.kqlSearchFieldPlaceholder": "Recherche d'entrées de log… (par ex. host.name:host-1)", + "xpack.infra.logsPage.toolbar.logFilterErrorToastTitle": "Erreur de filtrage du log", + "xpack.infra.logsPage.toolbar.logFilterUnsupportedLanguageError": "SQL n'est pas pris en charge", "xpack.infra.logStream.kqlErrorTitle": "Expression KQL non valide", "xpack.infra.logStream.unknownErrorTitle": "Une erreur s'est produite", "xpack.infra.logStreamEmbeddable.description": "Ajoutez un tableau de logs de diffusion en direct.", @@ -15872,6 +16969,7 @@ "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.memoryUsageSeriesLabel": "Utilisation mémoire", "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.outboundTXSeriesLabel": "Sortant (TX)", "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.sectionLabel": "Aperçu conteneur", + "xpack.infra.metricDetailPage.documentTitleError": "Oups", "xpack.infra.metricDetailPage.ec2MetricsLayout.cpuUsageSection.sectionLabel": "Utilisation CPU", "xpack.infra.metricDetailPage.ec2MetricsLayout.diskIOBytesSection.readLabel": "lit", "xpack.infra.metricDetailPage.ec2MetricsLayout.diskIOBytesSection.sectionLabel": "ES sur le disque (octets)", @@ -16015,6 +17113,7 @@ "xpack.infra.metrics.alertFlyout.removeCondition": "Retirer la condition", "xpack.infra.metrics.alertFlyout.removeWarningThreshold": "Retirer le seuil d'avertissement", "xpack.infra.metrics.alertFlyout.warningThreshold": "Avertissement", + "xpack.infra.metrics.alerting.alertDetailUrlActionVariableDescription": "Liaison vers la vue dans Elastic qui affiche davantage de détails et de contexte concernant cette alerte", "xpack.infra.metrics.alerting.alertStateActionVariableDescription": "État actuel de l'alerte", "xpack.infra.metrics.alerting.anomaly.defaultActionMessage": "\\{\\{alertName\\}\\} est à l'état \\{\\{context.alertState\\}\\}\n\n\\{\\{context.metric\\}\\} était \\{\\{context.summary\\}\\} que la normale à \\{\\{context.timestamp\\}\\}\n\nValeur typique : \\{\\{context.typical\\}\\}\nValeur réelle : \\{\\{context.actual\\}\\}\n", "xpack.infra.metrics.alerting.anomaly.fired": "Déclenché", @@ -16028,12 +17127,18 @@ "xpack.infra.metrics.alerting.anomalySummaryDescription": "Description de l'anomalie, par ex. \"2 x plus élevé.\"", "xpack.infra.metrics.alerting.anomalyTimestampDescription": "Horodatage du moment où l'anomalie a été détectée.", "xpack.infra.metrics.alerting.anomalyTypicalDescription": "Valeur typique de l'indicateur monitoré au moment de l'anomalie.", + "xpack.infra.metrics.alerting.cloudActionVariableDescription": "Objet cloud défini par ECS s'il est disponible dans la source.", + "xpack.infra.metrics.alerting.containerActionVariableDescription": "Objet conteneur défini par ECS s'il est disponible dans la source.", "xpack.infra.metrics.alerting.groupActionVariableDescription": "Nom des données de reporting du groupe", + "xpack.infra.metrics.alerting.hostActionVariableDescription": "Objet hôte défini par ECS s'il est disponible dans la source.", "xpack.infra.metrics.alerting.inventory.noDataFormattedValue": "[AUCUNE DONNÉE]", "xpack.infra.metrics.alerting.inventory.threshold.defaultActionMessage": "\\{\\{alertName\\}\\} - \\{\\{context.group\\}\\} est à l'état \\{\\{context.alertState\\}\\}\n\nRaison :\n\\{\\{context.reason\\}\\}\n", "xpack.infra.metrics.alerting.inventory.threshold.fired": "Alerte", + "xpack.infra.metrics.alerting.labelsActionVariableDescription": "Liste d'étiquettes associées avec l'entité sur laquelle l'alerte s'est déclenchée.", "xpack.infra.metrics.alerting.metricActionVariableDescription": "Nom de l'indicateur dans la condition spécifiée. Utilisation : (ctx.metric.condition0, ctx.metric.condition1, etc...).", + "xpack.infra.metrics.alerting.orchestratorActionVariableDescription": "Objet orchestrateur défini par ECS s'il est disponible dans la source.", "xpack.infra.metrics.alerting.reasonActionVariableDescription": "Une description concise de la raison du signalement", + "xpack.infra.metrics.alerting.tagsActionVariableDescription": "Liste de balises associées avec l'entité sur laquelle l'alerte s'est déclenchée.", "xpack.infra.metrics.alerting.threshold.aboveRecovery": "supérieur à", "xpack.infra.metrics.alerting.threshold.alertState": "ALERTE", "xpack.infra.metrics.alerting.threshold.belowRecovery": "inférieur à", @@ -16051,13 +17156,14 @@ "xpack.infra.metrics.alerting.thresholdActionVariableDescription": "Valeur de seuil de l'indicateur pour la condition spécifiée. Utilisation : (ctx.threshold.condition0, ctx.threshold.condition1, etc...).", "xpack.infra.metrics.alerting.timestampDescription": "Horodatage du moment où l'alerte a été détectée.", "xpack.infra.metrics.alerting.valueActionVariableDescription": "Valeur de l'indicateur dans la condition spécifiée. Utilisation : (ctx.value.condition0, ctx.value.condition1, etc...).", - "xpack.infra.metrics.alerting.viewInAppUrlActionVariableDescription": "Lien vers la vue ou la fonctionnalité d'Elastic qui peut être utilisée pour examiner l'alerte et son contexte de manière plus approfondie", + "xpack.infra.metrics.alerting.viewInAppUrlActionVariableDescription": "Lien vers la vue ou fonctionnalité dans Elastic qui peut aider à poursuivre l'investigation", "xpack.infra.metrics.alertName": "Seuil de l'indicateur", "xpack.infra.metrics.anomaly.alertFlyout.alertDescription": "Alerte lorsque le score d'anomalie dépasse un seuil défini.", "xpack.infra.metrics.anomaly.alertName": "Anomalie d'infrastructure", "xpack.infra.metrics.emptyViewDescription": "Essayez d'ajuster vos heures ou votre filtre.", "xpack.infra.metrics.emptyViewTitle": "Il n'y a aucune donnée à afficher.", "xpack.infra.metrics.expressionItems.components.closablePopoverTitle.closeLabel": "Fermer", + "xpack.infra.metrics.hostsTitle": "Hôtes", "xpack.infra.metrics.invalidNodeErrorDescription": "Revérifiez votre configuration", "xpack.infra.metrics.inventory.alertFlyout.alertDescription": "Alerte lorsque l'inventaire dépasse un seuil défini.", "xpack.infra.metrics.inventory.alertName": "Inventaire", @@ -16144,6 +17250,7 @@ "xpack.infra.metricsHeaderAddDataButtonLabel": "Ajouter des données", "xpack.infra.metricsTable.container.averageCpuUsagePercentColumnHeader": "Utilisation CPU (moy.)", "xpack.infra.metricsTable.container.averageMemoryUsageMegabytesColumnHeader": "Utilisation de la mémoire (moy.)", + "xpack.infra.metricsTable.container.idColumnHeader": "Id", "xpack.infra.metricsTable.container.paginationAriaLabel": "Pagination des indicateurs de conteneur", "xpack.infra.metricsTable.container.tableCaption": "Indicateurs d’infrastructure pour les conteneurs", "xpack.infra.metricsTable.emptyIndicesPromptQueryHintDescription": "Essayez de rechercher une autre combinaison de termes.", @@ -17162,6 +18269,7 @@ "xpack.lens.editorFrame.expressionFailureMessageWithContext": "Erreur de requête : {type}, {reason} dans {context}", "xpack.lens.editorFrame.expressionMissingDataView": "{count, plural, one {Vue de données introuvable} other {Vues de données introuvables}} : {ids}.", "xpack.lens.editorFrame.requiresTwoOrMoreFieldsWarningLabel": "Nécessite des champs {requiredMinDimensionCount}.", + "xpack.lens.editorFrame.tooManyDimensionsSingularWarningLabel": "Veuillez retirer {dimensionsTooMany, plural, one {une dimension} other {{dimensionsTooMany} dimensions}}", "xpack.lens.formula.optionalArgument": "Facultatif. La valeur par défaut est {defaultValue}", "xpack.lens.formulaErrorCount": "{count} {count, plural, one {erreur} other {erreurs}}", "xpack.lens.formulaWarningCount": "{count} {count, plural, one {avertissement} other {avertissements}}", @@ -17169,6 +18277,7 @@ "xpack.lens.heatmapVisualization.arrayValuesWarningMessage": "{label} contient des valeurs de tableau. Le rendu de votre visualisation peut ne pas se présenter comme attendu.", "xpack.lens.indexPattern.addColumnAriaLabel": "Ajouter ou glisser-déposer un champ dans {groupLabel}", "xpack.lens.indexPattern.addColumnAriaLabelClick": "Ajouter une annotation à {groupLabel}", + "xpack.lens.indexPattern.annotationsDimensionEditorLabel": "Annotation {groupLabel}", "xpack.lens.indexPattern.ascendingCountPrecisionErrorWarning": "{name} pour cette visualisation peut être approximatif en raison de la manière dont les données sont indexées. Essayez de trier par rareté plutôt que par nombre ascendant d’enregistrements. Pour en savoir plus sur cette limitation, {link}.", "xpack.lens.indexPattern.autoIntervalLabel": "Auto ({interval})", "xpack.lens.indexPattern.avgOf": "Moyenne de {name}", @@ -17177,7 +18286,7 @@ "xpack.lens.indexPattern.cardinalityOf": "Compte unique de {name}", "xpack.lens.indexPattern.CounterRateOf": "Taux de compteur de {name}", "xpack.lens.indexPattern.cumulativeSumOf": "Somme cumulée de {name}", - "xpack.lens.indexPattern.dateHistogram.autoLongerExplanation": "Pour choisir l'intervalle, Lens divise la plage temporelle spécifiée par le paramètre {targetBarSetting}. Lens calcule le meilleur intervalle pour vos données. Par exemple 30m, 1h et 12. Le nombre maximal de barres est défini par la valeur {maxBarSetting}.", + "xpack.lens.indexPattern.dateHistogram.autoLongerExplanation": "Pour choisir l'intervalle, Lens divise la plage temporelle spécifiée par le paramètre avancé {targetBarSetting} et calcule le meilleur intervalle pour vos données. Par exemple, lorsque la plage temporelle est de 4 jours, les données sont divisées en compartiments horaires. Pour configurer le nombre de barres maximal, utilisez le paramètre avancé {maxBarSetting}.", "xpack.lens.indexPattern.dateHistogram.restrictedInterval": "Intervalle fixé à {intervalValue} en raison de restrictions d'agrégation.", "xpack.lens.indexPattern.dateHistogramTimeShift": "Dans un calque unique, vous ne pouvez pas combiner un décalage de plage temporelle précédent avec des histogrammes de dates. Utilisez une durée de décalage temporel explicite dans \"{column}\" ou remplacez l’histogramme de dates.", "xpack.lens.indexPattern.derivativeOf": "Différences de {name}", @@ -17190,16 +18299,17 @@ "xpack.lens.indexPattern.formulaExpressionNotHandled": "L'opération {operation} dans la formule ne comprend pas les paramètres suivants : {params}", "xpack.lens.indexPattern.formulaExpressionParseError": "La formule {expression} ne peut pas être analysée", "xpack.lens.indexPattern.formulaExpressionWrongType": "Les paramètres de l'opération {operation} dans la formule ont un type incorrect : {params}", + "xpack.lens.indexPattern.formulaExpressionWrongTypeArgument": "Le type de l'argument {name} pour l'opération {operation} dans la formule est incorrect : {type} au lieu de {expectedType}", "xpack.lens.indexPattern.formulaFieldNotFound": "{variablesLength, plural, one {Champ} other {Champs}} {variablesList} introuvable(s)", "xpack.lens.indexPattern.formulaFieldNotRequired": "L'opération {operation} n'accepte aucun champ comme argument", "xpack.lens.indexPattern.formulaMathMissingArgument": "L'opération {operation} dans la formule ne comprend pas les arguments {count} : {params}", "xpack.lens.indexPattern.formulaOperationDuplicateParams": "Les paramètres de l'opération {operation} ont été déclarés plusieurs fois : {params}", - "xpack.lens.indexPattern.formulaOperationFiltersTypeConflicts": "Le filtre de formule de type \"{outerType}\" n’est pas compatible avec le filtre interne de type \"{innerType}\" de l’opération {operation}.", + "xpack.lens.indexPattern.formulaOperationFiltersTypeConflicts": "Le filtre de formule de type \"{outerType}\" n'est pas compatible avec le filtre interne de type \"{innerType}\" de l'opération {operation}", "xpack.lens.indexPattern.formulaOperationQueryError": "Des guillemets simples sont requis pour {language}='' à {rawQuery}", "xpack.lens.indexPattern.formulaOperationTooManyFirstArguments": "L'opération {operation} dans la formule requiert un {type} {supported, plural, one {unique} other {pris en charge}}, trouvé : {text}", "xpack.lens.indexPattern.formulaOperationwrongArgument": "L'opération {operation} dans la formule ne prend pas en charge les paramètres {type}, trouvé : {text}", "xpack.lens.indexPattern.formulaOperationWrongFirstArgument": "Le premier argument pour {operation} doit être un nom {type}. Trouvé {argument}", - "xpack.lens.indexPattern.formulaOperationWrongReturnedType": "Le type de valeur de retour de l’opération {text} n’est pas pris en charge dans la formule.", + "xpack.lens.indexPattern.formulaOperationWrongReturnedType": "Le type de valeur de retour de l'opération {text} n'est pas pris en charge dans la formule.", "xpack.lens.indexPattern.formulaParameterNotRequired": "L'opération {operation} n'accepte aucun paramètre", "xpack.lens.indexPattern.formulaPartLabel": "Partie de {label}", "xpack.lens.indexPattern.formulaUseAlternative": "L'opération {operation} dans la formule n'a pas d'argument {params} : utilisez l'opération {alternativeFn}.", @@ -17230,6 +18340,9 @@ "xpack.lens.indexPattern.precisionErrorWarning.accuracyEnabled": "{name} peut être une approximation. Pour obtenir des résultats plus précis, essayez d'augmenter le nombre de {topValues} ou d'utiliser des {filters} à la place. {learnMoreLink}", "xpack.lens.indexPattern.ranges.granularityPopoverExplanation": "La taille de l'intervalle est une valeur de \"gentillesse\". Lorsque la granularité du curseur change, l'intervalle reste le même lorsque l'intervalle de \"gentillesse\" est le même. La granularité minimale est 1, et la valeur maximale est {setting}. Pour modifier la granularité maximale, accédez aux Paramètres avancés.", "xpack.lens.indexPattern.rareTermsOf": "Valeurs rares de {name}", + "xpack.lens.indexPattern.reducedTimeRangeWithDateHistogram": "Une plage temporelle réduite peut uniquement être utilisée sans histogramme des dates. Retirez la dimension d'histogramme des dates ou retirez la plage temporelle réduite de {column}.", + "xpack.lens.indexPattern.reducedTimeRangeWithoutTimefield": "Une plage temporelle réduite peut uniquement être utilisée avec un champ temporel par défaut spécifié dans la vue de données. Utilisez une autre vue de données avec un champ temporel par défaut ou retirez la plage temporelle réduite de {column}.", + "xpack.lens.indexPattern.referenceLineDimensionEditorLabel": "Ligne de référence {groupLabel}", "xpack.lens.indexPattern.removeColumnLabel": "Retirer la configuration de \"{groupLabel}\"", "xpack.lens.indexPattern.standardDeviationOf": "Écart-type de {name}", "xpack.lens.indexPattern.staticValueError": "La valeur statique de {value} n’est pas un nombre valide.", @@ -17246,17 +18359,26 @@ "xpack.lens.indexPattern.termsWithMultipleTermsAndScriptedFields": "Les champs scriptés ne sont pas pris en charge lors de l’utilisation de champs multiples ; {fields} trouvés.", "xpack.lens.indexPattern.timeShiftMultipleWarning": "{label} utilise un décalage temporel de {columnTimeShift} qui n'est pas un multiple de l'intervalle de l'histogramme des dates de {interval}. Pour éviter une non-correspondance des données, utilisez un multiple de {interval} comme décalage.", "xpack.lens.indexPattern.timeShiftSmallWarning": "{label} utilise un décalage temporel de {columnTimeShift} qui est inférieur à l'intervalle de l'histogramme des dates de {interval}. Pour éviter une non-correspondance des données, utilisez un multiple de {interval} comme décalage.", + "xpack.lens.indexPattern.tsdbRollupWarning": "{label} utilise une fonction qui n'est pas prise en charge par les données cumulées. Sélectionnez une autre fonction ou modifiez la plage temporelle.", "xpack.lens.indexPattern.uniqueLabel": "{label} [{num}]", + "xpack.lens.indexPattern.useFieldExistenceSamplingBody": "L'échantillonnage d'existence des champs a été déclassé et sera retiré dans Kibana {version}. Vous pouvez désactiver cette fonctionnalité dans {link}.", "xpack.lens.indexPattern.valueCountOf": "Nombre de {name}", "xpack.lens.indexPatternSuggestion.removeLayerLabel": "Afficher uniquement {indexPatternTitle}", "xpack.lens.indexPatternSuggestion.removeLayerPositionLabel": "Afficher uniquement le calque {layerNumber}", - "xpack.lens.pie.arrayValues": "{label} contient des valeurs de tableau. Le rendu de votre visualisation peut ne pas se présenter comme attendu.", + "xpack.lens.pie.arrayValues": "Les dimensions suivantes contiennent des valeurs de tableau : {label}. Le rendu de votre visualisation peut ne pas se présenter comme attendu.", + "xpack.lens.pie.multiMetricAccessorLabel": "{number} indicateurs", "xpack.lens.pie.suggestionLabel": "Comme {chartName}", + "xpack.lens.reducedTimeRangeSuffix": "dernière {reducedTimeRange}", "xpack.lens.shared.legend.filterOptionsLegend": "{legendDataLabel}, options de filtre", "xpack.lens.table.tableCellFilter.filterForValueAriaLabel": "Filtrer sur la valeur : {cellContent}", "xpack.lens.table.tableCellFilter.filterOutValueAriaLabel": "Exclure la valeur : {cellContent}", "xpack.lens.uniqueLabel": "{label} [{num}]", "xpack.lens.visualizeGeoFieldMessage": "Lens ne peut pas visualiser les champs {fieldType}", + "xpack.lens.xyChart.annotationError": "L'annotation {annotationName} comporte une erreur : {errorMessage}", + "xpack.lens.xyChart.annotationError.textFieldNotFound": "Champ de texte {textField} non trouvé dans la vue de données {dataView}", + "xpack.lens.xyChart.annotationError.timeFieldNotFound": "Champ temporel {timeField} non trouvé dans la vue de données {dataView}", + "xpack.lens.xyChart.annotationError.tooltipFieldNotFound": "{missingFields, plural, one {Champ d'infobulle non trouvé} other {Champs d'infobulle non trouvés}} {missingTooltipFields} dans la vue de données {dataView}", + "xpack.lens.xyChart.randomSampling.help": "Des pourcentages d'échantillonnage plus faibles augmentent la vitesse, mais diminuent la précision. Une bonne pratique consiste à utiliser un échantillonnage plus faible uniquement pour les ensembles de données volumineux. {link}", "xpack.lens.xySuggestions.dateSuggestion": "{yTitle} sur {xTitle}", "xpack.lens.xySuggestions.nonDateSuggestion": "{yTitle} de {xTitle}", "xpack.lens.xyVisualization.arrayValues": "{label} contient des valeurs de tableau. Le rendu de votre visualisation peut ne pas se présenter comme attendu.", @@ -17264,6 +18386,7 @@ "xpack.lens.xyVisualization.dataFailureSplitShort": "{axis} manquant.", "xpack.lens.xyVisualization.dataFailureYLong": "{layers, plural, one {Le calque} other {Les calques}} {layersList} {layers, plural, one {requiert} other {requièrent}} un champ pour {axis}.", "xpack.lens.xyVisualization.dataFailureYShort": "{axis} manquant.", + "xpack.lens.xyVisualization.dataTypeFailureXLong": "Les données de {axis} dans le calque {firstLayer} sont incompatibles avec les données du calque {secondLayer}. Sélectionnez une nouvelle fonction pour {axis}.", "xpack.lens.xyVisualization.dataTypeFailureXShort": "Type de données incorrect pour {axis}.", "xpack.lens.xyVisualization.dataTypeFailureYLong": "La dimension {label} fournie pour {axis} possède un type de données incorrect. Nombre attendu mais possède {dataType}", "xpack.lens.xyVisualization.dataTypeFailureYShort": "Type de données incorrect pour {axis}.", @@ -17273,12 +18396,19 @@ "xpack.lens.formula.ceilFunction.markdown": "\nArrondit le plafond de la valeur au chiffre supérieur.\n\nExemple : arrondir le prix au dollar supérieur\n`ceil(sum(price))`\n ", "xpack.lens.formula.clampFunction.markdown": "\nÉtablit une limite minimale et maximale pour la valeur.\n\nExemple : s'assurer de repérer les valeurs aberrantes\n```\nclamp(\n average(bytes),\n percentile(bytes, percentile=5),\n percentile(bytes, percentile=95)\n)\n```\n", "xpack.lens.formula.cubeFunction.markdown": "\nCalcule le cube d'un nombre.\n\nExemple : calculer le volume à partir de la longueur du côté\n`cube(last_value(length))`\n ", + "xpack.lens.formula.defaultFunction.markdown": "\nRetourne une valeur numérique par défaut lorsque la valeur est nulle.\n\nExemple : Retourne -1 lorsqu'un champ ne contient aucune donnée.\n\"defaults(average(bytes), -1)\"\n", "xpack.lens.formula.divideFunction.markdown": "\nDivise le premier nombre par le deuxième.\nFonctionne également avec le symbole \"/\".\n\nExemple : calculer la marge bénéficiaire\n\"sum(profit) / sum(revenue)\"\n\nExemple : \"divide(sum(bytes), 2)\"\n ", + "xpack.lens.formula.eqFunction.markdown": "\nEffectue une comparaison d'égalité entre deux valeurs.\nÀ utiliser en tant que condition pour la fonction de comparaison \"ifelse\".\nFonctionne également avec le symbole \"==\".\n\nExemple : Retourne \"true\" si la moyenne d'octets est égale à la quantité de mémoire moyenne.\n\"average(bytes) == average(memory)\"\n\nExemple : \"eq(sum(bytes), 1000000)\"\n ", "xpack.lens.formula.expFunction.markdown": "\nÉlève *e* à la puissance n.\n\nExemple : calculer la fonction exponentielle naturelle\n\n`exp(last_value(duration))`\n ", "xpack.lens.formula.fixFunction.markdown": "\nPour les valeurs positives, part du bas. Pour les valeurs négatives, part du haut.\n\nExemple : arrondir à zéro\n\"fix(sum(profit))\"\n ", "xpack.lens.formula.floorFunction.markdown": "\nArrondit à la valeur entière inférieure la plus proche.\n\nExemple : arrondir un prix au chiffre inférieur\n\"floor(sum(price))\"\n ", + "xpack.lens.formula.gteFunction.markdown": "\nEffectue une comparaison de supériorité entre deux valeurs.\nÀ utiliser en tant que condition pour la fonction de comparaison \"ifelse\".\nFonctionne également avec le symbole \">=\".\n\nExemple : Retourne \"true\" si la moyenne d'octets est supérieure ou égale à la quantité moyenne de mémoire.\n\"average(bytes) >= average(memory)\"\n\nExemple : \"gte(average(bytes), 1000)\"\n ", + "xpack.lens.formula.gtFunction.markdown": "\nEffectue une comparaison de supériorité entre deux valeurs.\nÀ utiliser en tant que condition pour la fonction de comparaison \"ifelse\".\nFonctionne également avec le symbole \">\".\n\nExemple : Retourne \"true\" si la moyenne d'octets est supérieure à la quantité moyenne de mémoire.\n\"average(bytes) > average(memory)\"\n\nExemple : \"gt(average(bytes), 1000)\"\n ", + "xpack.lens.formula.ifElseFunction.markdown": "\nRetourne une valeur selon si l'élément de condition est \"true\" ou \"false\".\n\nExemple : Revenus moyens par client, mais dans certains cas, l'ID du client n'est pas fourni, et le client est alors compté comme client supplémentaire.\n`sum(total)/(unique_count(customer_id) + ifelse( count() > count(kql='customer_id:*'), 1, 0))`\n ", "xpack.lens.formula.logFunction.markdown": "\nÉtablit un logarithme avec base optionnelle. La base naturelle *e* est utilisée par défaut.\n\nExemple : calculer le nombre de bits nécessaire au stockage de valeurs\n```\nlog(sum(bytes))\nlog(sum(bytes), 2)\n```\n ", - "xpack.lens.formula.maxFunction.markdown": "\nTrouve la valeur maximale entre deux nombres.\n\nExemple : Trouver le maximum entre deux moyennes de champs\n`pick_max(average(bytes), average(memory))`\n ", + "xpack.lens.formula.lteFunction.markdown": "\nEffectue une comparaison d'infériorité ou de supériorité entre deux valeurs.\nÀ utiliser en tant que condition pour la fonction de comparaison \"ifelse\".\nFonctionne également avec le symbole \"<=\".\n\nExemple : Retourne \"true\" si la moyenne d'octets est inférieure ou égale à la quantité moyenne de mémoire.\n\"average(bytes) <= average(memory)\"\n\nExemple : \"lte(average(bytes), 1000)\"\n ", + "xpack.lens.formula.ltFunction.markdown": "\nEffectue une comparaison d'infériorité entre deux valeurs.\nÀ utiliser en tant que condition pour la fonction de comparaison \"ifelse\".\nFonctionne également avec le symbole \"<\".\n\nExemple : Retourne \"true\" si la moyenne d'octets est inférieure à la quantité moyenne de mémoire.\n\"average(bytes) <= average(memory)\"\n\nExemple : \"lt(average(bytes), 1000)\"\n ", + "xpack.lens.formula.maxFunction.markdown": "\nTrouve la valeur maximale entre deux nombres.\n\nExemple : Trouver le maximum entre deux moyennes de champs\n\"pick_max(average(bytes), average(memory))\"\n ", "xpack.lens.formula.minFunction.markdown": "\nTrouve la valeur minimale entre deux nombres.\n\nExemple : Trouver le minimum entre deux moyennes de champs\n`pick_min(average(bytes), average(memory))`\n ", "xpack.lens.formula.modFunction.markdown": "\nÉtablit le reste après division de la fonction par un nombre.\n\nExemple : calculer les trois derniers chiffres d'une valeur\n\"mod(sum(price), 1000)\"\n ", "xpack.lens.formula.multiplyFunction.markdown": "\nMultiplie deux nombres.\nFonctionne également avec le symbole \"*\".\n\nExemple : calculer le prix après application du taux d'imposition courant\n`sum(bytes) * last_value(tax_rate)`\n\nExemple : calculer le prix après application du taux d'imposition constant\n\"multiply(sum(price), 1.2)\"\n ", @@ -17289,9 +18419,10 @@ "xpack.lens.formula.subtractFunction.markdown": "\nSoustrait le premier nombre du deuxième.\nFonctionne également avec le symbole \"-\".\n\nExemple : calculer la plage d'un champ\n\"subtract(max(bytes), min(bytes))\"\n ", "xpack.lens.formulaDocumentation.filterRatioDescription.markdown": "### Rapport de filtre :\n\nUtilisez \"kql=''\" pour filtrer un ensemble de documents et le comparer à d'autres documents du même regroupement.\nPar exemple, pour consulter l'évolution du taux d'erreur au fil du temps :\n\n```\ncount(kql='response.status_code > 400') / count()\n```\n ", "xpack.lens.formulaDocumentation.percentOfTotalDescription.markdown": "### Pourcentage du total\n\nLes formules peuvent calculer \"overall_sum\" pour tous les regroupements,\nce qui permet de convertir chaque regroupement en un pourcentage du total :\n\n```\nsum(products.base_price) / overall_sum(sum(products.base_price))\n```\n ", + "xpack.lens.formulaDocumentation.recentChangeDescription.markdown": "### Modification récente\n\nUtilisez \"reducedTimeRange='30m'\" pour ajouter un filtre supplémentaire sur la plage temporelle d'un indicateur aligné avec la fin d'une plage temporelle globale. Vous pouvez l'utiliser pour calculer le degré de modification récente d'une valeur.\n\n```\nmax(system.network.in.bytes, reducedTimeRange=\"30m\")\n - min(system.network.in.bytes, reducedTimeRange=\"30m\")\n```\n ", "xpack.lens.formulaDocumentation.weekOverWeekDescription.markdown": "### Semaine après semaine :\n\nUtilisez \"shift='1w'\" pour obtenir la valeur de chaque regroupement\nde la semaine précédente. Le décalage ne doit pas être utilisé avec la fonction *Valeurs les plus élevées*.\n\n```\npercentile(system.network.in.bytes, percentile=99) /\npercentile(system.network.in.bytes, percentile=99, shift='1w')\n```\n ", "xpack.lens.indexPattern.cardinality.documentation.markdown": "\nCalcule le nombre de valeurs uniques d'un champ donné. Fonctionne pour les nombres, les chaînes, les dates et les valeurs booléennes.\n\nExemple : calculer le nombre de produits différents :\n`unique_count(product.name)`\n\nExemple : calculer le nombre de produits différents du groupe \"clothes\" :\n\"unique_count(product.name, kql='product.group=clothes')\"\n ", - "xpack.lens.indexPattern.count.documentation.markdown": "\nNombre total de documents. Lorsque vous fournissez un champ comme premier argument, le nombre total de valeurs de champ est compté. Utilisez la fonction de décompte pour les champs qui comportent plusieurs valeurs dans un même document.\n\n#### Exemples\n\nPour calculer le nombre total de documents, utilisez `count()`.\n\nPour calculer le nombre de produits, utilisez `count(products.id)`.\n\nPour calculer le nombre de documents qui correspondent à un filtre donné, utilisez `count(kql='price > 500')`.\n ", + "xpack.lens.indexPattern.count.documentation.markdown": "\nNombre total de documents. Lorsque vous fournissez un champ, le nombre total de valeurs de champ est compté. Lorsque vous utilisez la fonction de décompte pour les champs qui comportent plusieurs valeurs dans un même document, toutes les valeurs sont comptées.\n\n#### Exemples\n\nPour calculer le nombre total de documents, utilisez `count()`.\n\nPour calculer le nombre de produits, utilisez `count(products.id)`.\n\nPour calculer le nombre de documents qui correspondent à un filtre donné, utilisez `count(kql='price > 500')`.\n ", "xpack.lens.indexPattern.counterRate.documentation.markdown": "\nCalcule le taux d'un compteur toujours croissant. Cette fonction renvoie uniquement des résultats utiles inhérents aux champs d'indicateurs de compteur qui contiennent une mesure quelconque à croissance régulière.\nSi la valeur diminue, elle est interprétée comme une mesure de réinitialisation de compteur. Pour obtenir des résultats plus précis, \"counter_rate\" doit être calculé d’après la valeur \"max\" du champ.\n\nCe calcul est réalisé séparément pour des séries distinctes définies par des filtres ou des dimensions de valeurs supérieures.\nIl utilise l'intervalle en cours utilisé dans la formule.\n\nExemple : visualiser le taux d'octets reçus au fil du temps par un serveur Memcached :\n`counter_rate(max(memcached.stats.read.bytes))`\n ", "xpack.lens.indexPattern.cumulativeSum.documentation.markdown": "\nCalcule la somme cumulée d'un indicateur au fil du temps, en ajoutant toutes les valeurs précédentes d'une série à chaque valeur. Pour utiliser cette fonction, vous devez également configurer une dimension de l'histogramme de dates.\n\nCe calcul est réalisé séparément pour des séries distinctes définies par des filtres ou des dimensions de valeurs supérieures.\n\nExemple : visualiser les octets reçus cumulés au fil du temps :\n`cumulative_sum(sum(bytes))`\n ", "xpack.lens.indexPattern.differences.documentation.markdown": "\nCalcule la différence par rapport à la dernière valeur d'un indicateur au fil du temps. Pour utiliser cette fonction, vous devez également configurer une dimension de l'histogramme de dates.\nLes données doivent être séquentielles pour les différences. Si vos données sont vides lorsque vous utilisez des différences, essayez d'augmenter l'intervalle de l'histogramme de dates.\n\nCe calcul est réalisé séparément pour des séries distinctes définies par des filtres ou des dimensions de valeurs supérieures.\n\nExemple : visualiser la modification des octets reçus au fil du temps :\n`differences(sum(bytes))`\n ", @@ -17303,9 +18434,10 @@ "xpack.lens.indexPattern.overall_min.documentation.markdown": "\nCalcule la valeur minimale d'un indicateur pour tous les points de données d'une série dans le graphique actuel. Une série est définie par une dimension à l'aide d'un histogramme de dates ou d'une fonction d'intervalle.\nD'autres dimensions permettant de répartir les données telles que les valeurs supérieures ou les filtres sont traitées en tant que séries distinctes.\n\nSi le graphique actuel n'utilise aucun histogramme de dates ou aucune fonction d'intervalle, \"overall_min\" calcule la valeur minimale pour toutes les dimensions, quelle que soit la fonction utilisée.\n\nExemple : pourcentage de plage\n\"(sum(bytes) - overall_min(sum(bytes)) / (overall_max(sum(bytes)) - overall_min(sum(bytes)))\"\n ", "xpack.lens.indexPattern.overall_sum.documentation.markdown": "\nCalcule la somme d'un indicateur pour tous les points de données d'une série dans le graphique actuel. Une série est définie par une dimension à l'aide d'un histogramme de dates ou d'une fonction d'intervalle.\nD'autres dimensions permettant de répartir les données telles que les valeurs supérieures ou les filtres sont traitées en tant que séries distinctes.\n\nSi le graphique actuel n'utilise aucun histogramme de dates ou aucune fonction d'intervalle, \"overall_sum\" calcule la somme pour toutes les dimensions, quelle que soit la fonction utilisée.\n\nExemple : pourcentage de total\n\"sum(bytes) / overall_sum(sum(bytes))\"\n ", "xpack.lens.indexPattern.percentile.documentation.markdown": "\nRenvoie le centile spécifié des valeurs d'un champ. Il s'agit de la valeur de n pour cent des valeurs présentes dans les documents.\n\nExemple : obtenir le nombre d'octets supérieurs à 95 % des valeurs :\n`percentile(bytes, percentile=95)`\n ", - "xpack.lens.indexPattern.percentileRanks.documentation.markdown": "\nRetourne le pourcentage de valeurs qui sont en dessous d'une certaine valeur. Par exemple, si une valeur est supérieure à 95 % des valeurs observées, elle est placée au 95e rang centile.\n\nExemple : Obtenir le pourcentage de valeurs qui sont en dessous de 100 :\n`percentile_rank(bytes, value=100)`\n ", + "xpack.lens.indexPattern.percentileRanks.documentation.markdown": "\nRetourne le pourcentage de valeurs qui sont en dessous d'une certaine valeur. Par exemple, si une valeur est supérieure à 95 % des valeurs observées, elle est placée au 95e rang centile.\n\nExemple : Obtenir le pourcentage de valeurs qui sont en dessous de 100 :\n\"percentile_rank(bytes, value=100)\"\n ", "xpack.lens.indexPattern.standardDeviation.documentation.markdown": "\nRetourne la taille de la variation ou de la dispersion du champ. Cette fonction ne s’applique qu’aux champs numériques.\n\n#### Exemples\n\nPour obtenir l'écart type d'un prix, utilisez standard_deviation(price).\n\nPour obtenir la variance du prix des commandes passées au Royaume-Uni, utilisez `square(standard_deviation(price, kql='location:UK'))`.\n ", "xpack.lens.indexPattern.time_scale.documentation.markdown": "\n\nCette fonction avancée est utile pour normaliser les comptes et les sommes sur un intervalle de temps spécifique. Elle permet l'intégration avec les indicateurs qui sont stockés déjà normalisés sur un intervalle de temps spécifique.\n\nVous pouvez faire appel à cette fonction uniquement si une fonction d'histogramme des dates est utilisée dans le graphique actuel.\n\nExemple : Un rapport comparant un indicateur déjà normalisé à un autre indicateur devant être normalisé.\n\"normalize_by_unit(counter_rate(max(system.diskio.write.bytes)), unit='s') / last_value(apache.status.bytes_per_second)\"\n ", + "xpack.lens.AggBasedLabel": "visualisation basée sur l'agrégation", "xpack.lens.app.addToLibrary": "Enregistrer dans la bibliothèque", "xpack.lens.app.cancel": "Annuler", "xpack.lens.app.cancelButtonAriaLabel": "Retour à la dernière application sans enregistrer les modifications", @@ -17354,6 +18486,7 @@ "xpack.lens.chartSwitch.dataLossLabel": "Avertissement", "xpack.lens.chartSwitch.experimentalLabel": "Version d'évaluation technique", "xpack.lens.chartTitle.unsaved": "Visualisation non enregistrée", + "xpack.lens.cloneLayerAriaLabel": "Dupliquer le calque", "xpack.lens.collapse.avg": "Moyenne", "xpack.lens.collapse.infoIcon": "Ne pas afficher cette dimension dans la visualisation et agréger toutes les valeurs d'indicateurs ayant la même valeur pour cette dimension en un nombre unique.", "xpack.lens.collapse.label": "Réduire par", @@ -17364,7 +18497,7 @@ "xpack.lens.configPanel.addLayerButton": "Ajouter un calque", "xpack.lens.configPanel.color.tooltip.auto": "Lens choisit automatiquement des couleurs à votre place sauf si vous spécifiez une couleur personnalisée.", "xpack.lens.configPanel.color.tooltip.custom": "Effacez la couleur personnalisée pour revenir au mode \"Auto\".", - "xpack.lens.configPanel.color.tooltip.disabled": "Les séries individuelles n'acceptent pas les couleurs personnalisées lorsque le calque inclut l'option \"Répartir par\".", + "xpack.lens.configPanel.color.tooltip.disabled": "Vous ne pouvez pas appliquer de couleurs personnalisées à des séries individuelles lorsque le calque inclut un champ \"Répartir par\".", "xpack.lens.configPanel.experimentalLabel": "Version d'évaluation technique", "xpack.lens.configPanel.selectLayerType": "Sélectionner le type de calque", "xpack.lens.configPanel.selectVisualization": "Sélectionner une visualisation", @@ -17378,29 +18511,36 @@ "xpack.lens.confirmModal.cancelButtonLabel": "Annuler", "xpack.lens.customBucketContainer.dragToReorder": "Faire glisser pour réorganiser", "xpack.lens.datatable.addLayer": "Visualisation", - "xpack.lens.datatable.breakdownColumns": "Colonnes", + "xpack.lens.datatable.breakdownColumn": "Diviser les indicateurs par", + "xpack.lens.datatable.breakdownColumns": "Diviser les indicateurs par", "xpack.lens.datatable.breakdownColumns.description": "Divisez les colonnes d'indicateurs par champ. Il est recommandé de conserver un faible nombre de colonnes pour éviter le défilement horizontal.", + "xpack.lens.datatable.breakdownRow": "Ligne", "xpack.lens.datatable.breakdownRows": "Lignes", "xpack.lens.datatable.breakdownRows.description": "Divisez le tableau par champ. Cette opération est recommandée pour les répartitions à cardinalité élevée.", "xpack.lens.datatable.column.help": "Colonne de tableau de données", "xpack.lens.datatable.conjunctionSign": " & ", "xpack.lens.datatable.expressionHelpLabel": "Outil de rendu de tableaux de données", "xpack.lens.datatable.groupLabel": "Tabulaire", + "xpack.lens.datatable.headingLabel": "Valeur", "xpack.lens.datatable.label": "Tableau", + "xpack.lens.datatable.metric": "Indicateur", "xpack.lens.datatable.metrics": "Indicateurs", "xpack.lens.datatable.suggestionLabel": "En tant que tableau", "xpack.lens.datatable.titleLabel": "Titre", "xpack.lens.datatable.visualizationName": "Tableau de données", - "xpack.lens.datatypes.boolean": "booléen", - "xpack.lens.datatypes.date": "date", - "xpack.lens.datatypes.geoPoint": "geo_point", - "xpack.lens.datatypes.geoShape": "geo_shape", - "xpack.lens.datatypes.histogram": "histogramme", - "xpack.lens.datatypes.ipAddress": "IP", + "xpack.lens.datatypes.boolean": "Booléen", + "xpack.lens.datatypes.counter": "Indicateur de compteur", + "xpack.lens.datatypes.date": "Date", + "xpack.lens.datatypes.gauge": "Indicateur de jauge", + "xpack.lens.datatypes.geoPoint": "Point géographique", + "xpack.lens.datatypes.geoShape": "Forme géographique", + "xpack.lens.datatypes.histogram": "Histogramme", + "xpack.lens.datatypes.ipAddress": "Adresse IP", "xpack.lens.datatypes.murmur3": "murmur3", - "xpack.lens.datatypes.number": "numéro", - "xpack.lens.datatypes.record": "enregistrement", - "xpack.lens.datatypes.string": "chaîne", + "xpack.lens.datatypes.number": "Nombre", + "xpack.lens.datatypes.record": "Enregistrement", + "xpack.lens.datatypes.string": "Chaîne de texte", + "xpack.lens.deleteLayerAriaLabel": "Supprimer le calque", "xpack.lens.dimensionContainer.close": "Fermer", "xpack.lens.dimensionContainer.closeConfiguration": "Fermer la configuration", "xpack.lens.discover.visualizeFieldLegend": "Visualiser le champ", @@ -17433,6 +18573,7 @@ "xpack.lens.editorFrame.expressionMissingVisualizationType": "Type de visualisation non trouvé.", "xpack.lens.editorFrame.goToForums": "Formuler des requêtes et donner un retour", "xpack.lens.editorFrame.invisibleIndicatorLabel": "Cette dimension n'est pas visible actuellement dans le graphique", + "xpack.lens.editorFrame.layerSettingsTitle": "Paramètres du calque", "xpack.lens.editorFrame.networkErrorMessage": "Erreur réseau, réessayez plus tard ou contactez votre administrateur.", "xpack.lens.editorFrame.noColorIndicatorLabel": "Cette dimension n'a pas de couleur individuelle", "xpack.lens.editorFrame.optionalDimensionLabel": "Facultatif", @@ -17463,7 +18604,10 @@ "xpack.lens.fieldFormats.suffix.m": "/m", "xpack.lens.fieldFormats.suffix.s": "/s", "xpack.lens.fieldFormats.suffix.title": "Suffixe", - "xpack.lens.fieldPicker.fieldPlaceholder": "Champ", + "xpack.lens.fieldPicker.fieldPlaceholder": "Sélectionner un champ", + "xpack.lens.fieldsBucketContainer.deleteButtonDisabled": "Au moins un élément est requis.", + "xpack.lens.fieldsBucketContainer.dragHandleDisabled": "La réorganisation requiert plusieurs éléments.", + "xpack.lens.fieldsBucketContainer.dragToReorder": "Faire glisser pour réorganiser", "xpack.lens.fittingFunctionsDescription.carry": "Remplit les blancs avec la dernière valeur", "xpack.lens.fittingFunctionsDescription.linear": "Remplit les blancs avec une ligne", "xpack.lens.fittingFunctionsDescription.lookahead": "Remplit les blancs avec la valeur suivante", @@ -17475,7 +18619,10 @@ "xpack.lens.fittingFunctionsTitle.none": "Masquer", "xpack.lens.fittingFunctionsTitle.zero": "Zéro", "xpack.lens.formula.base": "base", + "xpack.lens.formula.boolean": "booléen", + "xpack.lens.formula.condition": "condition", "xpack.lens.formula.decimals": "décimales", + "xpack.lens.formula.defaultValue": "par défaut", "xpack.lens.formula.disableWordWrapLabel": "Désactiver le renvoi à la ligne des mots", "xpack.lens.formula.editorHelpInlineHideLabel": "Masquer la référence des fonctions", "xpack.lens.formula.editorHelpInlineHideToolTip": "Masquer la référence des fonctions", @@ -17487,6 +18634,7 @@ "xpack.lens.formula.max": "max", "xpack.lens.formula.min": "min", "xpack.lens.formula.number": "numéro", + "xpack.lens.formula.reducedTimeRangeExtraArguments": "[reducedTimeRange]?: string", "xpack.lens.formula.requiredArgument": "Obligatoire", "xpack.lens.formula.right": "droite", "xpack.lens.formula.shiftExtraArguments": "[shift]?: string", @@ -17495,12 +18643,15 @@ "xpack.lens.formulaCommonFormulaDocumentation": "Les formules les plus courantes divisent deux valeurs pour produire un pourcentage. Pour obtenir un affichage correct, définissez \"Format de valeur\" sur \"pourcent\".", "xpack.lens.formulaDocumentation.columnCalculationSection": "Calculs de colonnes", "xpack.lens.formulaDocumentation.columnCalculationSectionDescription": "Ces fonctions sont exécutées pour chaque ligne, mais elles sont fournies avec la colonne entière comme contexte. Elles sont également appelées fonctions de fenêtre.", + "xpack.lens.formulaDocumentation.comparisonSection": "Comparaison", + "xpack.lens.formulaDocumentation.comparisonSectionDescription": "Ces fonctions sont utilisées pour effectuer une comparaison de valeurs.", "xpack.lens.formulaDocumentation.elasticsearchSection": "Elasticsearch", "xpack.lens.formulaDocumentation.elasticsearchSectionDescription": "Ces fonctions seront exécutées sur les documents bruts pour chaque ligne du tableau résultant, en agrégeant tous les documents correspondant aux dimensions de répartition en une seule valeur.", "xpack.lens.formulaDocumentation.filterRatio": "Rapport de filtre", "xpack.lens.formulaDocumentation.mathSection": "Mathématique", "xpack.lens.formulaDocumentation.mathSectionDescription": "Ces fonctions seront exécutées pour chaque ligne du tableau résultant en utilisant des valeurs uniques de la même ligne calculées à l'aide d'autres fonctions.", "xpack.lens.formulaDocumentation.percentOfTotal": "Pourcentage du total", + "xpack.lens.formulaDocumentation.recentChange": "Modification récente", "xpack.lens.formulaDocumentation.weekOverWeek": "Semaine après semaine", "xpack.lens.formulaDocumentationHeading": "Fonctionnement", "xpack.lens.formulaEnableWordWrapLabel": "Activer le renvoi à la ligne des mots", @@ -17519,12 +18670,14 @@ "xpack.lens.functions.lastValue.missingSortField": "Cette vue de données ne contient aucun champ de date.", "xpack.lens.functions.mapToColumns.help": "Une aide pour transformer une table de données afin qu'elle corresponde aux définitions de colonnes Lens", "xpack.lens.functions.mapToColumns.idMap.help": "Un objet encodé JSON dans lequel les clés sont les ID de colonne de la table de données et les valeurs sont les définitions de colonnes Lens. Toutes les colonnes de la table de données qui ne sont pas mentionnées dans la carte d'identification seront conservées sans mapping.", + "xpack.lens.functions.timeScale.timeBoundsMissingMessage": "Impossible d'analyser la \"Plage temporelle\"", "xpack.lens.functions.timeScale.timeInfoMissingMessage": "Impossible de récupérer les informations d'histogramme des dates", "xpack.lens.gauge.addLayer": "Visualisation", "xpack.lens.gauge.appearanceLabel": "Apparence", "xpack.lens.gauge.dynamicColoring.label": "Couleurs de bande", "xpack.lens.gauge.gaugeLabel": "Jauge", "xpack.lens.gauge.goalValueLabel": "Valeur de l’objectif", + "xpack.lens.gauge.headingLabel": "Valeur", "xpack.lens.gauge.maxValueLabel": "Valeur maximale", "xpack.lens.gauge.metricLabel": "Indicateur", "xpack.lens.gauge.minValueLabel": "Valeur minimale", @@ -17541,6 +18694,7 @@ "xpack.lens.heatmap.addLayer": "Visualisation", "xpack.lens.heatmap.cellValueLabel": "Valeur de cellule", "xpack.lens.heatmap.groupLabel": "Carte thermique", + "xpack.lens.heatmap.headingLabel": "Valeur", "xpack.lens.heatmap.heatmapLabel": "Carte thermique", "xpack.lens.heatmap.horizontalAxisDisabledHelpText": "Ce paramètre s'applique uniquement lorsque l'axe horizontal est activé.", "xpack.lens.heatmap.horizontalAxisLabel": "Axe horizontal", @@ -17553,14 +18707,18 @@ "xpack.lens.heatmapVisualization.missingXAccessorLongMessage": "La configuration de l'axe horizontal est manquante.", "xpack.lens.heatmapVisualization.missingXAccessorShortMessage": "Axe horizontal manquant.", "xpack.lens.indexPattern.advancedSettings": "Avancé", + "xpack.lens.indexPattern.allFieldsForTextBasedLabelHelp": "Glissez-déposez les champs disponibles dans l’espace de travail et créez des visualisations. Pour modifier les champs disponibles, modifiez votre requête.", "xpack.lens.indexPattern.allFieldsLabelHelp": "Glissez-déposez les champs disponibles dans l’espace de travail et créez des visualisations. Pour modifier les champs disponibles, sélectionnez une vue de données différente, modifiez vos requêtes ou utilisez une plage temporelle différente. Certains types de champ ne peuvent pas être visualisés dans Lens, y compris les champ de texte intégral et champs géographiques.", "xpack.lens.indexPattern.allFieldsSamplingLabelHelp": "Les champs disponibles contiennent les données des 500 premiers documents correspondant aux filtres. Pour afficher tous les filtres, développez les champs vides. Vous ne pouvez pas créer de visualisations avec des champs de texte intégral, géographiques, lissés et d’objet.", "xpack.lens.indexPattern.ascendingCountPrecisionErrorWarning.link": "veuillez consulter la documentation", "xpack.lens.indexPattern.availableFieldsLabel": "Champs disponibles", "xpack.lens.indexPattern.avg": "Moyenne", "xpack.lens.indexPattern.avg.description": "Agrégation d'indicateurs à valeur unique qui calcule la moyenne des valeurs numériques extraites des documents agrégés", + "xpack.lens.indexPattern.avg.quickFunctionDescription": "Valeur moyenne d'un ensemble de champs de nombres.", + "xpack.lens.indexPattern.bitsFormatLabel": "Bits (1000)", "xpack.lens.indexPattern.bytesFormatLabel": "Octets (1024)", "xpack.lens.indexPattern.cardinality": "Compte unique", + "xpack.lens.indexPattern.cardinality.documentation.quick": "\nNombre de valeurs uniques pour un champ spécifié de nombre, de chaîne, de date ou booléen.\n ", "xpack.lens.indexPattern.cardinality.signature": "champ : chaîne", "xpack.lens.indexPattern.changeDataViewTitle": "Vue de données", "xpack.lens.indexPattern.chooseField": "Champ", @@ -17569,37 +18727,50 @@ "xpack.lens.indexPattern.columnFormatLabel": "Format de valeur", "xpack.lens.indexPattern.columnLabel": "Nom", "xpack.lens.indexPattern.count": "Décompte", + "xpack.lens.indexPattern.count.documentation.quick": "\nNombre total de documents. Lorsque vous fournissez un champ, le nombre total de valeurs de champ est compté. Lorsque vous utilisez la fonction de décompte pour les champs qui comportent plusieurs valeurs dans un même document, toutes les valeurs sont comptées.\n ", "xpack.lens.indexPattern.count.signature": "[champ : chaîne]", "xpack.lens.indexPattern.counterRate": "Taux de compteur", + "xpack.lens.indexPattern.counterRate.documentation.quick": "\n Taux de modification sur la durée d'un indicateur de série temporelle qui augmente sans cesse.\n ", "xpack.lens.indexPattern.counterRate.signature": "indicateur : nombre", "xpack.lens.indexPattern.countOf": "Nombre d'enregistrements", "xpack.lens.indexPattern.cumulative_sum.signature": "indicateur : nombre", "xpack.lens.indexPattern.cumulativeSum": "Somme cumulée", + "xpack.lens.indexPattern.cumulativeSum.documentation.quick": "\n Somme de toutes les valeurs au fur et à mesure de leur croissance.\n ", "xpack.lens.indexPattern.dataViewLoadError": "Erreur lors du chargement de la vue de données", "xpack.lens.indexPattern.dateHistogram": "Histogramme des dates", "xpack.lens.indexPattern.dateHistogram.autoAdvancedExplanation": "L'intervalle suit cette logique :", - "xpack.lens.indexPattern.dateHistogram.autoBasicExplanation": "L'histogramme des dates automatique divise un champ de données en groupes par intervalle.", + "xpack.lens.indexPattern.dateHistogram.autoBasicExplanation": "L'histogramme des dates divise les données en intervalles de temps.", "xpack.lens.indexPattern.dateHistogram.autoBoundHeader": "Intervalle cible mesuré", "xpack.lens.indexPattern.dateHistogram.autoIntervalHeader": "Intervalle utilisé", "xpack.lens.indexPattern.dateHistogram.bindToGlobalTimePicker": "Lier au sélecteur d'heure globale", - "xpack.lens.indexPattern.dateHistogram.dropPartialBuckets": "Abandonner les compartiments partiels", - "xpack.lens.indexPattern.dateHistogram.dropPartialBucketsHelp": "L’abandon des compartiments partiels est désactivé, car ceux-ci ne peuvent être calculés que pour un champ temporel lié au sélecteur d’heure globale en haut à droite.", + "xpack.lens.indexPattern.dateHistogram.documentation.quick": "\nValeurs de date ou d'intervalle de dates distribuées dans les intervalles.\n ", + "xpack.lens.indexPattern.dateHistogram.dropPartialBuckets": "Abandonner les intervalles partiels", + "xpack.lens.indexPattern.dateHistogram.dropPartialBucketsHelp": "L'abandon des intervalles partiels est désactivé, car ceux-ci ne peuvent être calculés que pour un champ temporel lié au sélecteur d'heure globale en haut à droite.", "xpack.lens.indexPattern.dateHistogram.globalTimePickerHelp": "Filtrez le champ sélectionné à l’aide du sélecteur d’heure globale en haut à droite. Ce paramètre ne peut pas être désactivé pour le champ temporel par défaut de la vue de données actuelle.", "xpack.lens.indexPattern.dateHistogram.includeEmptyRows": "Inclure les lignes vides", "xpack.lens.indexPattern.dateHistogram.invalidInterval": "Choisissez un intervalle valide. Il n'est pas possible d'utiliser plusieurs semaines, mois ou années comme intervalle.", "xpack.lens.indexPattern.dateHistogram.minimumInterval": "Intervalle minimal", "xpack.lens.indexPattern.dateHistogram.moreThanYear": "Plus d'une année", "xpack.lens.indexPattern.dateHistogram.selectIntervalPlaceholder": "Choisir un intervalle", - "xpack.lens.indexPattern.dateHistogram.selectOptionHelpText": "Choisissez une option ou créez une valeur personnalisée. Exemples : 30s, 20m, 24h, 2d, 1w, 1M", - "xpack.lens.indexPattern.dateHistogram.titleHelp": "Fonctionnement de l'histogramme des dates automatique", + "xpack.lens.indexPattern.dateHistogram.selectOptionExamplesHelpText": "Exemples : 30s, 20m, 24h, 2d, 1w, 1M", + "xpack.lens.indexPattern.dateHistogram.selectOptionHelpText": "Choisissez une option ou créez une valeur personnalisée.", + "xpack.lens.indexPattern.dateHistogram.titleHelp": "Fonctionnement de l'histogramme des dates", "xpack.lens.indexPattern.dateHistogram.upTo": "Jusqu'à", "xpack.lens.indexPattern.decimalPlacesLabel": "Décimales", "xpack.lens.indexPattern.defaultFormatLabel": "Par défaut", "xpack.lens.indexPattern.derivative": "Différences", + "xpack.lens.indexPattern.differences.documentation.quick": "\n Variation entre les valeurs des intervalles suivants.\n ", "xpack.lens.indexPattern.differences.signature": "indicateur : nombre", + "xpack.lens.indexPattern.dimensionEditor.headingAppearance": "Apparence", + "xpack.lens.indexPattern.dimensionEditor.headingData": "Données", + "xpack.lens.indexPattern.dimensionEditor.headingFormula": "Formule", + "xpack.lens.indexPattern.dimensionEditor.headingMethod": "Méthode", + "xpack.lens.indexPattern.dimensionEditor.headingSummary": "Résumé", + "xpack.lens.indexPattern.dimensionEditorModes": "Modes de configuration de l'éditeur de dimensions", "xpack.lens.indexPattern.emptyDimensionButton": "Dimension vide", "xpack.lens.indexPattern.emptyFieldsLabel": "Champs vides", "xpack.lens.indexPattern.enableAccuracyMode": "Activer le mode de précision", + "xpack.lens.indexPattern.fieldExploreInDiscover": "Explorer les valeurs dans Discover", "xpack.lens.indexPattern.fieldItemTooltip": "Effectuez un glisser-déposer pour visualiser.", "xpack.lens.indexPattern.fieldPlaceholder": "Champ", "xpack.lens.indexPattern.fieldStatsButtonEmptyLabel": "Ce champ ne comporte aucune donnée mais vous pouvez toujours effectuer un glisser-déposer pour visualiser.", @@ -17612,9 +18783,11 @@ "xpack.lens.indexPattern.filters": "Filtres", "xpack.lens.indexPattern.filters.addaFilter": "Ajouter un filtre", "xpack.lens.indexPattern.filters.clickToEdit": "Cliquer pour modifier", + "xpack.lens.indexPattern.filters.documentation.quick": "\n Divise les valeurs en sous-ensembles prédéfinis.\n ", "xpack.lens.indexPattern.filters.isInvalid": "Cette requête n'est pas valide", "xpack.lens.indexPattern.filters.label.placeholder": "Tous les enregistrements", "xpack.lens.indexPattern.filters.removeFilter": "Retirer un filtre", + "xpack.lens.indexPattern.formulaCanReduceTimeRangeHelpText": "S'applique à la formule entière.", "xpack.lens.indexPattern.formulaFieldValue": "champ", "xpack.lens.indexPattern.formulaFilterableHelpText": "Le filtre spécifié sera appliqué à la formule entière.", "xpack.lens.indexPattern.formulaLabel": "Formule", @@ -17627,16 +18800,22 @@ "xpack.lens.indexPattern.formulaWarningStaticValueText": "Pour écraser votre formule, modifiez la valeur dans le champ de saisie.", "xpack.lens.indexPattern.formulaWarningText": "Pour écraser votre formule, sélectionnez une fonction rapide", "xpack.lens.indexPattern.functionsLabel": "Fonctions", + "xpack.lens.indexPattern.functionTable.descriptionHeader": "Description", + "xpack.lens.indexPattern.functionTable.functionHeader": "Fonction", "xpack.lens.indexPattern.groupByDropdown": "Regrouper par", + "xpack.lens.indexPattern.helpIncompatibleFieldDotLabel": "Cette fonction n'est pas compatible avec le champ actuellement sélectionné", "xpack.lens.indexPattern.helpLabel": "Aide sur les fonctions", + "xpack.lens.indexPattern.helpPartiallyApplicableFunctionLabel": "Cette fonction peut retourner uniquement des résultats partiels, car elle ne prend pas en charge la plage temporelle entière des données historiques cumulées.", "xpack.lens.indexPattern.hideZero": "Masquer les valeurs nulles", "xpack.lens.indexPattern.incompleteOperation": "(incomplet)", "xpack.lens.indexPattern.intervals": "Intervalles", "xpack.lens.indexPattern.invalidFieldLabel": "Champ non valide. Vérifiez votre vue de données ou choisissez un autre champ.", "xpack.lens.indexPattern.invalidOperationLabel": "Ce champ ne fonctionne pas avec la fonction sélectionnée.", + "xpack.lens.indexPattern.invalidReducedTimeRange": "Plage temporelle réduite non valide. Entrez un entier positif suivi par l'une des unités suivantes : s, m, h, d, w, M, y. Par exemple, 3h pour 3 heures", "xpack.lens.indexPattern.invalidTimeShift": "Décalage non valide. Entrez un entier positif suivi par l'une des unités suivantes : s, m, h, d, w, M, y. Par exemple, 3h pour 3 heures", "xpack.lens.indexPattern.lastValue": "Dernière valeur", "xpack.lens.indexPattern.lastValue.disabled": "Cette fonction requiert la présence d'un champ de date dans la vue de données.", + "xpack.lens.indexPattern.lastValue.documentation.quick": "\nValeur d'un champ du dernier document, triée par le champ d'heure par défaut de la vue de données.\n ", "xpack.lens.indexPattern.lastValue.showArrayValues": "Afficher les valeurs de tableau", "xpack.lens.indexPattern.lastValue.showArrayValuesExplanation": "Affiche toutes les valeurs associées à ce champ dans chaque dernier document.", "xpack.lens.indexPattern.lastValue.showArrayValuesWithTopValuesWarning": "Lorsque vous affichez les valeurs de tableau, vous ne pouvez pas utiliser ce champ pour classer les valeurs les plus élevées.", @@ -17645,16 +18824,20 @@ "xpack.lens.indexPattern.lastValue.sortFieldPlaceholder": "Champ de tri", "xpack.lens.indexPattern.max": "Maximum", "xpack.lens.indexPattern.max.description": "Agrégation d'indicateurs à valeur unique qui renvoie la valeur maximale des valeurs numériques extraites des documents agrégés.", + "xpack.lens.indexPattern.max.quickFunctionDescription": "Valeur maximale d'un champ de nombre.", "xpack.lens.indexPattern.median": "Médiane", "xpack.lens.indexPattern.median.description": "Agrégation d'indicateurs à valeur unique qui calcule la valeur médiane des valeurs numériques extraites des documents agrégés.", + "xpack.lens.indexPattern.median.quickFunctionDescription": "Valeur médiane d'un champ de nombre.", "xpack.lens.indexPattern.metaFieldsLabel": "Champs méta", "xpack.lens.indexPattern.metric.signature": "champ : chaîne", "xpack.lens.indexPattern.min": "Minimum", "xpack.lens.indexPattern.min.description": "Agrégation d'indicateurs à valeur unique qui renvoie la valeur minimale des valeurs numériques extraites des documents agrégés.", + "xpack.lens.indexPattern.min.quickFunctionDescription": "Valeur minimale d'un champ de nombre.", "xpack.lens.indexPattern.missingFieldLabel": "Champ manquant", "xpack.lens.indexPattern.moving_average.signature": "indicateur : nombre, [window] : nombre", "xpack.lens.indexPattern.movingAverage": "Moyenne mobile", "xpack.lens.indexPattern.movingAverage.basicExplanation": "La moyenne mobile fait glisser une fenêtre sur les données et affiche la valeur moyenne. La moyenne mobile est prise en charge uniquement par les histogrammes des dates.", + "xpack.lens.indexPattern.movingAverage.documentation.quick": "\n Moyenne d'une fenêtre mobile de valeurs sur la durée.\n ", "xpack.lens.indexPattern.movingAverage.limitations": "La première valeur de moyenne mobile commence au deuxième élément.", "xpack.lens.indexPattern.movingAverage.longerExplanation": "Pour calculer la moyenne mobile, Lens utilise la moyenne de la fenêtre et applique une politique d'omission pour les blancs. Pour les valeurs manquantes, le groupe est ignoré, et le calcul est effectué sur la valeur suivante.", "xpack.lens.indexPattern.movingAverage.tableExplanation": "Par exemple, avec les données [1, 2, 3, 4, 5, 6, 7, 8, 9, 10], vous pouvez calculer une moyenne mobile simple avec une taille de fenêtre de 5 :", @@ -17673,17 +18856,21 @@ "xpack.lens.indexPattern.overallSum": "Somme générale", "xpack.lens.indexPattern.percentFormatLabel": "Pourcent", "xpack.lens.indexPattern.percentile": "Centile", + "xpack.lens.indexPattern.percentile.documentation.quick": "\n La plus grande valeur qui est inférieure à n pour cent des valeurs présentes dans tous les documents.\n ", "xpack.lens.indexPattern.percentile.errorMessage": "Le centile doit être un entier compris entre 1 et 99", "xpack.lens.indexPattern.percentile.percentileRanksValue": "Valeur des rangs centiles", "xpack.lens.indexPattern.percentile.percentileValue": "Centile", "xpack.lens.indexPattern.percentile.signature": "champ : chaîne, [percentile] : nombre", "xpack.lens.indexPattern.percentileRank": "Rang centile", + "xpack.lens.indexPattern.percentileRanks.documentation.quick": "\nPourcentage des valeurs inférieures à une valeur spécifique. Par exemple, lorsqu'une valeur est supérieure ou égale à 95 % des valeurs calculées, elle est placée au 95e rang centile.\n ", "xpack.lens.indexPattern.percentileRanks.errorMessage": "La valeur des rangs centiles doit être un nombre", "xpack.lens.indexPattern.percentileRanks.signature": "champ : chaîne, [valeur] : nombre", "xpack.lens.indexPattern.precisionErrorWarning.filters": "filtres", "xpack.lens.indexPattern.precisionErrorWarning.link": "En savoir plus.", "xpack.lens.indexPattern.precisionErrorWarning.topValues": "valeurs les plus élevées", - "xpack.lens.indexPattern.quickFunctionsLabel": "Fonctions rapides", + "xpack.lens.indexPattern.quickFunctions.popoverTitle": "Fonctions rapides", + "xpack.lens.indexPattern.quickFunctions.tableTitle": "Description des fonctions", + "xpack.lens.indexPattern.quickFunctionsLabel": "Fonction rapide", "xpack.lens.indexPattern.range.isInvalid": "Cette plage n'est pas valide", "xpack.lens.indexPattern.ranges.addRange": "Ajouter une plage", "xpack.lens.indexPattern.ranges.customIntervalsToggle": "Créer des plages personnalisées", @@ -17692,6 +18879,7 @@ "xpack.lens.indexPattern.ranges.customRangesRemoval": "Retirer les plages personnalisées", "xpack.lens.indexPattern.ranges.decreaseButtonLabel": "Diminuer la granularité", "xpack.lens.indexPattern.ranges.deleteRange": "Supprimer la plage", + "xpack.lens.indexPattern.ranges.documentation.quick": "\n Valeurs de compartiment dans les plages numériques définies.\n ", "xpack.lens.indexPattern.ranges.granularity": "Granularité des intervalles", "xpack.lens.indexPattern.ranges.granularityHelpText": "Fonctionnement", "xpack.lens.indexPattern.ranges.granularityPopoverAdvancedExplanation": "Les intervalles sont incrémentés par 10, 5 ou 2. Par exemple, un intervalle peut être 100 ou 0,2 .", @@ -17704,10 +18892,21 @@ "xpack.lens.indexPattern.ranges.lessThanPrepend": "<", "xpack.lens.indexPattern.ranges.lessThanTooltip": "Inférieur à", "xpack.lens.indexPattern.records": "Enregistrements", + "xpack.lens.indexPattern.reducedTimeRange.15m": "15 minutes (15m)", + "xpack.lens.indexPattern.reducedTimeRange.1h": "1 heure (1h)", + "xpack.lens.indexPattern.reducedTimeRange.1m": "1 minute (1m)", + "xpack.lens.indexPattern.reducedTimeRange.30s": "30 secondes (30s)", + "xpack.lens.indexPattern.reducedTimeRange.5m": "5 minutes (5m)", + "xpack.lens.indexPattern.reducedTimeRange.genericInvalidHelp": "La valeur de plage temporelle n'est pas valide.", + "xpack.lens.indexPattern.reducedTimeRange.help": "Réduit la plage temporelle spécifiée dans le filtre temporel global à partir de la fin de ce filtre.", + "xpack.lens.indexPattern.reducedTimeRange.label": "Plage temporelle réduite", + "xpack.lens.indexPattern.reducedTimeRange.notApplicableHelp": "Le filtre de plage temporelle supplémentaire ne peut pas être utilisé avec l'histogramme des dates ou sans champ temporel par défaut spécifié dans la vue de données", + "xpack.lens.indexPattern.reducedTimeRangePlaceholder": "Saisissez des valeurs personnalisées (par ex. 12m)", "xpack.lens.indexPattern.referenceFunctionPlaceholder": "Sous-fonction", "xpack.lens.indexPattern.sortField.invalid": "Champ non valide. Vérifiez votre vue de données ou choisissez un autre champ.", "xpack.lens.indexPattern.standardDeviation": "Écart-type", "xpack.lens.indexPattern.standardDeviation.description": "Agrégation d'indicateurs à valeur unique qui calcule l’écart-type des valeurs numériques extraites des documents agrégés", + "xpack.lens.indexPattern.standardDeviation.quickFunctionDescription": "Écart-type des valeurs d'un champ de nombre qui représente la quantité d'écart des valeurs des champs.", "xpack.lens.indexPattern.staticValue.label": "Valeur de la ligne de référence", "xpack.lens.indexPattern.staticValueLabel": "Valeur statique", "xpack.lens.indexPattern.staticValueLabelDefault": "Valeur statique", @@ -17717,6 +18916,7 @@ "xpack.lens.indexpattern.suggestions.overTimeLabel": "Sur la durée", "xpack.lens.indexPattern.sum": "Somme", "xpack.lens.indexPattern.sum.description": "Agrégation d'indicateurs à valeur unique qui récapitule les valeurs numériques extraites des documents agrégés.", + "xpack.lens.indexPattern.sum.quickFunctionDescription": "Total des valeurs d'un champ de nombre.", "xpack.lens.indexPattern.switchToRare": "Classer par rareté", "xpack.lens.indexPattern.terms": "Valeurs les plus élevées", "xpack.lens.indexPattern.terms.accuracyModeDescription": "Activer le mode de précision", @@ -17725,13 +18925,14 @@ "xpack.lens.indexPattern.terms.addRegex": "Utiliser une expression régulière", "xpack.lens.indexPattern.terms.advancedSettings": "Avancé", "xpack.lens.indexPattern.terms.deleteButtonLabel": "Supprimer", + "xpack.lens.indexPattern.terms.documentation.quick": "\nValeurs les plus élevées d'un champ spécifié classées en fonction de l'indicateur choisi.\n ", "xpack.lens.indexPattern.terms.exclude": "Exclure les valeurs", "xpack.lens.indexPattern.terms.include": "Inclure les valeurs", "xpack.lens.indexPattern.terms.includeExcludePatternPlaceholder": "Entrer une expression régulière pour filtrer les valeurs", "xpack.lens.indexPattern.terms.includeExcludePlaceholder": "Sélectionner des valeurs ou en créer une", "xpack.lens.indexPattern.terms.lastValue.sortRankBy": "Trier les rangs par", "xpack.lens.indexPattern.terms.maxDocCount": "Nombre de documents maximum par terme", - "xpack.lens.indexPattern.terms.missingBucketDescription": "Inclure les documents sans ce champ", + "xpack.lens.indexPattern.terms.missingBucketDescription": "Inclure les documents sans le champ sélectionné", "xpack.lens.indexPattern.terms.missingLabel": "(valeur manquante)", "xpack.lens.indexPattern.terms.orderAgg.rankField": "Champ de rang", "xpack.lens.indexPattern.terms.orderAgg.rankFunction": "Fonction de rang", @@ -17743,7 +18944,7 @@ "xpack.lens.indexPattern.terms.orderDescending": "Décroissant", "xpack.lens.indexPattern.terms.orderDirection": "Sens de classement", "xpack.lens.indexPattern.terms.orderRare": "Rareté", - "xpack.lens.indexPattern.terms.otherBucketDescription": "Regrouper les autres valeurs sous \"Autre\"", + "xpack.lens.indexPattern.terms.otherBucketDescription": "Valeurs restantes du groupe regroupées sous \"Autre\"", "xpack.lens.indexPattern.terms.otherLabel": "Autre", "xpack.lens.indexPattern.terms.percentile.": "Rangs centiles", "xpack.lens.indexPattern.terms.scriptedFieldErrorShort": "Les champs scriptés ne sont pas pris en charge en cas d’utilisation de champs multiples.", @@ -17768,19 +18969,23 @@ "xpack.lens.indexPattern.timeShift.label": "Décalage temporel", "xpack.lens.indexPattern.timeShift.month": "Il y a 1 mois (1M)", "xpack.lens.indexPattern.timeShift.noMultipleHelp": "Le décalage temporel doit être un multiple de l'intervalle de l'histogramme des dates. Ajustez le décalage ou l'intervalle de l'histogramme des dates", + "xpack.lens.indexPattern.timeShift.none": "Aucun", "xpack.lens.indexPattern.timeShift.previous": "Plage temporelle précédente", "xpack.lens.indexPattern.timeShift.tooSmallHelp": "Le décalage temporel doit être supérieur à l'intervalle de l'histogramme des dates. Augmentez le décalage ou spécifiez un intervalle plus petit dans l'histogramme des dates", "xpack.lens.indexPattern.timeShift.week": "Il y a 1 semaine (1w)", "xpack.lens.indexPattern.timeShift.year": "Il y a 1 an (1y)", "xpack.lens.indexPattern.timeShiftPlaceholder": "Saisissez des valeurs personnalisées (par ex. 8w)", - "xpack.lens.indexPattern.useAsTopLevelAgg": "Regrouper d'abord en fonction de ce champ", + "xpack.lens.indexPattern.useAsTopLevelAgg": "Agréger d'abord en fonction de cette dimension", + "xpack.lens.indexPattern.useFieldExistenceSampling.advancedSettings": "Paramètres avancés", "xpack.lens.indexPatterns.clearFiltersLabel": "Effacer le nom et saisissez les filtres", "xpack.lens.indexPatterns.filterByNameLabel": "Rechercher les noms de champs", + "xpack.lens.indexPatterns.filterByTypeAriaLabel": "Filtrer par type", "xpack.lens.label.gauge.labelMajor.header": "Titre", "xpack.lens.label.gauge.labelMinor.header": "Sous-titre", "xpack.lens.label.header": "Étiquette", "xpack.lens.label.shared.axisHeader": "Titre de l'axe", "xpack.lens.labelInput.label": "Étiquette", + "xpack.lens.layer.actions.contextMenuAriaLabel": "Actions du calque", "xpack.lens.layer.cancelDelete": "Annuler", "xpack.lens.layer.confirmClear": "Effacer le calque", "xpack.lens.layer.confirmDelete": "Supprimer le calque", @@ -17790,6 +18995,7 @@ "xpack.lens.layer.confirmModal.deleteRefLine": "La suppression de ce calque supprime les lignes de référence et leurs configurations. ", "xpack.lens.layer.confirmModal.deleteVis": "La suppression de ce calque supprime la visualisation et ses configurations. ", "xpack.lens.layer.confirmModal.dontAskAgain": "Ne plus me demander", + "xpack.lens.layerActions.layerSettingsAction": "Paramètres du calque", "xpack.lens.layerPanel.layerVisualizationType": "Type de visualisation du calque", "xpack.lens.layerPanel.missingDataView": "Vue de données introuvable", "xpack.lens.legacyMetric.addLayer": "Visualisation", @@ -17825,17 +19031,33 @@ "xpack.lens.metric.colorMode.static": "Statique", "xpack.lens.metric.dynamicColoring.label": "Mode couleur", "xpack.lens.metric.groupLabel": "Valeur d’objectif et unique", + "xpack.lens.metric.headingLabel": "Valeur", "xpack.lens.metric.label": "Indicateur", "xpack.lens.metric.labels": "Étiquettes", + "xpack.lens.metric.layerType.trendLine": "Courbe de tendance", "xpack.lens.metric.max": "Valeur maximale", "xpack.lens.metric.maxColumns": "Colonnes du calque", "xpack.lens.metric.maxTooltip": "Si la valeur maximale est spécifiée, la valeur minimale est fixée à zéro.", + "xpack.lens.metric.prefix.auto": "Auto", + "xpack.lens.metric.prefix.custom": "Personnalisé", + "xpack.lens.metric.prefix.label": "Préfixe", + "xpack.lens.metric.prefix.none": "Aucun", "xpack.lens.metric.prefixText.label": "Préfixe", "xpack.lens.metric.progressDirection.horizontal": "Horizontal", "xpack.lens.metric.progressDirection.vertical": "Vertical", - "xpack.lens.metric.progressDirectionLabel": "Direction des barres", + "xpack.lens.metric.progressDirectionLabel": "Orientation de la barre", "xpack.lens.metric.secondaryMetric": "Indicateur secondaire", "xpack.lens.metric.subtitleLabel": "Sous-titre", + "xpack.lens.metric.summportingVis.needMaxDimension": "Les visualisations des barres requièrent la définition d'une valeur maximale.", + "xpack.lens.metric.supportingVis.label": "Visualisation de support", + "xpack.lens.metric.supportingVis.metricHasReducedTimeRange": "Les visualisations linéaires ne peuvent pas être utilisées lorsqu'une plage temporelle réduite est appliquée à l'indicateur principal.", + "xpack.lens.metric.supportingVis.needDefaultTimeField": "Les visualisations linéaires requièrent l'utilisation d'une vue de données avec un champ temporel par défaut.", + "xpack.lens.metric.supportingVis.secondaryMetricHasReducedTimeRange": "Les visualisations linéaires ne peuvent pas être utilisées lorsqu'une plage temporelle réduite est appliquée à l'indicateur secondaire.", + "xpack.lens.metric.supportingVis.type": "Type", + "xpack.lens.metric.supportingVisualization.bar": "Barres", + "xpack.lens.metric.supportingVisualization.none": "Aucun", + "xpack.lens.metric.supportingVisualization.trendline": "Ligne", + "xpack.lens.metric.timeField": "Champ temporel", "xpack.lens.pageTitle": "Lens", "xpack.lens.paletteHeatmapGradient.customize": "Modifier", "xpack.lens.paletteHeatmapGradient.customizeLong": "Modifier la palette", @@ -17845,16 +19067,28 @@ "xpack.lens.paletteTableGradient.customize": "Modifier", "xpack.lens.paletteTableGradient.label": "Couleur", "xpack.lens.pie.addLayer": "Visualisation", + "xpack.lens.pie.collapsedDimensionsDontCount": "(Les dimensions réduites ne sont pas concernées par cette limite.)", "xpack.lens.pie.donutLabel": "Graphique en anneau", "xpack.lens.pie.groupLabel": "Proportion", + "xpack.lens.pie.groupMetricLabel": "Indicateurs", + "xpack.lens.pie.groupMetricLabelSingular": "Indicateur", + "xpack.lens.pie.headingLabel": "Valeur", + "xpack.lens.pie.horizontalAxisDimensionLabel": "Axe horizontal", + "xpack.lens.pie.horizontalAxisLabel": "Axe horizontal", "xpack.lens.pie.mosaiclabel": "Mosaïque", "xpack.lens.pie.mosaicSuggestionLabel": "En mosaïque", "xpack.lens.pie.pielabel": "Camembert", + "xpack.lens.pie.sliceDimensionGroupLabel": "Section", "xpack.lens.pie.sliceGroupLabel": "Section par", "xpack.lens.pie.smallValuesWarningMessage": "Les graphiques en gaufre ne permettent pas d’afficher correctement les petites valeurs de champ. Pour afficher toutes les valeurs de champ, utilisez le tableau de données ou le compartimentage.", + "xpack.lens.pie.tooManyDimensions": "Votre visualisation comporte trop de dimensions.", + "xpack.lens.pie.tooManyDimensionsLong": "Votre visualisation comporte trop de dimensions. Veuillez suivre les instructions dans le panneau des calques.", + "xpack.lens.pie.treemapDimensionGroupLabel": "Regrouper", "xpack.lens.pie.treemapGroupLabel": "Regrouper par", "xpack.lens.pie.treemaplabel": "Compartimentage", "xpack.lens.pie.treemapSuggestionLabel": "Comme compartimentage", + "xpack.lens.pie.verticalAxisDimensionLabel": "Axe vertical", + "xpack.lens.pie.verticalAxisLabel": "Axe vertical", "xpack.lens.pie.wafflelabel": "Gaufre", "xpack.lens.pie.waffleSuggestionLabel": "En gaufre", "xpack.lens.pieChart.categoriesInLegendLabel": "Masquer les étiquettes", @@ -17868,6 +19102,7 @@ "xpack.lens.pieChart.legendVisibility.auto": "Auto", "xpack.lens.pieChart.legendVisibility.hide": "Masquer", "xpack.lens.pieChart.legendVisibility.show": "Afficher", + "xpack.lens.pieChart.multipleMetrics": "Plusieurs indicateurs", "xpack.lens.pieChart.nestedLegendLabel": "Imbriqué", "xpack.lens.pieChart.numberLabels": "Valeurs", "xpack.lens.pieChart.percentDecimalsLabel": "Nombre maximal de décimales pour les pourcentages", @@ -17877,9 +19112,14 @@ "xpack.lens.pieChart.showTreemapCategoriesLabel": "Afficher les étiquettes", "xpack.lens.pieChart.valuesLabel": "Étiquettes", "xpack.lens.pieChart.visualOptionsLabel": "Options visuelles", + "xpack.lens.primaryMetric.headingLabel": "Valeur", "xpack.lens.primaryMetric.label": "Indicateur principal", + "xpack.lens.queryInput.appName": "Lens", + "xpack.lens.randomSampling.experimentalLabel": "Version d'évaluation technique", + "xpack.lens.resetLayerAriaLabel": "Effacer le calque", "xpack.lens.saveDuplicateRejectedDescription": "La confirmation d'enregistrement avec un doublon de titre a été rejetée.", "xpack.lens.searchTitle": "Lens : créer des visualisations", + "xpack.lens.section.bannerMessagesLabel": "Messages de déclassement", "xpack.lens.section.configPanelLabel": "Panneau de configuration", "xpack.lens.section.dataPanelLabel": "Panneau de données", "xpack.lens.section.workspaceLabel": "Espace de travail de visualisation", @@ -17888,6 +19128,7 @@ "xpack.lens.shared.AppearanceLabel": "Apparence", "xpack.lens.shared.axisNameLabel": "Titre de l'axe", "xpack.lens.shared.chartValueLabelVisibilityLabel": "Étiquettes", + "xpack.lens.shared.chartValueLabelVisibilityTooltip": "Si l'espace est insuffisant, les étiquettes de valeurs pourront être masquées", "xpack.lens.shared.curveLabel": "Options visuelles", "xpack.lens.shared.legend.filterForValueButtonAriaLabel": "Filtrer sur la valeur", "xpack.lens.shared.legend.filterOutValueButtonAriaLabel": "Exclure la valeur", @@ -17922,6 +19163,7 @@ "xpack.lens.shared.valueInLegendLabel": "Afficher la valeur", "xpack.lens.shared.valueLabelsVisibility.auto": "Masquer", "xpack.lens.shared.valueLabelsVisibility.inside": "Afficher", + "xpack.lens.staticValue.headingLabel": "Placement", "xpack.lens.sugegstion.refreshSuggestionLabel": "Actualiser", "xpack.lens.suggestion.refreshSuggestionTooltip": "Actualisez les suggestions en fonction de la visualisation sélectionnée.", "xpack.lens.suggestions.applyChangesLabel": "Appliquer les modifications", @@ -17934,6 +19176,7 @@ "xpack.lens.table.alignment.right": "Droite", "xpack.lens.table.columnFilter.filterForValueText": "Filtre pour la colonne", "xpack.lens.table.columnFilter.filterOutValueText": "Filtrer la colonne", + "xpack.lens.table.columnFilterClickLabel": "Filtrer directement avec un clic", "xpack.lens.table.columnVisibilityLabel": "Masquer la colonne", "xpack.lens.table.defaultAriaLabel": "Visualisation du tableau de données", "xpack.lens.table.dynamicColoring.cell": "Cellule", @@ -17942,7 +19185,7 @@ "xpack.lens.table.dynamicColoring.text": "Texte", "xpack.lens.table.hide.hideLabel": "Masquer", "xpack.lens.table.palettePanelContainer.back": "Retour", - "xpack.lens.table.palettePanelTitle": "Modifier la couleur", + "xpack.lens.table.palettePanelTitle": "Couleur", "xpack.lens.table.resize.reset": "Réinitialiser la largeur", "xpack.lens.table.rowHeight.auto": "Ajustement automatique", "xpack.lens.table.rowHeight.custom": "Personnalisé", @@ -17964,13 +19207,18 @@ "xpack.lens.table.visualOptionsHeaderRowHeightLabel": "Hauteur de ligne d’en-tête", "xpack.lens.table.visualOptionsPaginateTable": "Paginer le tableau", "xpack.lens.table.visualOptionsPaginateTableTooltip": "La pagination est masquée lorsqu’il y a moins de 10 éléments.", + "xpack.lens.textBasedLanguages.chooseField": "Champ", + "xpack.lens.textBasedLanguages.missingField": "Champ manquant", "xpack.lens.timeScale.normalizeNone": "Aucun", + "xpack.lens.timeShift.none": "Aucun", "xpack.lens.TSVBLabel": "TSVB", + "xpack.lens.uiErrors.unexpectedError": "Une erreur inattendue s'est produite.", "xpack.lens.unknownVisType.shortMessage": "Type de visualisation inconnu", "xpack.lens.visTypeAlias.description": "Créez des visualisations avec notre éditeur de glisser-déposer. Basculez entre les différents types de visualisation à tout moment.", "xpack.lens.visTypeAlias.note": "Recommandé pour la plupart des utilisateurs.", "xpack.lens.visTypeAlias.title": "Lens", "xpack.lens.visTypeAlias.type": "Lens", + "xpack.lens.visualizeAggBasedLegend": "Visualiser le graphique basé sur une agrégation", "xpack.lens.visualizeTSVBLegend": "Visualiser le graphique TSVB", "xpack.lens.xyChart.addAnnotationsLayerLabel": "Annotations", "xpack.lens.xyChart.addAnnotationsLayerLabelDisabledHelp": "Les annotations nécessitent un graphique temporel pour fonctionner. Ajoutez un histogramme de dates.", @@ -17979,9 +19227,24 @@ "xpack.lens.xyChart.addLayerTooltip": "Utilisez plusieurs calques pour combiner les types de visualisation ou pour visualiser différentes vues de données.", "xpack.lens.xyChart.addReferenceLineLayerLabel": "Lignes de référence", "xpack.lens.xyChart.addReferenceLineLayerLabelDisabledHelp": "Ajouter des données pour activer le calque de référence", + "xpack.lens.xyChart.annotation.hide": "Masquer l’annotation", + "xpack.lens.xyChart.annotation.manual": "Date statique", + "xpack.lens.xyChart.annotation.query": "Requête personnalisée", + "xpack.lens.xyChart.annotation.queryField": "Champ de date cible", + "xpack.lens.xyChart.annotation.queryInput": "Requête sur les annotations", + "xpack.lens.xyChart.annotation.tooltip": "Afficher les champs supplémentaires", + "xpack.lens.xyChart.annotation.tooltip.addField": "Ajouter un champ", + "xpack.lens.xyChart.annotation.tooltip.deleteButtonLabel": "Supprimer", + "xpack.lens.xyChart.annotation.tooltip.noFields": "Aucune sélection", "xpack.lens.xyChart.annotationDate": "Date de l’annotation", "xpack.lens.xyChart.annotationDate.from": "De", + "xpack.lens.xyChart.annotationDate.placementType": "Type de placement", "xpack.lens.xyChart.annotationDate.to": "À", + "xpack.lens.xyChart.annotationError.timeFieldEmpty": "Le champ temporel est manquant", + "xpack.lens.xyChart.annotations.ignoreGlobalFiltersDescription": "Toutes les dimensions configurées dans ce calque ignorent les filtres définis au niveau de Kibana.", + "xpack.lens.xyChart.annotations.ignoreGlobalFiltersLabel": "Ignorer les filtres globaux", + "xpack.lens.xyChart.annotations.keepGlobalFiltersDescription": "Toutes les dimensions configurées dans ce calque respectent les filtres définis au niveau de Kibana.", + "xpack.lens.xyChart.annotations.keepGlobalFiltersLabel": "Conserver les filtres globaux", "xpack.lens.xyChart.appearance": "Apparence", "xpack.lens.xyChart.applyAsRange": "Appliquer en tant que plage", "xpack.lens.xyChart.axisExtent.custom": "Personnalisé", @@ -18032,11 +19295,14 @@ "xpack.lens.xyChart.iconSelect.mapMarkerLabel": "Repère", "xpack.lens.xyChart.iconSelect.mapPinLabel": "Punaise", "xpack.lens.xyChart.iconSelect.noIconLabel": "Aucun", + "xpack.lens.xyChart.iconSelect.starFilledLabel": "Étoile remplie", "xpack.lens.xyChart.iconSelect.starLabel": "Étoile", "xpack.lens.xyChart.iconSelect.tagIconLabel": "Balise", "xpack.lens.xyChart.iconSelect.triangleIconLabel": "Triangle", "xpack.lens.xyChart.inclusiveZero": "Les limites doivent inclure zéro.", + "xpack.lens.xyChart.layerAnnotation": "Annotation", "xpack.lens.xyChart.layerAnnotationsLabel": "Annotations", + "xpack.lens.xyChart.layerReferenceLine": "Ligne de référence", "xpack.lens.xyChart.layerReferenceLineLabel": "Lignes de référence", "xpack.lens.xyChart.leftAxisDisabledHelpText": "Ce paramètre s'applique uniquement lorsque l'axe de gauche est activé.", "xpack.lens.xyChart.leftAxisLabel": "Axe de gauche", @@ -18049,6 +19315,7 @@ "xpack.lens.xyChart.lineMarker.auto": "Auto", "xpack.lens.xyChart.lineMarker.icon": "Décoration de l’icône", "xpack.lens.xyChart.lineMarker.position": "Position de la décoration", + "xpack.lens.xyChart.lineMarker.textVisibility.field": "Champ", "xpack.lens.xyChart.lineMarker.textVisibility.name": "Nom", "xpack.lens.xyChart.lineMarker.textVisibility.none": "Aucun", "xpack.lens.xyChart.lineStyle.dashed": "Tirets", @@ -18064,6 +19331,10 @@ "xpack.lens.xyChart.missingValuesStyle": "Afficher sous la forme d’une ligne pointillée", "xpack.lens.xyChart.nestUnderRoot": "Ensemble de données entier", "xpack.lens.xyChart.placement": "Placement", + "xpack.lens.xyChart.randomSampling.accuracyLabel": "Précision", + "xpack.lens.xyChart.randomSampling.label": "Échantillonnage aléatoire", + "xpack.lens.xyChart.randomSampling.learnMore": "Afficher la documentation", + "xpack.lens.xyChart.randomSampling.speedLabel": "Rapidité", "xpack.lens.xyChart.rightAxisDisabledHelpText": "Ce paramètre s'applique uniquement lorsque l'axe de droite est activé.", "xpack.lens.xyChart.rightAxisLabel": "Axe de droite", "xpack.lens.xyChart.scaleLinear": "Linéaire", @@ -18072,9 +19343,11 @@ "xpack.lens.xyChart.seriesColor.auto": "Auto", "xpack.lens.xyChart.seriesColor.label": "Couleur de la série", "xpack.lens.xyChart.setScale": "Échelle de l'axe", + "xpack.lens.xyChart.showCurrenTimeMarker": "Afficher le repère de temps actuel", "xpack.lens.xyChart.showEnzones": "Afficher les marqueurs de données partielles", - "xpack.lens.xyChart.splitSeries": "Répartir par", + "xpack.lens.xyChart.splitSeries": "Répartition", "xpack.lens.xyChart.tickLabels": "Étiquettes de graduation", + "xpack.lens.xyChart.tooltip": "Infobulle", "xpack.lens.xyChart.topAxisDisabledHelpText": "Ce paramètre s'applique uniquement lorsque l'axe du haut est activé.", "xpack.lens.xyChart.topAxisLabel": "Axe du haut", "xpack.lens.xyChart.valuesHistogramDisabledHelpText": "Ce paramètre ne peut pas être modifié dans les histogrammes.", @@ -18207,6 +19480,7 @@ "xpack.lists.exceptions.builder.fieldLabel": "Champ", "xpack.lists.exceptions.builder.operatorLabel": "Opérateur", "xpack.lists.exceptions.builder.valueLabel": "Valeur", + "xpack.lists.exceptions.comboBoxCustomOptionText": "Sélectionnez un champ dans la liste. Si votre champ n'est pas disponible, créez un champ personnalisé.", "xpack.lists.exceptions.orDescription": "OR", "xpack.logstash.addRoleAlert.grantAdditionalPrivilegesDescription": "Dans Kibana Management, affectez le rôle {role} à votre utilisateur Kibana.", "xpack.logstash.confirmDeleteModal.deletedPipelinesConfirmButtonLabel": "Supprimer les pipelines {numPipelinesSelected}", @@ -18297,6 +19571,7 @@ "xpack.logstash.workersTooltip": "Nombre de personnes de l'équipe qui exécuteront en parallèle les étapes de filtre et de sortie du pipeline. Si vous constatez que les événements s'accumulent ou que le CPU n'est pas saturé, envisagez d'augmenter ce nombre pour mieux utiliser la puissance de traitement de la machine.\n\nValeur par défaut : Nombre de cœurs de processeur de l'hôte", "xpack.maps.blendedVectorLayer.clusteredLayerName": "{displayName} en cluster", "xpack.maps.common.esSpatialRelation.clusterFilterLabel": "intersecte le cluster à {gridId}", + "xpack.maps.deleteLayerConfirmModal.multiLayerWarning": "Le retrait de ce calque retire également {numChildren} {numChildren, plural, one {calque imbriqué} other {calques imbriqués}}.", "xpack.maps.embeddable.boundsFilterLabel": "{geoFieldsLabel} dans les limites de la carte", "xpack.maps.es_geo_utils.convert.unsupportedGeometryTypeErrorMessage": "Impossible de convertir la géométrie {geometryType} en geojson, non pris en charge", "xpack.maps.es_geo_utils.distanceFilterAlias": "dans un rayon de {distanceKm} km de {pointLabel}", @@ -18336,6 +19611,7 @@ "xpack.maps.sescurity.destinationLayerLabel": "{indexPatternTitle} | Point de destination", "xpack.maps.sescurity.lineLayerLabel": "{indexPatternTitle} | Ligne", "xpack.maps.sescurity.sourceLayerLabel": "{indexPatternTitle} | Point source", + "xpack.maps.setViewControl.outOfRangeErrorMsg": "Doit être compris entre {min} et {max}", "xpack.maps.source.ems_xyzDescription": "Service de cartographie d'images matricielles utilisant le modèle URL {z}/{x}/{y}.", "xpack.maps.source.ems.noOnPremConnectionDescription": "Connexion à {host} impossible.", "xpack.maps.source.emsFile.unableToFindFileIdErrorMessage": "Impossible de trouver des formes de vecteur EMS pour l'ID : {id}. {info}", @@ -18349,12 +19625,14 @@ "xpack.maps.source.esGrid.compositeInspectorDescription": "Demande d'agrégation de grille géographique Elasticsearch : {requestId}", "xpack.maps.source.esGrid.compositePaginationErrorMessage": "{layerName} génère trop de requêtes. Réduisez \"Résolution de la grille\" et/ou réduisez le nombre d'indicateurs de premier terme.", "xpack.maps.source.esGrid.resolutionParamErrorMessage": "Paramètre de résolution de grille non reconnu : {resolution}", + "xpack.maps.source.esJoin.countLabel": "Compte de {indexPatternLabel}", "xpack.maps.source.esJoin.joinDescription": "Demande d'agrégation des termes Elasticsearch, source gauche : {leftSource}, source droite : {rightSource}", "xpack.maps.source.esSearch.clusterScalingLabel": "Afficher les clusters lorsque les résultats dépassent {maxResultWindow}", "xpack.maps.source.esSearch.convertToGeoJsonErrorMsg": "Impossible de convertir la réponse de la recherche à la collecte de fonctionnalités geoJson, erreur : {errorMsg}", "xpack.maps.source.esSearch.limitScalingLabel": "Limiter les résultats à {maxResultWindow}", "xpack.maps.source.esSearch.loadTooltipPropertiesErrorMsg": "Document introuvable, _id : {docId}", "xpack.maps.source.esSearch.mvtScalingJoinMsg": "Les tuiles vectorielles prennent en charge une seule liaison de terme. Votre calque comporte {numberOfJoins} liaisons de terme. Le passage aux tuiles vectorielles conservera la première liaison de terme et supprimera toutes les autres liaisons de terme de votre configuration de calque.", + "xpack.maps.source.esSource.noGeoFieldErrorMessage": "La vue de données \"{indexPatternLabel}\"\" ne contient plus le champ géographique \"{geoField}\"", "xpack.maps.source.esSource.requestFailedErrorMessage": "Échec de la demande de recherche Elasticsearch, erreur : {message}", "xpack.maps.source.esSource.stylePropsMetaRequestName": "{layerName} - métadonnées", "xpack.maps.source.MVTSingleLayerVectorSourceEditor.urlHelpMessage": "URL du service de cartographie vectoriel .mvt. Par ex. {url}", @@ -18431,6 +19709,10 @@ "xpack.maps.dataView.notFoundMessage": "Vue de données \"{id}\" introuvable", "xpack.maps.dataView.selectPlacholder": "Sélectionner la vue de données", "xpack.maps.deleteBtnTitle": "Supprimer", + "xpack.maps.deleteLayerConfirmModal.cancelButtonText": "Annuler", + "xpack.maps.deleteLayerConfirmModal.confirmButtonText": "Retirer un calque", + "xpack.maps.deleteLayerConfirmModal.title": "Retirer le calque ?", + "xpack.maps.deleteLayerConfirmModal.unrecoverableWarning": "Vous ne pouvez pas récupérer les calques supprimés.", "xpack.maps.discover.visualizeFieldLabel": "Visualiser dans Maps", "xpack.maps.distanceFilterForm.filterLabelLabel": "Étiquette du filtre", "xpack.maps.drawFeatureControl.invalidGeometry": "Géométrie non valide détectée", @@ -18518,10 +19800,12 @@ "xpack.maps.layer.loadWarningAriaLabel": "Avertissement de charge", "xpack.maps.layerControl.addLayerButtonLabel": "Ajouter un calque", "xpack.maps.layerControl.closeLayerTOCButtonAriaLabel": "Réduire le panneau des calques", + "xpack.maps.layerControl.hideAllLayersButton": "Masquer tous les calques", "xpack.maps.layerControl.layersTitle": "Calques", "xpack.maps.layerControl.layerTocActions.editFeaturesButtonLabel": "Modifier les fonctionnalités", "xpack.maps.layerControl.layerTocActions.layerSettingsButtonLabel": "Modifier les paramètres du calque", "xpack.maps.layerControl.openLayerTOCButtonAriaLabel": "Développer le panneau des calques", + "xpack.maps.layerControl.showAllLayersButton": "Afficher tous les calques", "xpack.maps.layerControl.tocEntry.EditFeatures": "Modifier les fonctionnalités", "xpack.maps.layerControl.tocEntry.exitEditModeAriaLabel": "Quitter", "xpack.maps.layerControl.tocEntry.grabButtonAriaLabel": "Réorganiser les calques", @@ -18530,6 +19814,9 @@ "xpack.maps.layerControl.tocEntry.hideDetailsButtonTitle": "Masquer les détails du calque", "xpack.maps.layerControl.tocEntry.showDetailsButtonAriaLabel": "Afficher les détails du calque", "xpack.maps.layerControl.tocEntry.showDetailsButtonTitle": "Afficher les détails du calque", + "xpack.maps.layerGroup.defaultName": "Groupe de calques", + "xpack.maps.layerGroupWizard.description": "Organiser les calques associés dans une hiérarchie", + "xpack.maps.layerGroupWizard.title": "Groupe de calques", "xpack.maps.layerPanel.filterEditor.addFilterButtonLabel": "Définir le filtre", "xpack.maps.layerPanel.filterEditor.editFilterButtonLabel": "Modifier le filtre", "xpack.maps.layerPanel.filterEditor.emptyState.description": "Ajouter un filtre pour affiner les données du calque.", @@ -18563,12 +19850,17 @@ "xpack.maps.layerPanel.metricsExpression.helpText": "Configurez les indicateurs pour la source droite. Ces valeurs sont ajoutées aux fonctionnalités du calque.", "xpack.maps.layerPanel.metricsExpression.joinMustBeSetErrorMessage": "La LIAISON doit être configurée", "xpack.maps.layerPanel.metricsExpression.metricsPopoverTitle": "Indicateurs", + "xpack.maps.layerPanel.settingsPanel.DisableTooltips": "Afficher les infobulles", "xpack.maps.layerPanel.settingsPanel.fittableFlagLabel": "Inclure le calque dans le calcul Ajuster aux limites de données", "xpack.maps.layerPanel.settingsPanel.fittableFlagTooltip": "Ajuster aux limites de données permet d'ajuster l'étendue de votre carte pour afficher toutes vos données. Les calques peuvent fournir des données de référence et ils ne doivent pas être inclus dans le calcul Ajuster aux limites de données. Utilisez cette option pour exclure un calque du calcul Ajuster aux limites de données.", "xpack.maps.layerPanel.settingsPanel.labelLanguageAutoselectDropDown": "Sélection automatique basée sur les paramètres régionaux de Kibana", "xpack.maps.layerPanel.settingsPanel.labelLanguageLabel": "Langue de l'étiquette", "xpack.maps.layerPanel.settingsPanel.labelLanguageNoneDropDown": "Aucun", "xpack.maps.layerPanel.settingsPanel.labelsOnTop": "Afficher les étiquettes sur le dessus", + "xpack.maps.layerPanel.settingsPanel.layerGroupAddToFront": "Pour ajouter votre premier calque, faites-le glisser sur le nom du groupe.", + "xpack.maps.layerPanel.settingsPanel.layerGroupAddToPosition": "Pour ajouter un autre calque, faites-le glisser à n'importe quel emplacement au-dessus du dernier calque du groupe.", + "xpack.maps.layerPanel.settingsPanel.layerGroupCalloutTitle": "Faire glisser les calques à l'intérieur et à l'extérieur du groupe", + "xpack.maps.layerPanel.settingsPanel.layerGroupRemove": "Pour retirer un calque, faites-le glisser en dessous ou au-dessus du groupe.", "xpack.maps.layerPanel.settingsPanel.layerNameLabel": "Nom", "xpack.maps.layerPanel.settingsPanel.layerTransparencyLabel": "Opacité", "xpack.maps.layerPanel.settingsPanel.percentageLabel": "%", @@ -18593,6 +19885,7 @@ "xpack.maps.layerTocActions.removeLayerTitle": "Retirer un calque", "xpack.maps.layerTocActions.showLayerTitle": "Afficher le calque", "xpack.maps.layerTocActions.showThisLayerOnlyTitle": "Afficher ce calque uniquement", + "xpack.maps.layerTocActions.ungroupLayerTitle": "Dégrouper les calques", "xpack.maps.layerWizardSelect.allCategories": "Tous", "xpack.maps.layerWizardSelect.elasticsearchCategoryLabel": "Elasticsearch", "xpack.maps.layerWizardSelect.referenceCategoryLabel": "Référence", @@ -18722,6 +20015,8 @@ "xpack.maps.security.desc": "Calques de sécurité", "xpack.maps.security.disabledDesc": "Vue de données Security introuvable. Pour commencer à utiliser Security, accédez à Security > Overview (Aperçu).", "xpack.maps.security.title": "Sécurité", + "xpack.maps.setViewControl.changeCoordinateSystemButtonLabel": "Système de coordonnées", + "xpack.maps.setViewControl.decimalDegreesLabel": "Degrés décimaux", "xpack.maps.setViewControl.goToButtonLabel": "Atteindre", "xpack.maps.setViewControl.latitudeLabel": "Latitude", "xpack.maps.setViewControl.longitudeLabel": "Longitude", @@ -18798,6 +20093,7 @@ "xpack.maps.source.esSearch.clusterScalingJoinMsg": "La montée en charge avec les clusters ne prend pas en charge les liaisons de terme. Le passage aux clusters entraînera la suppression de toutes les liaisons de terme de la configuration de calque.", "xpack.maps.source.esSearch.descendingLabel": "décroissant", "xpack.maps.source.esSearch.extentFilterLabel": "Filtre dynamique pour les données de la zone de carte visible", + "xpack.maps.source.esSearch.fieldNotFoundMsg": "Impossible de trouver \"{fieldName}\" dans le modèle d'indexation \"{indexPatternName}\".", "xpack.maps.source.esSearch.geofieldLabel": "Champ géospatial", "xpack.maps.source.esSearch.geoFieldLabel": "Champ géospatial", "xpack.maps.source.esSearch.geoFieldTypeLabel": "Type de champ géospatial", @@ -18864,6 +20160,8 @@ "xpack.maps.style.customColorPaletteLabel": "Palette de couleurs personnalisée", "xpack.maps.style.customColorRampLabel": "Dégradé de couleurs personnalisé", "xpack.maps.style.field.unsupportedWithVectorTileMsg": "\"{styleLabel}\" ne prend pas en charge ce champ avec les tuiles vectorielles. Pour définir le style de \"{styleLabel}\" avec ce champ, sélectionnez \"Limiter les résultats\" dans \"Montée en charge\".", + "xpack.maps.style.revereseColorsLabel": "Inverser les couleurs", + "xpack.maps.style.revereseSizeLabel": "Inverser la taille", "xpack.maps.styles.categorical.otherCategoryLabel": "Autre", "xpack.maps.styles.categoricalDataMapping.isEnabled.local": "Lorsque cette option est désactivée, calcule les catégories à partir des données locales et recalcule les catégories lorsque les données sont modifiées. Les styles peuvent manquer de cohérence lorsque les utilisateurs effectuent un panoramique, zooment ou filtrent.", "xpack.maps.styles.categoricalDataMapping.isEnabled.server": "Calcule les catégories à partir de l'ensemble de données tout entier. Les styles restent cohérents lorsque les utilisateurs effectuent un panoramique, zooment ou filtrent.", @@ -18982,6 +20280,8 @@ "xpack.maps.tooltipSelector.togglePopoverLabel": "Ajouter", "xpack.maps.tooltipSelector.trashButtonAriaLabel": "Supprimer la propriété", "xpack.maps.tooltipSelector.trashButtonTitle": "Supprimer la propriété", + "xpack.maps.topNav.cancel": "Annuler", + "xpack.maps.topNav.cancelButtonAriaLabel": "Revenir à la dernière application sans enregistrer les modifications", "xpack.maps.topNav.fullScreenButtonLabel": "plein écran", "xpack.maps.topNav.fullScreenDescription": "plein écran", "xpack.maps.topNav.openInspectorButtonLabel": "inspecter", @@ -19045,6 +20345,8 @@ "xpack.ml.anomaliesTable.anomalyDetails.multivariateDescription": "corrélations multi-variable trouvées dans {sourceByFieldName} ; {sourceByFieldValue} est considéré comme anormal en fonction de {sourceCorrelatedByFieldValue}", "xpack.ml.anomaliesTable.anomalyDetails.regexDescriptionTooltip": "Expression régulière qui est utilisée pour rechercher des valeurs correspondant à la catégorie (peut être tronquée à une limite de caractères maximale de {maxChars})", "xpack.ml.anomaliesTable.anomalyDetails.termsDescriptionTooltip": "Liste des tokens courants séparés par un espace correspondant aux valeurs de la catégorie (peut être tronquée à une limite de caractères maximale de {maxChars})", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.anomalyType.dip": "Baisse sur {anomalyLength, plural, one {# compartiment} other {# compartiments}}", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.anomalyType.spike": "Pic sur {anomalyLength, plural, one {# compartiment} other {# compartiments}}", "xpack.ml.anomaliesTable.influencersCell.moreInfluencersLinkText": "et {othersCount} de plus", "xpack.ml.anomaliesTable.linksMenu.loadingDetailsErrorMessage": "Impossible de voir les exemples car une erreur est survenue pendant le chargement des détails sur l'ID de catégorie {categoryId}", "xpack.ml.anomaliesTable.linksMenu.noMappingCouldBeFoundErrorMessage": "Impossible de voir les exemples de documents avec mlcategory {categoryId} car aucun mapping n'a été trouvé pour le champ de catégorisation {categorizationFieldName}", @@ -19073,6 +20375,8 @@ "xpack.ml.dataframe.analytics.classificationExploration.generalizationDocsCount": "{docsCount, plural, one {document évalué} other {documents évalués}}", "xpack.ml.dataframe.analytics.classificationExploration.tableJobIdTitle": "Index de destination pour l'ID de tâche de classification {jobId}", "xpack.ml.dataframe.analytics.clone.creationPageTitle": "Cloner la tâche à partir de {jobId}", + "xpack.ml.dataframe.analytics.cloneAction.dataViewPromptLink": "{linkToDataViewManagement}", + "xpack.ml.dataframe.analytics.cloneAction.dataViewPromptLinkText": "Créer une vue de données pour {sourceIndex}", "xpack.ml.dataframe.analytics.create.advancedEditor.errorCheckingJobIdExists": "L'erreur suivante s'est produite lors de la vérification de l'existence de l'ID de la tâche : {error}", "xpack.ml.dataframe.analytics.create.advancedEditorMessage.numTopFeatureImportanceValuesInvalid": "La valeur de num_top_feature_importance_values doit être un entier de {min} ou supérieur.", "xpack.ml.dataframe.analytics.create.advancedEditorMessage.trainingPercentInvalid": "Le pourcentage d'entraînement doit être un nombre compris entre {min} et {max}.", @@ -19097,7 +20401,7 @@ "xpack.ml.dataframe.analytics.create.UseResultsFieldDefaultLabel": "Utiliser la valeur par défaut du champ de résultats \"{defaultValue}\"", "xpack.ml.dataframe.analytics.create.zeroClassesMessage": "Pour évaluer le {wikiLink}, sélectionnez toutes les classes ou une valeur supérieure au nombre total de catégories.", "xpack.ml.dataframe.analytics.creationPageSourceIndexTitle": "Vue de données source : {dataViewTitle}", - "xpack.ml.dataframe.analytics.dataViewPromptLink": "{linkToDataViewManagement} for {destIndex}.", + "xpack.ml.dataframe.analytics.dataViewPromptLink": "{linkToDataViewManagement}{destIndex}.", "xpack.ml.dataframe.analytics.dataViewPromptMessage": "Il n’existe aucune vue de données pour l’index {destIndex}. ", "xpack.ml.dataframe.analytics.explorationResults.decisionPathPlotHelpText": "Les tracés de décision SHAP utilisent les {linkedFeatureImportanceValues} pour montrer comment les modèles arrivent à la valeur prédite pour \"{predictionFieldName}\".", "xpack.ml.dataframe.analytics.explorationResults.decisionPathXAxisTitle": "{xAxisLabel} pour \"{predictionFieldName}\"", @@ -19125,6 +20429,7 @@ "xpack.ml.dataframe.analyticsList.errorWithCheckingIfUserCanDeleteIndexNotificationErrorMessage": "Une erreur s'est produite lors de la vérification de la possibilité pour un utilisateur de supprimer {destinationIndex} : {error}", "xpack.ml.dataframe.analyticsList.fetchSourceDataViewForCloneErrorMessage": "Une erreur s’est produite lors de la vérification de l’existence de la vue de données {dataView} : {error}", "xpack.ml.dataframe.analyticsList.forceStopModalBody": "{analyticsId} est en état d'échec. Vous devez arrêter la tâche et corriger la défaillance.", + "xpack.ml.dataframe.analyticsList.noSourceDataViewForClone": "Impossible de cloner la tâche d'analyse. Il n'existe aucune vue de données pour l'index {sourceIndex}.", "xpack.ml.dataframe.analyticsList.progressOfPhase": "Progression de la phase {currentPhase} : {progress}%", "xpack.ml.dataframe.analyticsList.rowCollapse": "Masquer les détails pour {analyticsId}", "xpack.ml.dataframe.analyticsList.rowExpand": "Afficher les détails pour {analyticsId}", @@ -19156,12 +20461,14 @@ "xpack.ml.deleteSpaceAwareItemCheckModal.unTagSuccessTitle": "Mise à jour réussie de {id}", "xpack.ml.editModelSnapshotFlyout.calloutText": "Il s'agit du snapshot actuel qui est en cours d'utilisation par {jobId} ; il ne peut donc pas être supprimé.", "xpack.ml.editModelSnapshotFlyout.title": "Modifier le snapshot {ssId}", + "xpack.ml.embeddables.lensLayerFlyout.secondTitle": "Sélectionnez un calque compatible à partir de la visualisation {title} pour créer une tâche de détection des anomalies.", "xpack.ml.entityFilter.addFilterAriaLabel": "Ajouter un filtre pour {influencerFieldName} {influencerFieldValue}", "xpack.ml.entityFilter.removeFilterAriaLabel": "Retirer le filtre pour {influencerFieldName} {influencerFieldValue}", "xpack.ml.explorer.annotationsOutOfTotalCountTitle": "Premiers {visibleCount} sur un total de {totalCount}", "xpack.ml.explorer.annotationsTitle": "Annotations {badge}", "xpack.ml.explorer.annotationsTitleTotalCount": "Total : {count}", "xpack.ml.explorer.anomaliesMap.anomaliesCount": "Nombre d'anomalies : {jobId}", + "xpack.ml.explorer.attachViewBySwimLane": "Afficher par {viewByField}", "xpack.ml.explorer.charts.detectorLabel": "{detectorLabel}{br} distribution des événements de l'axe Y divisée par \"{fieldName}\"", "xpack.ml.explorer.charts.infoTooltip.chartEventDistributionDescription": "Les points gris représentent la distribution approximative des occurrences dans le temps pour un échantillon de {byFieldValuesParam} avec les types d'événements les plus fréquents en haut et les plus rares en bas.", "xpack.ml.explorer.charts.infoTooltip.chartPopulationDistributionDescription": "Les points gris représentent la distribution approximative des valeurs dans le temps pour un échantillon de {overFieldValuesParam}.", @@ -19319,6 +20626,7 @@ "xpack.ml.models.jobValidation.validateJobObject.jobIsNotObjectErrorMessage": "{invalidParamName} non valide : Doit être un objet.", "xpack.ml.models.jobValidation.validateJobObject.timeFieldIsNotStringErrorMessage": "{invalidParamName} non valide : Doit être une chaîne.", "xpack.ml.newJob.fromLens.createJob.error.incorrectFunction": "La fonction sélectionnée {operationType} n'est pas prise en charge par les détecteurs de détection des anomalies", + "xpack.ml.newJob.fromLens.createJob.namedUrlDashboard": "Ouvrir {dashboardName}", "xpack.ml.newJob.page.createJob.dataViewName": "À l’aide de la vue de données {dataViewName}", "xpack.ml.newJob.recognize.createJobButtonLabel": "Créer {numberOfJobs, plural, zero {tâche} one {tâche} other {tâches}}", "xpack.ml.newJob.recognize.dataViewPageTitle": "vue de données {dataViewName}", @@ -19365,6 +20673,9 @@ "xpack.ml.newJob.wizard.validateJob.modelMemoryLimitRangeInvalidErrorMessage": "La limite de mémoire du modèle ne peut pas être supérieure à la valeur maximale de {maxModelMemoryLimit}", "xpack.ml.newJob.wizard.validateJob.modelMemoryLimitUnitsInvalidErrorMessage": "Unité de données de limite de mémoire du modèle non reconnue. L'unité requise est {str}", "xpack.ml.notFoundPage.bannerText": "L'application Machine Learning ne reconnaît pas cet itinéraire : {route}. Vous avez été redirigé vers la page d'aperçu.", + "xpack.ml.notifications.newNotificationsMessage": "Il y a {newNotificationsCount, plural, one {# notification} other {# notifications}} depuis {sinceDate}. Actualisez la page pour afficher les mises à jour.", + "xpack.ml.notificationsIndicator.errorsAndWarningLabel": "Il y a {count, plural, one {# notification} other {# notifications}} avec un niveau d'erreur ou d'avertissement depuis {lastCheckedAt}", + "xpack.ml.notificationsIndicator.unreadLabel": "Vous avez des notifications non lues depuis {lastCheckedAt}", "xpack.ml.overview.analyticsList.emptyPromptHelperText": "Avant de créer une tâche d'analyse du cadre de données, utilisez des {transforms} pour créer une {sourcedata}.", "xpack.ml.overview.feedbackSectionText": "Si vous avez un avis ou des suggestions concernant votre expérience, envoyez des {feedbackLink}.", "xpack.ml.overview.gettingStartedSectionText": "Bienvenue dans Machine Learning. Commencez en passant en revue nos {docs} ou en créant une nouvelle tâche.", @@ -19421,6 +20732,7 @@ "xpack.ml.timeSeriesExplorer.dataNotChartableDescription": "Le tracé de modèle n'est pas collecté pour {entityCount, plural, one {l’entité sélectionnée} other {les entités sélectionnées}}\net les données source ne peuvent pas être tracées pour ce détecteur.", "xpack.ml.timeSeriesExplorer.forecastDataErrorMessage": "Erreur lors du chargement des données de prévision pour l'ID de prévision {forecastId}", "xpack.ml.timeSeriesExplorer.forecastingModal.dataContainsMorePartitionsMessage": "Notez que ces données contiennent plus de {warnNumPartitions} partitions et que l'exécution d'une prévision peut prendre beaucoup de temps et consommer une grande quantité de ressources", + "xpack.ml.timeSeriesExplorer.forecastingModal.errorRunningForecastMessage": "Une erreur s'est produite lors de l'exécution de la prévision : {errorMessage}", "xpack.ml.timeSeriesExplorer.forecastingModal.forecastDurationMustNotBeGreaterThanMaximumErrorMessage": "La durée de la prévision ne doit pas être supérieure à {maximumForecastDurationDays} jours", "xpack.ml.timeSeriesExplorer.forecastingModal.forecastingOnlyAvailableForJobsCreatedInSpecifiedVersionMessage": "La prévision est uniquement disponible pour les tâches créées dans la version {minVersion} ou ultérieure", "xpack.ml.timeSeriesExplorer.forecastingModal.noProgressReportedForNewForecastErrorMessage": "Aucune progression signalée pour la nouvelle prévision de {WarnNoProgressMs}ms.Une erreur s'est peut-être produite lors de l'exécution de la prévision.", @@ -19451,7 +20763,11 @@ "xpack.ml.trainedModels.modelsList.stopFailed": "Impossible d'arrêter \"{modelId}\"", "xpack.ml.trainedModels.modelsList.stopSuccess": "Le déploiement pour \"{modelId}\" a bien été arrêté.", "xpack.ml.trainedModels.modelsList.successfullyDeletedMessage": "{modelsCount, plural, one {Le modèle {modelIds}} other {# modèles}} {modelsCount, plural, one {a bien été supprimé} other {ont bien été supprimés}}.", + "xpack.ml.trainedModels.modelsList.updateDeployment.modalTitle": "Mettre à jour le déploiement {modelId}", + "xpack.ml.trainedModels.modelsList.updateFailed": "Impossible de mettre à jour \"{modelId}\"", + "xpack.ml.trainedModels.modelsList.updateSuccess": "Le déploiement pour \"{modelId}\" a bien été mis à jour.", "xpack.ml.trainedModels.testModelsFlyout.langIdent.output.title": "Cela ressemble au langage {lang}", + "xpack.ml.trainedModels.testModelsFlyout.langIdent.output.titleUnknown": "Code de langage inconnu : {langCode}", "xpack.ml.validateJob.modal.linkToJobTipsText": "Pour en savoir plus, consultez {mlJobTipsLink}.", "xpack.ml.validateJob.modal.validateJobTitle": "Valider la tâche {title}", "xpack.ml.accessDenied.description": "Vous ne disposez pas d'autorisation pour afficher le plug-in de Machine Learning. L'accès au plug-in requiert que la fonctionnalité de Machine Learning soit visible dans cet espace.", @@ -19468,9 +20784,16 @@ "xpack.ml.advancedSettings.anomalyDetectionDefaultTimeRangeName": "Valeurs par défaut du filtre temporel pour les résultats de détection des anomalies", "xpack.ml.advancedSettings.enableAnomalyDetectionDefaultTimeRangeDesc": "Utilisez le filtre temporel par défaut dans Single Metric Viewer et Anomaly Explorer. Si l'option n'est pas activée, les résultats sont affichés pour la plage temporelle entière de la tâche.", "xpack.ml.advancedSettings.enableAnomalyDetectionDefaultTimeRangeName": "Activer les valeurs par défaut du filtre temporel pour les résultats de détection des anomalies", + "xpack.ml.aiops.changePointDetection.docTitle": "Modifier la détection du point", + "xpack.ml.aiops.changePointDetectionBreadcrumbLabel": "Modifier la détection du point", "xpack.ml.aiops.explainLogRateSpikes.docTitle": "Expliquer les pics de taux de log", - "xpack.ml.aiopsBreadcrumbLabel": "AIOps", + "xpack.ml.aiops.explainLogRateSpikesBreadcrumbLabel": "Expliquer les pics de taux de log", + "xpack.ml.aiops.logCategorization.docTitle": "Analyse du modèle de log", + "xpack.ml.aiops.logPatternAnalysisBreadcrumbLabel": "Analyse du modèle de log", + "xpack.ml.aiopsBreadcrumbLabel": "AIOps Labs", + "xpack.ml.aiopsBreadcrumbs.changePointDetectionLabel": "Modifier la détection du point", "xpack.ml.aiopsBreadcrumbs.explainLogRateSpikesLabel": "Expliquer les pics de taux de log", + "xpack.ml.aiopsBreadcrumbs.selectDataViewLabel": "Sélectionner la vue de données", "xpack.ml.alertConditionValidation.title": "La condition d'alerte contient les problèmes suivants :", "xpack.ml.alertContext.anomalyExplorerUrlDescription": "URL pour ouvrir dans Anomaly Explorer", "xpack.ml.alertContext.isInterimDescription": "Indique si les premiers résultats contiennent des résultats temporaires", @@ -19562,6 +20885,26 @@ "xpack.ml.anomaliesTable.anomalyDetails.actualTitle": "Réel", "xpack.ml.anomaliesTable.anomalyDetails.anomalyDescriptionShowLessLinkText": "Afficher moins", "xpack.ml.anomaliesTable.anomalyDetails.anomalyDetailsTitle": "Détails de l'anomalie", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristics": "Impact des caractéristiques des anomalies", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.high": "Impact élevé dû à la durée et à l'ampleur de l'anomalie détectée par rapport à la moyenne historique.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.low": "Impact modéré dû à la durée et à l'ampleur de l'anomalie détectée par rapport à la moyenne historique.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.medium": "Impact moyen dû à la durée et à l'ampleur de l'anomalie détectée par rapport à la moyenne historique.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyType": "Type d'anomalie", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.highVariance": "Intervalles de variance élevés", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.highVarianceTooltip": "Indique la réduction des scores d'anomalie pour le compartiment avec de grands intervalles de confiance. Si un compartiment comporte de grands intervalles de confiance, le score est réduit.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.incompleteBucket": "Compartiment incomplet", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.incompleteBucketTooltip": "Si le compartiment contient moins d'échantillons qu'attendu, le score est réduit. Si le compartiment contient moins d'échantillons qu'attendu, le score est réduit.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucket": "Impact sur plusieurs compartiments", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.high": "Les différences entre les valeurs actuelles et typiques des 12 derniers compartiments ont un impact élevé.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.low": "Les différences entre les valeurs actuelles et typiques des 12 derniers compartiments ont un impact modéré.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.medium": "Les différences entre les valeurs actuelles et typiques des 12 derniers compartiments ont un impact significatif.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.recordScore": "Enregistrer la réduction de score", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.recordScoreTooltip": "Le score d'enregistrement initial a été réduit en fonction de l'analyse des données suivantes.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucket": "Impact sur un seul compartiment", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.high": "La différence entre les valeurs actuelles et typiques de ce compartiment a un impact élevé.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.low": "La différence entre les valeurs actuelles et typiques de ce compartiment a un impact modéré.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.medium": "La différence entre les valeurs actuelles et typiques de ce compartiment a un impact significatif.", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationTitle": "Explication des anomalies", "xpack.ml.anomaliesTable.anomalyDetails.categoryExamplesTitle": "Exemples de catégorie", "xpack.ml.anomaliesTable.anomalyDetails.descriptionTitle": "Description", "xpack.ml.anomaliesTable.anomalyDetails.detailsOnHighestSeverityAnomalyTitle": "Détails sur l'anomalie la plus sévère", @@ -19569,11 +20912,13 @@ "xpack.ml.anomaliesTable.anomalyDetails.examplesTitle": "Exemples", "xpack.ml.anomaliesTable.anomalyDetails.fieldNameTitle": "Nom du champ", "xpack.ml.anomaliesTable.anomalyDetails.functionTitle": "Fonction", + "xpack.ml.anomaliesTable.anomalyDetails.impactOnScoreTitle": "Impact sur le score initial", "xpack.ml.anomaliesTable.anomalyDetails.influencersTitle": "Influenceurs", "xpack.ml.anomaliesTable.anomalyDetails.initialRecordScoreTitle": "Score d'enregistrement initial", "xpack.ml.anomaliesTable.anomalyDetails.initialRecordScoreTooltip": "Score normalisé compris entre 0 et 100, qui indique l'importance relative de l'enregistrement des anomalies lorsque le groupe a été initialement traité.", "xpack.ml.anomaliesTable.anomalyDetails.interimResultLabel": "Résultat temporaire", "xpack.ml.anomaliesTable.anomalyDetails.jobIdTitle": "ID tâche", + "xpack.ml.anomaliesTable.anomalyDetails.lowerBoundsTitle": "Limite inférieure", "xpack.ml.anomaliesTable.anomalyDetails.probabilityTitle": "Probabilité", "xpack.ml.anomaliesTable.anomalyDetails.recordScoreTitle": "Score d'enregistrement", "xpack.ml.anomaliesTable.anomalyDetails.recordScoreTooltip": "Score normalisé compris entre 0 et 100, qui indique l'importance relative du résultat d'enregistrement des anomalies. Cette valeur peut changer au fil de l'analyse de nouvelles données.", @@ -19582,7 +20927,10 @@ "xpack.ml.anomaliesTable.anomalyDetails.termsDescriptionAriaLabel": "Description", "xpack.ml.anomaliesTable.anomalyDetails.termsTitle": "Termes", "xpack.ml.anomaliesTable.anomalyDetails.timeTitle": "Heure", - "xpack.ml.anomaliesTable.anomalyDetails.typicalTitle": "Typique", + "xpack.ml.anomaliesTable.anomalyDetails.typicalTitle": "Type", + "xpack.ml.anomaliesTable.anomalyDetails.upperBoundsTitle": "Limite supérieure", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.no": "Non", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.yes": "Oui", "xpack.ml.anomaliesTable.categoryExamplesColumnName": "Exemples de catégorie", "xpack.ml.anomaliesTable.detectorCell.rulesConfiguredTooltip": "des règles ont été configurées pour ce détecteur", "xpack.ml.anomaliesTable.detectorColumnName": "Détecteur", @@ -19606,6 +20954,7 @@ "xpack.ml.anomaliesTable.linksMenu.viewInDiscover": "Afficher dans Discover", "xpack.ml.anomaliesTable.linksMenu.viewInMapsLabel": "Afficher dans Maps", "xpack.ml.anomaliesTable.linksMenu.viewSeriesLabel": "Voir la série", + "xpack.ml.anomaliesTable.linksMenu.viewSourceIndexInMapsLabel": "Afficher l'index source dans Maps", "xpack.ml.anomaliesTable.metricDescriptionSortColumnName": "Description", "xpack.ml.anomaliesTable.noMatchingAnomaliesFoundTitle": "Aucune anomalie correspondante trouvée", "xpack.ml.anomaliesTable.severityColumnName": "Sévérité", @@ -19691,6 +21040,17 @@ "xpack.ml.calendarsList.table.idColumnName": "ID", "xpack.ml.calendarsList.table.jobsColumnName": "Tâches", "xpack.ml.calendarsList.table.newButtonLabel": "Nouveauté", + "xpack.ml.cases.anomalyCharts.description.jobIdsLabel": "ID des tâches", + "xpack.ml.cases.anomalyCharts.description.timeRangeLabel": "Plage temporelle", + "xpack.ml.cases.anomalyCharts.displayName": "Graphiques d'anomalies", + "xpack.ml.cases.anomalyCharts.embeddableAddedEvent": "graphique d'anomalie ajouté", + "xpack.ml.cases.anomalySwimLane.description.jobIdsLabel": "ID des tâches", + "xpack.ml.cases.anomalySwimLane.description.queryLabel": "Recherche", + "xpack.ml.cases.anomalySwimLane.description.timeRangeLabel": "Plage temporelle", + "xpack.ml.cases.anomalySwimLane.description.viewByLabel": "Afficher par", + "xpack.ml.cases.anomalySwimLane.displayName": "Couloir d'anomalie", + "xpack.ml.cases.anomalySwimLane.embeddableAddedEvent": "couloir d'anomalie ajouté", + "xpack.ml.changePointDetection.pageHeader": "Modifier la détection du point", "xpack.ml.checkLicense.licenseHasExpiredMessage": "Votre licence de Machine Learning a expiré.", "xpack.ml.chrome.help.appName": "Machine Learning", "xpack.ml.common.learnMoreQuestion": "Envie d'en savoir plus ?", @@ -20222,8 +21582,23 @@ "xpack.ml.editModelSnapshotFlyout.saveErrorTitle": "La mise à jour du snapshot du modèle a échoué", "xpack.ml.editModelSnapshotFlyout.useDefaultButton": "Supprimer", "xpack.ml.embeddables.lensLayerFlyout.closeButton": "Fermer", - "xpack.ml.embeddables.lensLayerFlyout.createJobButton": "Créer une tâche à partir de ce calque", + "xpack.ml.embeddables.lensLayerFlyout.createJobButton": "Créer une tâche à l'aide de l'assistant", + "xpack.ml.embeddables.lensLayerFlyout.createJobButton.saving": "Créer une tâche", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.realTime": "Maintenir l'exécution de la tâche pour les nouvelles données", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.start": "Démarrer la tâche après l'enregistrement", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.title": "Paramètres supplémentaires", + "xpack.ml.embeddables.lensLayerFlyout.createJobCalloutTitle.multiMetric": "Ce calque peut être utilisé pour créer une tâche à plusieurs indicateurs", + "xpack.ml.embeddables.lensLayerFlyout.createJobCalloutTitle.singleMetric": "Ce calque peut être utilisé pour créer une tâche à un seul indicateur", + "xpack.ml.embeddables.lensLayerFlyout.creatingJob": "Création de la tâche", "xpack.ml.embeddables.lensLayerFlyout.defaultLayerError": "Ce calque ne peut pas être utilisé pour créer une tâche de détection des anomalies", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.datafeedCreated": "Tâche créée mais impossible de créer le flux de données.", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.datafeedStarted": "Tâche et flux de données créés mais impossible de démarrer le flux de données.", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.jobCreated": "Impossible de créer la tâche.", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.jobOpened": "Tâche et flux de données créés mais impossible d'ouvrir la tâche.", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess": "Tâche créée", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.jobList": "Afficher sur la page de gestion des tâches", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.multiMetric": "Afficher les résultats dans Anomaly Explorer", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.singleMetric": "Afficher les résultats dans Single Metric Viewer", "xpack.ml.embeddables.lensLayerFlyout.title": "Créer une tâche de détection des anomalies", "xpack.ml.entityFilter.addFilterTooltip": "Ajouter un filtre", "xpack.ml.entityFilter.removeFilterTooltip": "Supprimer le filtre", @@ -20238,7 +21613,8 @@ "xpack.ml.explorer.annotationsErrorCallOutTitle": "Une erreur s'est produite lors du chargement des annotations :", "xpack.ml.explorer.annotationsErrorTitle": "Annotations", "xpack.ml.explorer.anomalies.actionsAriaLabel": "Actions", - "xpack.ml.explorer.anomalies.addToDashboardLabel": "Ajouter des graphiques d'anomalies au tableau de bord", + "xpack.ml.explorer.anomalies.actionsPopoverLabel": "Graphiques d'anomalies", + "xpack.ml.explorer.anomalies.addToDashboardLabel": "Ajouter au tableau de bord", "xpack.ml.explorer.anomaliesTitle": "Anomalies", "xpack.ml.explorer.anomalyTimelinePopoverAdvancedExplanation": "Les scores d'anomalies affichés dans chaque section d'Anomaly Explorer (Explorateur d'anomalies) peuvent varier légèrement. Cette disparité s'explique par le fait que, pour chaque tâche, sont consignés les résultats de groupe, les résultats de groupe généraux, les résultats d'influenceur et les résultats d'enregistrements. Les scores d'anomalies sont générés pour chaque type de résultat. Le couloir général affiche le score maximal des groupes globaux pour chaque bloc. Lorsque vous affichez un couloir par tâche, il montre le score maximal du groupe dans chaque bloc. Lorsque vous choisissez l'affichage par influenceur, il montre le score maximal d'influenceur dans chaque bloc.", "xpack.ml.explorer.anomalyTimelinePopoverBasicExplanation": "Les couloirs fournissent un aperçu des groupes de données qui ont été analysées dans la période sélectionnée. Vous pouvez afficher un couloir général ou les afficher par tâche ou influenceur.", @@ -20246,6 +21622,8 @@ "xpack.ml.explorer.anomalyTimelinePopoverSelectionExplanation": "Lorsque vous sélectionnez un ou plusieurs blocs dans les couloirs, la liste d'anomalies et des principaux influenceurs est également filtrée pour fournir des informations relatives à cette sélection.", "xpack.ml.explorer.anomalyTimelinePopoverTitle": "Chronologies des anomalies", "xpack.ml.explorer.anomalyTimelineTitle": "Chronologie des anomalies", + "xpack.ml.explorer.attachOverallSwimLane": "Général", + "xpack.ml.explorer.attachToCaseLabel": "Ajouter au cas", "xpack.ml.explorer.charts.dashboardTooManyBucketsDescription": "Cette sélection contient trop de groupes à afficher. Choisissez une période plus courte pour la vue.", "xpack.ml.explorer.charts.infoTooltip.aggregationIntervalTitle": "intervalle d'agrégation", "xpack.ml.explorer.charts.infoTooltip.chartFunctionTitle": "fonction de graphique", @@ -20374,6 +21752,7 @@ "xpack.ml.inference.modelsList.startModelDeploymentActionLabel": "Démarrer le déploiement", "xpack.ml.inference.modelsList.stopModelDeploymentActionLabel": "Arrêter le déploiement", "xpack.ml.inference.modelsList.testModelActionLabel": "Modèle de test", + "xpack.ml.inference.modelsList.updateModelDeploymentActionLabel": "Mettre à jour le déploiement", "xpack.ml.influencerResultType.description": "Quelles sont les entités les plus inhabituelles dans une plage temporelle ?", "xpack.ml.influencerResultType.title": "Influenceur", "xpack.ml.influencersList.noInfluencersFoundTitle": "Aucun influenceur n'a été trouvé", @@ -20405,7 +21784,7 @@ "xpack.ml.jobsBreadcrumbs.multiMetricLabel": "À plusieurs indicateurs", "xpack.ml.jobsBreadcrumbs.populationLabel": "Population", "xpack.ml.jobsBreadcrumbs.rareLabel": "Rare", - "xpack.ml.jobsBreadcrumbs.selectDateViewLabel": "Vue de données", + "xpack.ml.jobsBreadcrumbs.selectDateViewLabel": "Sélectionner la vue de données", "xpack.ml.jobsBreadcrumbs.selectIndexOrSearchLabelRecognize": "Index reconnu", "xpack.ml.jobsBreadcrumbs.selectJobType": "Créer une tâche", "xpack.ml.jobsBreadcrumbs.singleMetricLabel": "Indicateur unique", @@ -20453,7 +21832,7 @@ "xpack.ml.jobsList.datafeedChart.annotationLineSeriesId": "Résultat de la ligne d'annotations", "xpack.ml.jobsList.datafeedChart.annotationRectSeriesId": "Résultat du rectangle d'annotations", "xpack.ml.jobsList.datafeedChart.applyQueryDelayLabel": "Appliquer", - "xpack.ml.jobsList.datafeedChart.bucketSeriesId": "Résultats de la tâche", + "xpack.ml.jobsList.datafeedChart.bucketSeriesId": "Nombre de documents du flux de données", "xpack.ml.jobsList.datafeedChart.cancelQueryDelayUpdateLabel": "Annuler", "xpack.ml.jobsList.datafeedChart.chartIntervalEndTime": "Heure de fin de l'intervalle de graphique", "xpack.ml.jobsList.datafeedChart.chartIntervalLeftArrow": "Fenêtre temporelle précédente", @@ -20469,11 +21848,12 @@ "xpack.ml.jobsList.datafeedChart.messagesTableTitle": "Messages liés à la tâche", "xpack.ml.jobsList.datafeedChart.messagesTabName": "Messages", "xpack.ml.jobsList.datafeedChart.modelSnapshotsLineSeriesId": "Snapshots du modèle", + "xpack.ml.jobsList.datafeedChart.notAvailableMessage": "S. O.", "xpack.ml.jobsList.datafeedChart.queryDelayLabel": "Retard de requête", "xpack.ml.jobsList.datafeedChart.revertSnapshotMessage": "Cliquez pour revenir à cet instantané du modèle.", "xpack.ml.jobsList.datafeedChart.showAnnotationsCheckboxLabel": "Afficher les annotations", "xpack.ml.jobsList.datafeedChart.showModelSnapshotsCheckboxLabel": "Afficher les snapshots du modèle", - "xpack.ml.jobsList.datafeedChart.sourceSeriesId": "Index source", + "xpack.ml.jobsList.datafeedChart.sourceSeriesId": "Nombre de documents des index source", "xpack.ml.jobsList.datafeedChart.yAxisTitle": "Décompte", "xpack.ml.jobsList.datafeedStateLabel": "État du flux de données", "xpack.ml.jobsList.deleteActionStatusText": "supprimer", @@ -20647,7 +22027,8 @@ "xpack.ml.jobsList.stoppedActionStatusText": "arrêté", "xpack.ml.jobsList.title": "Tâches de détection des anomalies", "xpack.ml.keyword.ml": "ML", - "xpack.ml.machineLearningBreadcrumbLabel": "Machine Learning", + "xpack.ml.logCategorization.pageHeader": "Analyse du modèle de log", + "xpack.ml.machineLearningBreadcrumbLabel": "Machine Learning", "xpack.ml.machineLearningDescription": "Modélisez automatiquement le comportement normal de vos données de série temporelle pour détecter les anomalies.", "xpack.ml.machineLearningSubtitle": "Modélisez, prédisez et détectez.", "xpack.ml.machineLearningTitle": "Machine Learning", @@ -20724,6 +22105,10 @@ "xpack.ml.mapsAnomaliesLayerEmptyPrompt.createJobButtonText": "Créer une tâche", "xpack.ml.mapsAnomaliesLayerEmptyPrompt.createJobMessage": "Créer une tâche de détection des anomalies", "xpack.ml.mapsAnomaliesLayerEmptyPrompt.emptyPromptText": "La détection des anomalies permet d'identifier un comportement inhabituel dans des données géographiques. Créez une tâche utilisant la fonction lat_long, requise pour la couche d'anomalies de mapping.", + "xpack.ml.mlEntitySelector.adOptionsLabel": "Tâches de détection des anomalies", + "xpack.ml.mlEntitySelector.dfaOptionsLabel": "Analyse du cadre de données", + "xpack.ml.mlEntitySelector.fetchError": "Impossible de récupérer les entités de ML", + "xpack.ml.mlEntitySelector.trainedModelsLabel": "Modèles entraînés", "xpack.ml.modelManagement.nodesOverview.docTitle": "Nœuds", "xpack.ml.modelManagement.nodesOverviewHeader": "Nœuds", "xpack.ml.modelManagement.trainedModels.docTitle": "Modèles entraînés", @@ -20819,11 +22204,12 @@ "xpack.ml.modelSnapshotTable.retain": "Conserver", "xpack.ml.modelSnapshotTable.time": "Date de création", "xpack.ml.multiSelectPicker.NoFiltersFoundMessage": "Aucun filtre trouvé", - "xpack.ml.navMenu.aiopsTabLinkText": "AIOps", + "xpack.ml.navMenu.aiopsTabLinkText": "AIOps Labs", "xpack.ml.navMenu.anomalyDetection.anomalyExplorerText": "Anomaly Explorer (Explorateur d'anomalies)", "xpack.ml.navMenu.anomalyDetection.jobsManagementText": "Tâches", "xpack.ml.navMenu.anomalyDetection.singleMetricViewerText": "Single Metric Viewer (Visionneuse d'indicateur unique)", "xpack.ml.navMenu.anomalyDetectionTabLinkText": "Détection des anomalies", + "xpack.ml.navMenu.changePointDetectionLinkText": "Modifier la détection du point", "xpack.ml.navMenu.dataFrameAnalytics.analyticsMapText": "Mapping d'analyse", "xpack.ml.navMenu.dataFrameAnalytics.jobsManagementText": "Tâches", "xpack.ml.navMenu.dataFrameAnalytics.resultsExplorerText": "Explorateur de résultats", @@ -20832,14 +22218,17 @@ "xpack.ml.navMenu.dataVisualizerTabLinkText": "Data Visualizer (Visualiseur de données)", "xpack.ml.navMenu.explainLogRateSpikesLinkText": "Expliquer les pics de taux de log", "xpack.ml.navMenu.fileDataVisualizerLinkText": "Fichier", + "xpack.ml.navMenu.logCategorizationLinkText": "Analyse du modèle de log", "xpack.ml.navMenu.mlAppNameText": "Machine Learning", "xpack.ml.navMenu.modelManagementText": "Gestion des modèles", "xpack.ml.navMenu.nodesOverviewText": "Nœuds", + "xpack.ml.navMenu.notificationsTabLinkText": "Notifications", "xpack.ml.navMenu.overviewTabLinkText": "Aperçu", "xpack.ml.navMenu.settingsTabLinkText": "Paramètres", "xpack.ml.navMenu.trainedModelsTabBetaLabel": "Version d’évaluation technique", "xpack.ml.navMenu.trainedModelsTabBetaTooltipContent": "Cette fonctionnalité est en version d'évaluation technique et pourra être modifiée ou retirée complètement dans une future version. Elastic s'efforcera au maximum de corriger tout problème, mais les fonctionnalités en version d'évaluation technique ne sont pas soumises aux accords de niveau de service d'assistance des fonctionnalités officielles en disponibilité générale.", "xpack.ml.navMenu.trainedModelsText": "Modèles entraînés", + "xpack.ml.newJob.fromLens.createJob.defaultUrlDashboard": "Tableau de bord original", "xpack.ml.newJob.fromLens.createJob.error.colsNoSourceField": "Certaines colonnes ne contiennent pas de champ source.", "xpack.ml.newJob.fromLens.createJob.error.colsUsingFilterTimeSift": "Les colonnes contenant des paramètres incompatibles avec les détecteurs de ML, le décalage temporel et la fonction Filtrer par ne sont pas prises en charge.", "xpack.ml.newJob.fromLens.createJob.error.incompatibleLayerType": "Le calque n'est pas compatible. Seuls les calques de graphique peuvent être utilisés.", @@ -21169,6 +22558,28 @@ "xpack.ml.newJob.wizard.validateJob.summaryCountFieldMissing": "Le champ requis comme flux de données utilise des agrégations.", "xpack.ml.newJobAwaitingNodeWarning.noMLNodesAvailableDescription": "Aucun nœud n'est actuellement en mesure d'exécuter la tâche, qui restera donc à l'état d'OUVERTURE jusqu'à ce qu'un nœud approprié devienne disponible.", "xpack.ml.notFoundPage.title": "Page introuvable", + "xpack.ml.notifications.entityFilter": "Entité", + "xpack.ml.notifications.entityLabel": "ID d'entité", + "xpack.ml.notifications.fetchFailedError": "Impossible de récupérer les notifications", + "xpack.ml.notifications.filters.level.error": "Erreur", + "xpack.ml.notifications.filters.level.info": "Infos", + "xpack.ml.notifications.filters.level.name": "Niveau", + "xpack.ml.notifications.filters.level.type": "Type", + "xpack.ml.notifications.filters.level.warning": "Avertissement", + "xpack.ml.notifications.filters.type.anomalyDetector": "Détection des anomalies", + "xpack.ml.notifications.filters.type.dfa": "Analyse du cadre de données", + "xpack.ml.notifications.filters.type.inference": "Inférence", + "xpack.ml.notifications.filters.type.system": "Système", + "xpack.ml.notifications.invalidQueryError": "La requête n'est pas valide : ", + "xpack.ml.notifications.levelLabel": "Niveau", + "xpack.ml.notifications.messageLabel": "Message", + "xpack.ml.notifications.noItemsFoundMessage": "Aucune notification trouvée", + "xpack.ml.notifications.notificationsLabel": "Notifications", + "xpack.ml.notifications.searchPlaceholder": "Recherchez les notifications. Exemple : flux de données job_type:anomaly_detector -level:(info)", + "xpack.ml.notifications.timeLabel": "Heure", + "xpack.ml.notifications.typeLabel": "Type", + "xpack.ml.notificationsIndicator.unreadErrors": "Indicateur d'erreurs ou d'avertissements non lus.", + "xpack.ml.notificationsIndicator.unreadIcon": "Indicateur de notifications non lues.", "xpack.ml.overview.analytics.resultActions.openJobText": "Afficher les résultats de la tâche", "xpack.ml.overview.analytics.viewJobActionName": "Afficher la tâche", "xpack.ml.overview.analytics.viewResultsActionName": "Afficher les résultats", @@ -21210,6 +22621,7 @@ "xpack.ml.overview.gettingStartedSectionSourceData": "ensemble de données source centré sur les entités", "xpack.ml.overview.gettingStartedSectionTitle": "Premiers pas", "xpack.ml.overview.gettingStartedSectionTransforms": "transformations", + "xpack.ml.overview.notificationsLabel": "Notifications", "xpack.ml.overview.overviewLabel": "Aperçu", "xpack.ml.overview.statsBar.failedAnalyticsLabel": "Échoué", "xpack.ml.overview.statsBar.runningAnalyticsLabel": "En cours d'exécution", @@ -21378,6 +22790,7 @@ "xpack.ml.severitySelector.formControlLabel": "Sévérité", "xpack.ml.singleMetricViewerPageLabel": "Single Metric Viewer (Visionneuse d'indicateur unique)", "xpack.ml.splom.allDocsFilteredWarningMessage": "Tous les documents récupérés incluent des champs avec des tableaux de valeurs et ne peuvent pas être visualisés.", + "xpack.ml.splom.backgroundLayerHelpText": "Si les points de données correspondent à votre filtre, ils s'affichent en couleur ; sinon, ils apparaissent estompés en gris.", "xpack.ml.splom.dynamicSizeInfoTooltip": "Scale la taille de chaque point en fonction de son score d'aberrations.", "xpack.ml.splom.dynamicSizeLabel": "Taille dynamique", "xpack.ml.splom.fieldSelectionInfoTooltip": "Choisissez les champs pour explorer leurs relations.", @@ -21560,13 +22973,19 @@ "xpack.ml.trainedModels.modelsList.selectableMessage": "Sélectionner un modèle", "xpack.ml.trainedModels.modelsList.startDeployment.cancelButton": "Annuler", "xpack.ml.trainedModels.modelsList.startDeployment.docLinkTitle": "En savoir plus", + "xpack.ml.trainedModels.modelsList.startDeployment.lowPriorityLabel": "bas", "xpack.ml.trainedModels.modelsList.startDeployment.maxNumOfProcessorsWarning": "Le produit du nombre d'allocations et de threads par allocation doit être inférieur au nombre total de processeurs sur vos nœuds ML.", + "xpack.ml.trainedModels.modelsList.startDeployment.normalPriorityLabel": "normal", "xpack.ml.trainedModels.modelsList.startDeployment.numbersOfAllocationsHelp": "Augmentez pour améliorer le débit de toutes les requêtes.", "xpack.ml.trainedModels.modelsList.startDeployment.numbersOfAllocationsLabel": "Nombre d’allocations", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityHelp": "Sélectionnez une priorité faible pour les démonstrations où chaque modèle sera très peu utilisé.", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityLabel": "Priorité", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityLegend": "Sélecteur de priorité", "xpack.ml.trainedModels.modelsList.startDeployment.startButton": "Début", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationHelp": "Augmentez pour améliorer la latence pour chaque requête.", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationLabel": "Threads par allocation", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationLegend": "Sélecteur de threads par allocation", + "xpack.ml.trainedModels.modelsList.startDeployment.updateButton": "Mettre à jour", "xpack.ml.trainedModels.modelsList.stateHeader": "État", "xpack.ml.trainedModels.modelsList.totalAmountLabel": "Total de modèles entraînés", "xpack.ml.trainedModels.modelsList.typeHeader": "Type", @@ -21585,6 +23004,8 @@ "xpack.ml.trainedModels.nodesList.modelsList.allocationHeader": "Allocation", "xpack.ml.trainedModels.nodesList.modelsList.allocationTooltip": "nombre_allocations fois threads_par_allocation", "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeHeader": "Temps d'inférence moyen", + "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeTooltipHeader": "Temps d'inférence moyen", + "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeTooltipMessage": "Si la mise en cache est activée, les résultats du cache rapide sont inclus lors du calcul du temps d'inférence moyen.", "xpack.ml.trainedModels.nodesList.modelsList.modelInferenceCountHeader": "Nombre d'inférences", "xpack.ml.trainedModels.nodesList.modelsList.modelLastAccessHeader": "Dernier accès", "xpack.ml.trainedModels.nodesList.modelsList.modelNameHeader": "Nom", @@ -21606,9 +23027,13 @@ "xpack.ml.trainedModels.testModelsFlyout.generalTextInput.inputText": "Texte d'entrée", "xpack.ml.trainedModels.testModelsFlyout.generalTextInput.inputTitle": "Texte d'entrée", "xpack.ml.trainedModels.testModelsFlyout.headerLabel": "Modèle entraîné test", + "xpack.ml.trainedModels.testModelsFlyout.indexInput.fieldInput": "Champ", + "xpack.ml.trainedModels.testModelsFlyout.indexInput.viewPipeline": "Afficher le pipeline", + "xpack.ml.trainedModels.testModelsFlyout.indexTab": "Tester à l'aide de l'index existant", "xpack.ml.trainedModels.testModelsFlyout.inferenceError": "Une erreur s'est produite", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.markupTab": "Sortie", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.rawOutput": "Sortie brute", + "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.reloadButton": "Recharger les exemples", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.runButton": "Test", "xpack.ml.trainedModels.testModelsFlyout.langIdent.info1": "Testez la capacité du modèle à identifier la langue de votre texte.", "xpack.ml.trainedModels.testModelsFlyout.langIdent.inputText": "Entrer une expression à tester", @@ -21618,6 +23043,7 @@ "xpack.ml.trainedModels.testModelsFlyout.ner.label": "Reconnaissance des entités nommées", "xpack.ml.trainedModels.testModelsFlyout.ner.output.probabilityTitle": "Probabilité", "xpack.ml.trainedModels.testModelsFlyout.ner.output.typeTitle": "Type", + "xpack.ml.trainedModels.testModelsFlyout.pipelineSimulate.unknownError": "Erreur lors de la simulation du pipeline d'ingestion", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.info1": "Posez une question et testez la capacité du modèle à extraire une réponse de votre texte d'entrée.", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.inputText": "Entrer des expressions de texte structurées liées aux réponses que vous recherchez", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.label": "Réponse aux questions", @@ -21630,6 +23056,7 @@ "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.info1": "Testez l'efficacité du modèle à générer des incorporations pour votre texte.", "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.inputText": "Entrer une expression à tester", "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.label": "Incorporation de texte", + "xpack.ml.trainedModels.testModelsFlyout.textTab": "Tester à l'aide de texte", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.info1": "Fournissez un ensemble d'étiquettes et testez la capacité du modèle à classer votre texte d'entrée.", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.inputText": "Entrer une expression à tester", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.label": "Classification Zero-Shot", @@ -21862,6 +23289,7 @@ "xpack.monitoring.summaryStatus.statusIconTitle": "Statut : {statusIcon}", "xpack.monitoring.accessDenied.backToKibanaButtonLabel": "Retour à Kibana", "xpack.monitoring.accessDenied.clusterNotConfiguredDescription": "Si vous tentez d'accéder à un cluster de monitoring dédié, cela peut être dû au fait que vous êtes connecté en tant qu'utilisateur non configuré sur le cluster de monitoring.", + "xpack.monitoring.accessDenied.noRemoteClusterClientDescription": "Étant donné que la recherche de cluster croisé est activée (\"monitoring.ui.ccs.enabled\" est défini sur \"true\"), assurez-vous que votre cluster possède le rôle \"remote_cluster_client\" sur au moins un nœud.", "xpack.monitoring.accessDeniedTitle": "Accès refusé", "xpack.monitoring.ajaxErrorHandler.requestErrorNotificationTitle": "Erreur de requête de monitoring", "xpack.monitoring.ajaxErrorHandler.requestFailedNotification.retryButtonLabel": "Réessayer", @@ -22364,6 +23792,7 @@ "xpack.monitoring.errors.monitoringLicenseErrorDescription": "Informations de licence introuvables pour le cluster = \"{clusterId}\". Veuillez consulter les logs du serveur du nœud maître du cluster pour connaître les erreurs ou les avertissements.", "xpack.monitoring.errors.monitoringLicenseErrorTitle": "Erreur de licence pour le monitoring", "xpack.monitoring.errors.noLivingConnectionsErrorMessage": "Aucune connexion active : vérifiez la connexion réseau du cluster de monitoring Elasticsearch et reportez-vous aux logs Kibana pour en savoir plus.", + "xpack.monitoring.errors.noRemoteClientRoleErrorMessage": "Le cluster n'a pas de rôle remote_cluster_client", "xpack.monitoring.errors.TimeoutErrorMessage": "Délai d'expiration de la demande : Vérifiez la connexion réseau du cluster de monitoring Elasticsearch ou le niveau de charge des nœuds.", "xpack.monitoring.es.indices.deletedClosedStatusLabel": "Supprimé/Fermé", "xpack.monitoring.es.indices.notAvailableStatusLabel": "Non disponible", @@ -23228,6 +24657,13 @@ "xpack.monitoring.useAvailableLicenseDescription": "Si vous avez déjà une nouvelle licence, chargez-la maintenant.", "xpack.observability.alertsTable.showingAlertsTitle": "{totalAlerts, plural, =1 {alerte} other {alertes}}", "xpack.observability.apmProgressiveLoadingDescription": "{technicalPreviewLabel} S'il faut charger les données de façon progressive pour les vues APM. Les données peuvent être demandées d'abord avec un taux d'échantillonnage inférieur, avec une précision plus faible mais des temps de réponse plus rapides, pendant que les données non échantillonnées se chargent en arrière-plan", + "xpack.observability.apmServiceInventoryOptimizedSortingDescription": "{technicalPreviewLabel} Tri par défaut des pages d'inventaire et de stockage des services APM (pour les services hors Machine Learning) en fonction du nom de service. {feedbackLink}.", + "xpack.observability.apmTraceExplorerTabDescription": "{technicalPreviewLabel} Activer la fonctionnalité Explorateur de traces APM qui vous permet de rechercher et d'inspecter les traces avec KQL ou EQL. {feedbackLink}.", + "xpack.observability.enableAgentExplorerDescription": "{technicalPreviewLabel} Active la vue d'explorateur d'agent.", + "xpack.observability.enableAwsLambdaMetricsDescription": "{technicalPreviewLabel} Affiche les indicateurs Amazon Lambda dans l'onglet d'indicateurs de service. {feedbackLink}", + "xpack.observability.enableCriticalPathDescription": "{technicalPreviewLabel} Affiche de façon optionnelle le chemin critique d'une trace.", + "xpack.observability.enableInfrastructureHostsViewDescription": "{technicalPreviewLabel} Active la vue Hôtes dans l'application Infrastructure. {feedbackLink}.", + "xpack.observability.enableNewSyntheticsViewExperimentDescriptionBeta": "{technicalPreviewLabel} Activez la nouvelle application de monitoring synthétique dans Observability. Actualisez la page pour appliquer le paramètre.", "xpack.observability.expView.columns.label": "{percentileValue} centile de {sourceField}", "xpack.observability.expView.columns.operation.label": "{operationType} de {sourceField}", "xpack.observability.expView.filterValueButton.negate": "Pas {value}", @@ -23258,6 +24694,14 @@ "xpack.observability.ux.dashboard.webCoreVitals.traffic": "{trafficPerc} du trafic représenté", "xpack.observability.ux.dashboard.webVitals.palette.tooltip": "{percentage} % d'utilisateurs avec expérience {exp}, car {title} {isOrTakes} {moreOrLess} que {value}{averageMessage}.", "xpack.observability..synthetics.addDataButtonLabel": "Ajouter des données synthétiques", + "xpack.observability.alertDetails.actionsButtonLabel": "Actions", + "xpack.observability.alertDetails.addToCase": "Ajouter au cas", + "xpack.observability.alertDetails.alertActiveState": "Actif", + "xpack.observability.alertDetails.alertRecoveredState": "Récupéré", + "xpack.observability.alertDetails.editSnoozeRule": "Répéter la règle", + "xpack.observability.alertDetails.errorPromptBody": "Une erreur s'est produite lors du chargement des détails de l'alerte.", + "xpack.observability.alertDetails.errorPromptTitle": "Impossible de charger les détails de l'alerte", + "xpack.observability.alertDetails.viewRuleDetails": "Afficher les détails de la règle", "xpack.observability.alerts.actions.addToCase": "Ajouter à un cas existant", "xpack.observability.alerts.actions.addToCaseDisabled": "L'ajout au cas n'est pas pris en charge pour cette sélection", "xpack.observability.alerts.actions.addToNewCase": "Ajouter au nouveau cas", @@ -23270,10 +24714,12 @@ "xpack.observability.alerts.ruleStats.loadError": "Impossible de charger les statistiques de règles", "xpack.observability.alerts.ruleStats.muted": "Répété", "xpack.observability.alerts.ruleStats.ruleCount": "Nombre de règles", + "xpack.observability.alerts.searchBar.invalidQueryTitle": "Chaîne de requête non valide", "xpack.observability.alerts.workflowStatusFilter.acknowledgedButtonLabel": "Reconnue(s)", "xpack.observability.alerts.workflowStatusFilter.closedButtonLabel": "Fermé", "xpack.observability.alerts.workflowStatusFilter.openButtonLabel": "Ouvrir", "xpack.observability.alertsFlyout.actualValueLabel": "Valeur réelle", + "xpack.observability.alertsFlyout.alertsDetailsButtonText": "Détails de l'alerte", "xpack.observability.alertsFlyout.documentSummaryTitle": "Résumé du document", "xpack.observability.alertsFlyout.durationLabel": "Durée", "xpack.observability.alertsFlyout.expectedValueLabel": "Valeur attendue", @@ -23291,6 +24737,7 @@ "xpack.observability.alertsTable.moreActionsTextLabel": "Plus d'actions", "xpack.observability.alertsTable.notEnoughPermissions": "Privilèges supplémentaires requis", "xpack.observability.alertsTable.viewAlertDetailsButtonText": "Afficher les détails de l'alerte", + "xpack.observability.alertsTable.viewAlertDetailsPageButtonText": "Afficher la page d'alertes", "xpack.observability.alertsTable.viewDetailsTextLabel": "Afficher les détails", "xpack.observability.alertsTable.viewInAppTextLabel": "Afficher dans l'application", "xpack.observability.alertsTable.viewRuleDetailsButtonText": "Afficher les détails de la règle", @@ -23301,13 +24748,18 @@ "xpack.observability.alertsTGrid.statusColumnDescription": "Statut de l'alerte", "xpack.observability.alertsTGrid.statusRecoveredDescription": "Récupéré", "xpack.observability.alertsTitle": "Alertes", + "xpack.observability.apmAWSLambdaPricePerGbSeconds": "Facteur de prix AWS Lambda", + "xpack.observability.apmAWSLambdaPricePerGbSecondsDescription": "Prix par Go-seconde.", + "xpack.observability.apmAWSLambdaRequestCostPerMillion": "Prix AWS Lambda pour 1M de requêtes", + "xpack.observability.apmLabs": "Activer le bouton Ateliers dans APM", + "xpack.observability.apmLabsDescription": "Cet indicateur détermine si l'utilisateur a accès au bouton Ateliers, moyen rapide d'activer et de désactiver les fonctionnalités de la version d'évaluation technique dans APM.", "xpack.observability.apmOperationsBreakdown": "Répartition des opérations APM", "xpack.observability.apmProgressiveLoading": "Utiliser le chargement progressif des vues APM sélectionnées", "xpack.observability.apmProgressiveLoadingQualityHigh": "Taux d'échantillonnage élevé (plus lent, plus précis)", "xpack.observability.apmProgressiveLoadingQualityLow": "Taux d'échantillonnage bas (plus rapide, moins précis)", "xpack.observability.apmProgressiveLoadingQualityMedium": "Taux d'échantillonnage moyen", "xpack.observability.apmProgressiveLoadingQualityOff": "Désactivé", - "xpack.observability.apmServiceInventoryOptimizedSorting": "Optimiser les performances de chargement de la page d'inventaire des services APM", + "xpack.observability.apmServiceInventoryOptimizedSorting": "Optimiser les performances de chargement des listes de services dans APM", "xpack.observability.apmTraceExplorerTab": "Explorateur de traces APM", "xpack.observability.apply.label": "Appliquer", "xpack.observability.breadcrumbs.alertsLinkText": "Alertes", @@ -23337,8 +24789,12 @@ "xpack.observability.emptySection.apps.ux.description": "Collectez, mesurez et analysez les données de performances reflétant les expériences des utilisateurs réels.", "xpack.observability.emptySection.apps.ux.link": "Installer RUM Agent", "xpack.observability.emptySection.apps.ux.title": "Expérience utilisateur", + "xpack.observability.enableAgentExplorer": "Explorateur d'agent", + "xpack.observability.enableAwsLambdaMetrics": "Indicateurs AWS Lambda", "xpack.observability.enableComparisonByDefault": "Fonctionnalité de comparaison", - "xpack.observability.enableComparisonByDefaultDescription": "Activer la fonctionnalité de comparaison dans l’application APM", + "xpack.observability.enableComparisonByDefaultDescription": "Activer la fonctionnalité de comparaison dans l’application APM", + "xpack.observability.enableCriticalPath": "Chemin critique", + "xpack.observability.enableInfrastructureHostsView": "Vue des hôtes de l'infrastructure", "xpack.observability.enableInspectEsQueriesExperimentDescription": "Inspectez les recherches Elasticsearch dans les réponses API.", "xpack.observability.enableInspectEsQueriesExperimentName": "Inspecter les recherches ES", "xpack.observability.enableNewSyntheticsViewExperimentName": "Activer la nouvelle application de monitoring synthétique", @@ -23351,10 +24807,14 @@ "xpack.observability.exploratoryView.logs.logRateYAxisLabel": "Taux de log par minute", "xpack.observability.exploratoryView.noBrusing": "Zoomer sur une sélection par brossage est une fonctionnalité disponible uniquement dans les graphiques de séries temporelles.", "xpack.observability.expView.addToCase": "Ajouter au cas", + "xpack.observability.expView.avgDuration": "Moy. Durée", "xpack.observability.expView.chartTypes.label": "Type de graphique", + "xpack.observability.expView.complete": "Terminé", "xpack.observability.expView.dateRanger.endDate": "Date de fin", "xpack.observability.expView.dateRanger.startDate": "Date de début", + "xpack.observability.expView.errors": "Erreurs", "xpack.observability.expView.explore": "Explorer", + "xpack.observability.expView.failedTests": "Tests ayant échoué", "xpack.observability.expView.fieldLabels.agentHost": "Hôte de l'agent", "xpack.observability.expView.fieldLabels.agentType": "Type d'agent", "xpack.observability.expView.fieldLabels.backend": "Heure de backend", @@ -23379,7 +24839,8 @@ "xpack.observability.expView.fieldLabels.eventDataset": "Ensemble de données", "xpack.observability.expView.fieldLabels.fcp": "First Contentful Paint", "xpack.observability.expView.fieldLabels.fid": "First Input Delay", - "xpack.observability.expView.fieldLabels.hostName": "Nom de l'hôte", + "xpack.observability.expView.fieldLabels.heatMap": "Carte thermique", + "xpack.observability.expView.fieldLabels.hostName": "Nom d'hôte", "xpack.observability.expView.fieldLabels.hostOS": "Système d'exploitation de l'hôte", "xpack.observability.expView.fieldLabels.kpi": "KPI", "xpack.observability.expView.fieldLabels.kpiOverTime": "KPI sur la durée", @@ -23398,6 +24859,7 @@ "xpack.observability.expView.fieldLabels.monitorName": "Nom de moniteur", "xpack.observability.expView.fieldLabels.monitorStatus": "Statut du moniteur", "xpack.observability.expView.fieldLabels.monitorType": "Type de moniteur", + "xpack.observability.expView.fieldLabels.networkTimings": "Délais réseau", "xpack.observability.expView.fieldLabels.numberOfDevices": "Nombre d'appareils", "xpack.observability.expView.fieldLabels.obsLocation": "Emplacement de l'observateur", "xpack.observability.expView.fieldLabels.onload": "Document complet (onLoad)", @@ -23443,6 +24905,7 @@ "xpack.observability.expView.operationType.median": "Médiane", "xpack.observability.expView.operationType.min": "Min", "xpack.observability.expView.operationType.sum": "Somme", + "xpack.observability.expView.operationType.uniqueCount": "Compte unique", "xpack.observability.expView.reportType.selectDataType": "Sélectionnez un type de données pour créer une visualisation.", "xpack.observability.expView.reportType.selectLabel": "Sélectionner le type de rapport", "xpack.observability.expView.save": "Enregistrer la visualisation", @@ -23477,6 +24940,16 @@ "xpack.observability.expView.seriesEditor.reportMetricTooltip": "Indicateur de rapport", "xpack.observability.expView.seriesEditor.selectReportMetric": "Sélectionner l’indicateur de rapport", "xpack.observability.expView.seriesEditor.seriesName": "Nom de la série", + "xpack.observability.expView.stepDuration": "Durée totale de l'étape", + "xpack.observability.expView.synthetics.blocked": "Bloqué", + "xpack.observability.expView.synthetics.connect": "Connecter", + "xpack.observability.expView.synthetics.dns": "DNS", + "xpack.observability.expView.synthetics.receive": "Recevoir", + "xpack.observability.expView.synthetics.send": "Envoyer", + "xpack.observability.expView.synthetics.ssl": "SSL", + "xpack.observability.expView.synthetics.total": "Total", + "xpack.observability.expView.synthetics.wait": "Attendre", + "xpack.observability.expView.totalRuns": "Total d'exécutions", "xpack.observability.featureCatalogueDescription": "Consolidez vos logs, indicateurs, traces d'application et disponibilités système avec les interfaces utilisateur spécialement conçues.", "xpack.observability.featureCatalogueTitle": "Observabilité", "xpack.observability.featureRegistry.deleteSubFeatureDetails": "Supprimer les cas et les commentaires", @@ -23485,6 +24958,7 @@ "xpack.observability.feedbackMenu.appName": "Observabilité", "xpack.observability.fieldValueSelection.apply": "Appliquer", "xpack.observability.fieldValueSelection.loading": "Chargement", + "xpack.observability.fieldValueSelection.logicalAnd": "Utiliser AND logique", "xpack.observability.filters.expanded.labels.backTo": "Retour aux étiquettes", "xpack.observability.filters.expanded.labels.fields": "Champs d'étiquette", "xpack.observability.filters.expanded.labels.label": "Étiquettes", @@ -23532,6 +25006,8 @@ "xpack.observability.noDataConfig.beatsCard.title": "Ajouter des intégrations", "xpack.observability.noDataConfig.solutionName": "Observabilité", "xpack.observability.notAvailable": "S. O.", + "xpack.observability.notFoundPage.bannerText": "L'application Observability ne reconnaît pas cet itinéraire", + "xpack.observability.notFoundPage.title": "Page introuvable", "xpack.observability.overview.alerts.appLink": "Afficher les alertes", "xpack.observability.overview.alerts.title": "Alertes", "xpack.observability.overview.apm.appLink": "Afficher l’inventaire des services", @@ -23556,10 +25032,10 @@ "xpack.observability.overview.exploratoryView.showChart": "Afficher le graphique", "xpack.observability.overview.exploratoryView.syntheticsLabel": "Monitoring synthétique", "xpack.observability.overview.exploratoryView.uxLabel": "Expérience utilisateur (RUM)", - "xpack.observability.overview.guidedSetupButton": "Configuration guidée", - "xpack.observability.overview.guidedSetupTourContent": "Si vous avez un doute, vous pouvez toujours accéder au statut d'intégration et visualiser les prochaines étapes en cliquant sur cette action.", + "xpack.observability.overview.guidedSetupButton": "Assistant de données", + "xpack.observability.overview.guidedSetupTourContent": "Si vous avez un doute, vous pouvez toujours accéder à l'assistant de données et visualiser les prochaines étapes en cliquant ici.", "xpack.observability.overview.guidedSetupTourDismissButton": "Rejeter", - "xpack.observability.overview.guidedSetupTourTitle": "La configuration guidée est toujours disponible", + "xpack.observability.overview.guidedSetupTourTitle": "L'assistant de données est toujours disponible", "xpack.observability.overview.loadingObservability": "Chargement d'Observability", "xpack.observability.overview.logs.appLink": "Afficher le flux de log", "xpack.observability.overview.logs.subtitle": "Taux de logs par minute", @@ -23572,7 +25048,7 @@ "xpack.observability.overview.metrics.title": "Hôtes", "xpack.observability.overview.pageTitle": "Aperçu", "xpack.observability.overview.statusVisualizationFlyoutDescription": "Suivez votre progression pour l'ajout d'intégrations et de fonctionnalités d'observabilité.", - "xpack.observability.overview.statusVisualizationFlyoutTitle": "Configuration guidée", + "xpack.observability.overview.statusVisualizationFlyoutTitle": "Assistant de données", "xpack.observability.overview.uptime.appLink": "Afficher les moniteurs", "xpack.observability.overview.uptime.chart.down": "Arrêté", "xpack.observability.overview.uptime.chart.up": "Opérationnel", @@ -23588,6 +25064,14 @@ "xpack.observability.page_header.addUptimeDataLink.label": "Accédez à un tutoriel sur l'ajout de données Uptime", "xpack.observability.page_header.addUXDataLink.label": "Accédez à un tutoriel sur l'ajout de données APM d'expérience utilisateur.", "xpack.observability.pageLayout.sideNavTitle": "Observabilité", + "xpack.observability.pages.alertDetails.alertSummary.actualValue": "Valeur réelle", + "xpack.observability.pages.alertDetails.alertSummary.alertStatus": "Statut", + "xpack.observability.pages.alertDetails.alertSummary.duration": "Durée", + "xpack.observability.pages.alertDetails.alertSummary.expectedValue": "Valeur attendue", + "xpack.observability.pages.alertDetails.alertSummary.lastStatusUpdate": "Dernière mise à jour du statut", + "xpack.observability.pages.alertDetails.alertSummary.ruleTags": "Balises de règle", + "xpack.observability.pages.alertDetails.alertSummary.source": "Source", + "xpack.observability.pages.alertDetails.alertSummary.started": "Démarré", "xpack.observability.resources.documentation": "Documentation", "xpack.observability.resources.forum": "Forum de discussion", "xpack.observability.resources.quick_start": "Vidéos de démarrage rapide", @@ -23644,7 +25128,7 @@ "xpack.observability.status.learnMoreButton": "En savoir plus", "xpack.observability.status.progressBarDescription": "Suivez votre progression pour l'ajout d'intégrations et de fonctionnalités d'observabilité.", "xpack.observability.status.progressBarDismiss": "Rejeter", - "xpack.observability.status.progressBarTitle": "Configuration guidée pour Observability", + "xpack.observability.status.progressBarTitle": "Assistant de données pour Observability", "xpack.observability.status.progressBarViewDetails": "Afficher les détails", "xpack.observability.status.recommendedSteps": "Recommandations pour la suite", "xpack.observability.statusVisualization.alert.description": "Détectez des conditions complexes dans Observability et déclenchez des actions lorsque ces conditions sont satisfaites.", @@ -23675,8 +25159,8 @@ "xpack.observability.tour.alertsStep.tourContent": "Définissez et détectez les conditions qui déclenchent des alertes avec des intégrations de plateformes tierces comme l’e-mail, PagerDuty et Slack.", "xpack.observability.tour.alertsStep.tourTitle": "Soyez informé en cas de modification", "xpack.observability.tour.endButtonLabel": "Terminer la visite", - "xpack.observability.tour.guidedSetupStep.tourContent": "La façon la plus simple de commencer à utiliser Elastic Observability est de suivre la configuration guidée.", - "xpack.observability.tour.guidedSetupStep.tourTitle": "Maintenant, ajoutez vos données !", + "xpack.observability.tour.guidedSetupStep.tourContent": "La façon la plus facile de continuer avec Elastic Observability est de suivre les prochaines étapes recommandées dans l'assistant de données.", + "xpack.observability.tour.guidedSetupStep.tourTitle": "Toujours plus avec Elastic Observability", "xpack.observability.tour.metricsExplorerStep.imageAltText": "Démonstration de Metrics Explorer", "xpack.observability.tour.metricsExplorerStep.tourContent": "Diffusez, regroupez et visualisez les mesures provenant de vos systèmes, du cloud, du réseau et d'autres sources d'infrastructure.", "xpack.observability.tour.metricsExplorerStep.tourTitle": "Monitorer l’intégrité de votre infrastructure", @@ -23690,6 +25174,7 @@ "xpack.observability.tour.streamStep.imageAltText": "Démonstration du flux de logs", "xpack.observability.tour.streamStep.tourContent": "Surveillez, filtrez et inspectez les événements de journal provenant de vos applications, serveurs, machines virtuelles et conteneurs.", "xpack.observability.tour.streamStep.tourTitle": "Suivi de vos logs en temps réel", + "xpack.observability.uiSettings.giveFeedBackLabel": "Donner un retour", "xpack.observability.uiSettings.technicalPreviewLabel": "version d'évaluation technique", "xpack.observability.ux.addDataButtonLabel": "Ajouter des données d'expérience utilisateur", "xpack.observability.ux.coreVitals.average": "une moyenne", @@ -23720,6 +25205,7 @@ "xpack.osquery.agentPolicy.confirmModalCalloutTitle": "Cette action met à jour {agentCount, plural, one {# agent} other {# agents}}", "xpack.osquery.agents.mulitpleSelectedAgentsText": "{numAgents} agents sélectionnés.", "xpack.osquery.agents.oneSelectedAgentText": "{numAgents} agent sélectionné.", + "xpack.osquery.cases.permissionDenied": " Pour accéder à ces résultats, demandez à votre administrateur vos privilèges Kibana pour {osquery}.", "xpack.osquery.configUploader.unsupportedFileTypeText": "Le type de fichier {fileType} n'est pas pris en charge, veuillez charger le fichier config {supportedFileTypes}", "xpack.osquery.createScheduledQuery.agentPolicyAgentsCountText": "{count, plural, one {# agent enregistré} other {# agents enregistrés}}", "xpack.osquery.editPack.pageTitle": "Modifier {queryName}", @@ -23734,11 +25220,12 @@ "xpack.osquery.pack.queriesTable.deleteActionAriaLabel": "Supprimer {queryName}", "xpack.osquery.pack.queriesTable.editActionAriaLabel": "Modifier {queryName}", "xpack.osquery.pack.queryFlyoutForm.intervalFieldMaxNumberError": "La valeur d'intervalle doit être inférieure à {than}", - "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldRequiredErrorMessage": "Valeur obligatoire.", + "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldValueMissingErrorMessage": "La recherche en cours ne retourne pas de champ {columnName}", "xpack.osquery.pack.table.activatedSuccessToastMessageText": "Le pack \"{packName}\" a bien été activé.", "xpack.osquery.pack.table.deactivatedSuccessToastMessageText": "Le pack \"{packName}\" a bien été désactivé.", "xpack.osquery.pack.table.deleteQueriesButtonLabel": "Supprimer {queriesCount, plural, one {# recherche} other {# recherches}}", "xpack.osquery.packDetails.pageTitle": "Détails de {queryName}", + "xpack.osquery.packs.table.runActionAriaLabel": "Exécuter {packName}", "xpack.osquery.packUploader.unsupportedFileTypeText": "Le type de fichier {fileType} n'est pas pris en charge, veuillez charger le fichier config {supportedFileTypes}", "xpack.osquery.results.multipleAgentsResponded": "{agentsResponded, plural, one {# agent a} other {# agents ont}} répondu, aucune donnée osquery n'a été signalée.", "xpack.osquery.savedQueryList.queriesTable.editActionAriaLabel": "Modifier {savedQueryName}", @@ -23771,17 +25258,20 @@ "xpack.osquery.agent_policies.fetchError": "Erreur lors de la récupération des politiques d'agents", "xpack.osquery.agent_policy_details.fetchError": "Erreur lors de la récupération des détails de politiques d'agents", "xpack.osquery.agent_status.fetchError": "Erreur lors de la récupération du statut des agents", + "xpack.osquery.agent.attachedQuery": "requête attachée", "xpack.osquery.agentDetails.fetchError": "Erreur lors de la récupération des détails des agents", "xpack.osquery.agentPolicy.confirmModalCancelButtonLabel": "Annuler", "xpack.osquery.agentPolicy.confirmModalConfirmButtonLabel": "Enregistrer et déployer les modifications", "xpack.osquery.agentPolicy.confirmModalDescription": "Voulez-vous vraiment continuer ?", "xpack.osquery.agentPolicy.confirmModalTitle": "Enregistrer et déployer les modifications", + "xpack.osquery.agents.agent": "Agent", "xpack.osquery.agents.allAgentsLabel": "Tous les agents", "xpack.osquery.agents.errorSearchDescription": "Une erreur s'est produite lors de la recherche de tous les agents", "xpack.osquery.agents.failSearchDescription": "Impossible de récupérer les agents", "xpack.osquery.agents.fetchError": "Erreur lors de la récupération des agents", "xpack.osquery.agents.platformLabel": "Plateforme", "xpack.osquery.agents.policyLabel": "Politique", + "xpack.osquery.agents.query": "Recherche", "xpack.osquery.agents.selectAgentLabel": "Sélectionner les agents ou les groupes à interroger", "xpack.osquery.agents.selectionLabel": "Agents", "xpack.osquery.appNavigation.liveQueriesLinkText": "Recherches en direct", @@ -23789,6 +25279,7 @@ "xpack.osquery.appNavigation.packsLinkText": "Packs", "xpack.osquery.appNavigation.savedQueriesLinkText": "Recherches enregistrées", "xpack.osquery.appNavigation.sendFeedbackButton": "Envoyer des commentaires", + "xpack.osquery.betaBadgeLabel": "Bêta", "xpack.osquery.breadcrumbs.addpacksPageTitle": "Ajouter", "xpack.osquery.breadcrumbs.appTitle": "Osquery", "xpack.osquery.breadcrumbs.editpacksPageTitle": "Modifier", @@ -23798,6 +25289,7 @@ "xpack.osquery.breadcrumbs.overviewPageTitle": "Aperçu", "xpack.osquery.breadcrumbs.packsPageTitle": "Packs", "xpack.osquery.breadcrumbs.savedQueriesPageTitle": "Recherches enregistrées", + "xpack.osquery.comboBoxField.placeHolderText": "Saisir, puis appuyer sur \"ENTRÉE\"", "xpack.osquery.configUploader.exampleConfigLinkLabel": "Exemple de configuration", "xpack.osquery.configUploader.initialPromptTextLabel": "Sélectionner ou glisser-déposer le fichier de configuration Osquery", "xpack.osquery.deletePack.confirmationModal.body": "Vous êtes sur le point de supprimer ce pack. Voulez-vous vraiment continuer ?", @@ -23838,6 +25330,7 @@ "xpack.osquery.liveQuery.queryForm.packQueryTypeLabel": "Pack", "xpack.osquery.liveQuery.queryForm.singleQueryTypeDescription": "Exécutez une requête enregistrée ou une nouvelle requête.", "xpack.osquery.liveQuery.queryForm.singleQueryTypeLabel": "Requête unique", + "xpack.osquery.liveQueryActionResults.results": "Résultats", "xpack.osquery.liveQueryActionResults.summary.expiredLabelText": "Expiré", "xpack.osquery.liveQueryActionResults.summary.failedLabelText": "Échoué", "xpack.osquery.liveQueryActionResults.summary.pendingLabelText": "Pas encore répondu", @@ -23855,6 +25348,8 @@ "xpack.osquery.liveQueryActions.table.createdAtColumnTitle": "Créé à", "xpack.osquery.liveQueryActions.table.createdByColumnTitle": "Exécuté par", "xpack.osquery.liveQueryActions.table.queryColumnTitle": "Recherche", + "xpack.osquery.liveQueryActions.table.runActionAriaLabel": "Exécuter la requête", + "xpack.osquery.liveQueryActions.table.viewDetailsActionButton": "Détails", "xpack.osquery.liveQueryActions.table.viewDetailsColumnTitle": "Afficher les détails", "xpack.osquery.liveQueryDetails.pageTitle": "Détails de la recherche en direct", "xpack.osquery.liveQueryDetails.viewLiveQueriesHistoryTitle": "Afficher l'historique des recherches en direct", @@ -23870,17 +25365,26 @@ "xpack.osquery.pack.form.agentPoliciesFieldHelpText": "Les requêtes de ce pack sont planifiées pour les agents des politiques sélectionnées.", "xpack.osquery.pack.form.agentPoliciesFieldLabel": "Politiques d'agent planifiées (facultatif)", "xpack.osquery.pack.form.cancelButtonLabel": "Annuler", + "xpack.osquery.pack.form.deleteShardsRowButtonAriaLabel": "Supprimer la ligne des partitions", "xpack.osquery.pack.form.descriptionFieldLabel": "Description (facultative)", "xpack.osquery.pack.form.ecsMappingSection.description": "Utilisez les champs ci-dessous pour mapper les résultats de cette recherche aux champs ECS.", "xpack.osquery.pack.form.ecsMappingSection.osqueryValueOptionLabel": "Valeur Osquery", "xpack.osquery.pack.form.ecsMappingSection.staticValueOptionLabel": "Valeur statique", "xpack.osquery.pack.form.ecsMappingSection.title": "Mapping ECS", + "xpack.osquery.pack.form.globalDescription": "Utiliser le pack dans toutes les politiques", + "xpack.osquery.pack.form.globalLabel": "Global", "xpack.osquery.pack.form.nameFieldLabel": "Nom", "xpack.osquery.pack.form.nameFieldRequiredErrorMessage": "Le nom est un champ requis", + "xpack.osquery.pack.form.percentageFieldLabel": "Partition", + "xpack.osquery.pack.form.policyDescription": "Planifier le pack pour une politique spécifique.", + "xpack.osquery.pack.form.policyFieldLabel": "Politique", + "xpack.osquery.pack.form.policyLabel": "Politique", "xpack.osquery.pack.form.savePackButtonLabel": "Enregistrer le pack", + "xpack.osquery.pack.form.shardsPolicyFieldMissingErrorMessage": "La politique est un champ requis", "xpack.osquery.pack.form.updatePackButtonLabel": "Mettre à jour le pack", "xpack.osquery.pack.queriesForm.addQueryButtonLabel": "Ajouter une recherche", "xpack.osquery.pack.queriesTable.actionsColumnTitle": "Actions", + "xpack.osquery.pack.queriesTable.addToCaseResultsActionAriaLabel": "Ajouter au cas", "xpack.osquery.pack.queriesTable.agentsResultsColumnTitle": "Agents", "xpack.osquery.pack.queriesTable.docsResultsColumnTitle": "Documents", "xpack.osquery.pack.queriesTable.errorsResultsColumnTitle": "Erreurs", @@ -23906,11 +25410,17 @@ "xpack.osquery.pack.queryFlyoutForm.invalidIdError": "Les caractères doivent être alphanumériques, _ ou -", "xpack.osquery.pack.queryFlyoutForm.mappingEcsFieldLabel": "Champ ECS", "xpack.osquery.pack.queryFlyoutForm.mappingValueFieldLabel": "Valeur", - "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldValueMissingErrorMessage": "La recherche en cours ne retourne pas de champ {columnName}", + "xpack.osquery.pack.queryFlyoutForm.osqueryAgentsMissingErrorMessage": "Agents est un champ requis", + "xpack.osquery.pack.queryFlyoutForm.osqueryPackMissingErrorMessage": "Pack est un champ requis", + "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldRequiredErrorMessage": "Valeur est un champ requis.", "xpack.osquery.pack.queryFlyoutForm.platformFieldLabel": "Plateforme", "xpack.osquery.pack.queryFlyoutForm.platformLinusLabel": "macOS", "xpack.osquery.pack.queryFlyoutForm.platformMacOSLabel": "Linux", "xpack.osquery.pack.queryFlyoutForm.platformWindowsLabel": "Windows", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.differentialAddedOnlyValueLabel": "Différentiel (Ignorer les retraits)", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.differentialValueLabel": "Différentiel", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.snapshotValueLabel": "Snapshot", + "xpack.osquery.pack.queryFlyoutForm.resultTypeFieldLabel": "Type de résultat", "xpack.osquery.pack.queryFlyoutForm.saveButtonLabel": "Enregistrer", "xpack.osquery.pack.queryFlyoutForm.uniqueIdError": "L'ID doit être unique", "xpack.osquery.pack.queryFlyoutForm.versionFieldLabel": "Version Osquery minimale", @@ -23940,6 +25450,7 @@ "xpack.osquery.queryFlyoutForm.addFormTitle": "Attacher la recherche suivante", "xpack.osquery.queryFlyoutForm.cancelButtonLabel": "Annuler", "xpack.osquery.queryFlyoutForm.editFormTitle": "Modifier la recherche", + "xpack.osquery.queryFlyoutForm.fieldOptionalLabel": "(facultatif)", "xpack.osquery.queryFlyoutForm.saveButtonLabel": "Enregistrer", "xpack.osquery.queryFlyoutForm.versionFieldOptionalLabel": "(facultatif)", "xpack.osquery.queryPlaygroundFlyout.title": "Tester la recherche", @@ -23949,18 +25460,95 @@ "xpack.osquery.savedQueries.dropdown.searchFieldLabel": "Recherche", "xpack.osquery.savedQueries.dropdown.searchFieldPlaceholder": "Rechercher une requête à exécuter, ou écrivez une nouvelle requête ci-dessous", "xpack.osquery.savedQueries.form.packConfigSection.description": "Les options répertoriées ci-dessous sont facultatives et ne sont appliquées que lorsque la requête est affectée à un pack.", + "xpack.osquery.savedQueries.form.packConfigSection.testConfigButtonLabel": "Tester la configuration", "xpack.osquery.savedQueries.form.packConfigSection.title": "Configuration du pack", "xpack.osquery.savedQueries.table.actionsColumnTitle": "Actions", "xpack.osquery.savedQueries.table.createdByColumnTitle": "Créé par", "xpack.osquery.savedQueries.table.descriptionColumnTitle": "Description", "xpack.osquery.savedQueries.table.queryIdColumnTitle": "ID de recherche", "xpack.osquery.savedQueries.table.updatedAtColumnTitle": "Dernière mise à jour à", - "xpack.osquery.savedQuery.saveQueryFlyoutForm.addFormTitle": "Enregistrer la recherche", + "xpack.osquery.savedQuery.queryEditorLabel": "Recherche", + "xpack.osquery.savedQuery.saveQueryFlyoutForm.addFormTitle": "Enregistrer la requête", "xpack.osquery.savedQueryList.addSavedQueryButtonLabel": "Ajouter une recherche enregistrée", "xpack.osquery.savedQueryList.pageTitle": "Recherches enregistrées", "xpack.osquery.scheduledQueryErrorsTable.agentIdColumnTitle": "ID d'agent", "xpack.osquery.scheduledQueryErrorsTable.errorColumnTitle": "Erreur", "xpack.osquery.viewSavedQuery.prebuiltInfo": "Il s'agit d'une requête Elastic prédéfinie, et elle ne peut pas être modifiée.", + "xpack.profiling.flameGraphTooltip.valueLabel": "{value} et {comparison}", + "xpack.profiling.formatters.weight": "{lbs} lb / {kgs} kg", + "xpack.profiling.maxValue": "Max. : {max}", + "xpack.profiling.appPageTemplate.pageTitle": "Universal Profiling", + "xpack.profiling.asyncComponent.errorLoadingData": "Impossible de charger les données", + "xpack.profiling.breadcrumb.differentialFlamegraph": "Flame-graph différentiel", + "xpack.profiling.breadcrumb.differentialFunctions": "Différentiel N premiers", + "xpack.profiling.breadcrumb.flamegraph": "Flame-graph", + "xpack.profiling.breadcrumb.flamegraphs": "Flame-graphs", + "xpack.profiling.breadcrumb.functions": "Fonctions", + "xpack.profiling.breadcrumb.profiling": "Universal Profiling", + "xpack.profiling.breadcrumb.topnFunctions": "N premiers", + "xpack.profiling.featureRegistry.profilingFeatureName": "Universal Profiling", + "xpack.profiling.flameGraph.showInformationWindow": "Afficher la fenêtre d'informations", + "xpack.profiling.flameGraphInformationWindow.annualizedCo2ExclusiveLabel": "CO2 annualisé (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.annualizedCo2InclusiveLabel": "CO2 annualisé", + "xpack.profiling.flameGraphInformationWindow.annualizedCoreSecondsExclusiveLabel": "Cœurs-secondes annualisé (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.annualizedCoreSecondsInclusiveLabel": "Cœurs-secondes annualisé", + "xpack.profiling.flameGraphInformationWindow.annualizedDollarCostExclusiveLabel": "Coût en dollars annualisé (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.annualizedDollarCostInclusiveLabel": "Coût en dollars annualisé", + "xpack.profiling.flameGraphInformationWindow.co2EmissionExclusiveLabel": "Émission de CO2 (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.co2EmissionInclusiveLabel": "Émission de CO2", + "xpack.profiling.flameGraphInformationWindow.coreSecondsExclusiveLabel": "Cœurs-secondes (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.coreSecondsInclusiveLabel": "Cœurs-secondes", + "xpack.profiling.flameGraphInformationWindow.dollarCostExclusiveLabel": "Coût en dollars (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.dollarCostInclusiveLabel": "Coût en dollars", + "xpack.profiling.flameGraphInformationWindow.executableLabel": "Exécutable", + "xpack.profiling.flameGraphInformationWindow.frameTypeLabel": "Type de cadre", + "xpack.profiling.flameGraphInformationWindow.functionLabel": "Fonction", + "xpack.profiling.flameGraphInformationWindow.impactEstimatesTitle": "Estimations de l'impact", + "xpack.profiling.flameGraphInformationWindow.percentageCpuTimeExclusiveLabel": "% de temps processeur (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.percentageCpuTimeInclusiveLabel": "% de temps processeur", + "xpack.profiling.flameGraphInformationWindow.samplesExclusiveLabel": "Échantillons (enfants excl.)", + "xpack.profiling.flameGraphInformationWindow.samplesInclusiveLabel": "Échantillons", + "xpack.profiling.flamegraphInformationWindow.selectFrame": "Cliquer sur un cadre pour afficher plus d'informations", + "xpack.profiling.flameGraphInformationWindow.sourceFileLabel": "Fichier source", + "xpack.profiling.flameGraphInformationWindowTitle": "Informations sur le cadre", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeAbsoluteButtonLabel": "Abs", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeLegend": "Ce commutateur vous permet de basculer entre comparaison absolue et comparaison relative entre les deux graphes", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeRelativeButtonLabel": "Rel", + "xpack.profiling.flameGraphsView.differentialFlameGraphTabLabel": "Flame-graph différentiel", + "xpack.profiling.flameGraphsView.flameGraphTabLabel": "Flame-graph", + "xpack.profiling.flameGraphTooltip.exclusiveCpuLabel": "CPU", + "xpack.profiling.flameGraphTooltip.inclusiveCpuLabel": "CPU incl. sous-fonctions", + "xpack.profiling.flameGraphTooltip.samplesLabel": "Échantillons", + "xpack.profiling.functionsView.cpuColumnLabel1Exclusive": "CPU excl.", + "xpack.profiling.functionsView.cpuColumnLabel1Inclusive": "CPU incl.", + "xpack.profiling.functionsView.cpuColumnLabel2Exclusive": "sous-fonctions", + "xpack.profiling.functionsView.cpuColumnLabel2Inclusive": "sous-fonctions", + "xpack.profiling.functionsView.diffColumnLabel": "Diff", + "xpack.profiling.functionsView.differentialFunctionsTabLabel": "Fonctions TopN différentielles", + "xpack.profiling.functionsView.functionColumnLabel": "Fonction", + "xpack.profiling.functionsView.functionsTabLabel": "Fonctions TopN", + "xpack.profiling.functionsView.newLabel": "Nouveauté", + "xpack.profiling.functionsView.rankColumnLabel": "Rang", + "xpack.profiling.functionsView.samplesColumnLabel": "Échantillons (établ.)", + "xpack.profiling.functionsView.totalSampleCountLabel": " Total estimation d'échantillons : ", + "xpack.profiling.navigation.flameGraphsLinkLabel": "Flame-graphs", + "xpack.profiling.navigation.functionsLinkLabel": "Fonctions", + "xpack.profiling.navigation.sectionLabel": "Universal Profiling", + "xpack.profiling.navigation.stacktracesLinkLabel": "Traces d'appel", + "xpack.profiling.notAvailableLabel": "S. O.", + "xpack.profiling.stackTracesView.containersTabLabel": "Conteneurs", + "xpack.profiling.stackTracesView.deploymentsTabLabel": "Déploiements", + "xpack.profiling.stackTracesView.displayOptionLegend": "Option d'affichage", + "xpack.profiling.stackTracesView.hostsTabLabel": "Hôtes", + "xpack.profiling.stackTracesView.otherTraces": "[ceci résume toutes les traces trop petites pour être affichées]", + "xpack.profiling.stackTracesView.percentagesButton": "Pourcentages", + "xpack.profiling.stackTracesView.showMoreButton": "Afficher plus", + "xpack.profiling.stackTracesView.showMoreTracesButton": "Afficher plus", + "xpack.profiling.stackTracesView.stackTracesCountButton": "Traces de la pile", + "xpack.profiling.stackTracesView.threadsTabLabel": "Threads", + "xpack.profiling.stackTracesView.tracesTabLabel": "Traces", + "xpack.profiling.topn.otherBucketLabel": "Autre", + "xpack.profiling.zeroSeconds": "0 seconde", "xpack.remoteClusters.addAction.failedDefaultErrorMessage": "La requête a échoué avec une erreur {statusCode}. {message}", "xpack.remoteClusters.detailPanel.deprecatedSettingsConfiguredByNodeMessage": "Modifiez le cluster pour mettre à jour les paramètres. {helpLink}", "xpack.remoteClusters.detailPanel.deprecatedSettingsMessage": "{editLink} pour mettre à jour les paramètres.", @@ -24136,6 +25724,7 @@ "xpack.reporting.diagnostic.noUsableSandbox": "Impossible d'utiliser la sandbox Chromium. Vous pouvez la désactiver à vos risques et périls avec \"xpack.screenshotting.browser.chromium.disableSandbox\". Veuillez consulter {url}", "xpack.reporting.exportTypes.common.failedToDecryptReportJobDataErrorMessage": "Impossible de déchiffrer les données de la tâche de reporting. Veuillez vous assurer que {encryptionKey} est défini et générez à nouveau ce rapport. {err}", "xpack.reporting.exportTypes.csv.generateCsv.esErrorMessage": "Réponse {statusCode} reçue d'Elasticsearch : {message}", + "xpack.reporting.exportTypes.csv.generateCsv.incorrectRowCount": "Une erreur a été rencontrée avec le nombre de lignes CSV générées de la recherche : {expected} prévues, {received} reçues.", "xpack.reporting.exportTypes.csv.generateCsv.unknownErrorMessage": "Une erreur inconnue est survenue : {message}", "xpack.reporting.jobsQuery.deleteError": "Impossible de supprimer le rapport : {error}", "xpack.reporting.jobStatusDetail.attemptXofY": "Tentative {attempts} sur {max_attempts}.", @@ -24165,6 +25754,7 @@ "xpack.reporting.statusIndicator.lastStatusUpdateLabel": "Mis à jour le {date}", "xpack.reporting.statusIndicator.processingLabel": "En cours de traitement, tentative {attempt}", "xpack.reporting.statusIndicator.processingMaxAttemptsLabel": "En cours de traitement, tentative {attempt} sur {of}", + "xpack.reporting.userAccessError.message": "Demandez à votre administrateur un accès aux fonctionnalités de reporting. {grantUserAccessDocs}.", "xpack.reporting.breadcrumb": "Reporting", "xpack.reporting.common.browserCouldNotLaunchErrorMessage": "Impossible de générer des captures d'écran, car le navigateur ne s’est pas lancé. Consultez les logs de serveur pour en savoir plus.", "xpack.reporting.common.cloud.insufficientSystemMemoryError": "Impossible de générer ce rapport en raison d’un manque de mémoire.", @@ -24332,6 +25922,7 @@ "xpack.reporting.statusIndicator.unknownLabel": "Inconnu", "xpack.reporting.uiSettings.validate.customLogo.badFile": "Désolé, ce fichier ne convient pas. Veuillez essayer un autre fichier image.", "xpack.reporting.uiSettings.validate.customLogo.tooLarge": "Désolé, ce fichier est trop volumineux. Le fichier image doit être inférieur à 200 kilo-octets.", + "xpack.reporting.userAccessError.learnMoreLink": "En savoir plus", "xpack.rollupJobs.create.errors.dateHistogramIntervalInvalidCalendarInterval": "L'unité \"{unit}\" autorise uniquement les valeurs 1. Essayez {suggestion}.", "xpack.rollupJobs.create.errors.dateHistogramIntervalInvalidCalendarIntervalSuggestion": "1 {unit}", "xpack.rollupJobs.create.errors.idSameAsCloned": "Le nom doit être différent du nom cloné : \"{clonedId}\".", @@ -24583,6 +26174,7 @@ "xpack.savedObjectsTagging.notifications.createTagSuccessTitle": "Création de la balise \"{name}\" effectuée", "xpack.savedObjectsTagging.notifications.deleteTagSuccessTitle": "Suppression de la balise \"{name}\" effectuée", "xpack.savedObjectsTagging.notifications.editTagSuccessTitle": "Modifications apportées à \"{name}\" enregistrées", + "xpack.savedObjectsTagging.tagList.tagBadge.buttonLabel": "Bouton de balise {tagName}.", "xpack.savedObjectsTagging.validation.description.errorTooLong": "La description de balise ne doit pas dépasser {length} caractères", "xpack.savedObjectsTagging.validation.name.errorTooLong": "Le nom de balise ne doit pas dépasser {length} caractères", "xpack.savedObjectsTagging.validation.name.errorTooShort": "Le nom de balise doit comprendre au moins {length} caractères", @@ -24901,6 +26493,7 @@ "xpack.security.loginPage.xpackUnavailableTitle": "Impossible de se connecter au cluster Elasticsearch actuellement configuré pour Kibana.", "xpack.security.loginWithElasticsearchLabel": "Se connecter avec Elasticsearch", "xpack.security.logoutAppTitle": "Déconnexion", + "xpack.security.management.api_keys.readonlyTooltip": "Impossible de créer ou de modifier les clés d'API", "xpack.security.management.apiKeys.base64Description": "Format utilisé pour l'authentification avec Elasticsearch.", "xpack.security.management.apiKeys.base64Label": "Base64", "xpack.security.management.apiKeys.beatsDescription": "Format utilisé pour la configuration de Beats.", @@ -24928,6 +26521,7 @@ "xpack.security.management.apiKeys.table.apiKeysDisabledErrorLinkText": "documents", "xpack.security.management.apiKeys.table.apiKeysDisabledErrorTitle": "Clés d'API non activées dans Elasticsearch", "xpack.security.management.apiKeys.table.apiKeysOwnDescription": "Affichez et supprimez vos clés d'API. Une clé d'API envoie des requêtes en votre nom.", + "xpack.security.management.apiKeys.table.apiKeysReadOnlyDescription": "Affichez vos clés d'API. Une clé d'API envoie des requêtes en votre nom.", "xpack.security.management.apiKeys.table.apiKeysTableLoadingMessage": "Chargement des clés d'API…", "xpack.security.management.apiKeys.table.apiKeysTitle": "Clés d'API", "xpack.security.management.apiKeys.table.createButton": "Créer une clé d'API", @@ -24938,6 +26532,7 @@ "xpack.security.management.apiKeys.table.loadingApiKeysDescription": "Chargement des clés d'API…", "xpack.security.management.apiKeys.table.manageOwnKeysWarning": "Vous avez uniquement l'autorisation de gérer vos propres clés d'API.", "xpack.security.management.apiKeys.table.nameColumnName": "Nom", + "xpack.security.management.apiKeys.table.readOnlyOwnKeysWarning": "Vous avez uniquement l'autorisation d'afficher vos propres clés d'API.", "xpack.security.management.apiKeys.table.realmColumnName": "Domaine", "xpack.security.management.apiKeys.table.realmFilterLabel": "Domaine", "xpack.security.management.apiKeys.table.statusActive": "Actif", @@ -24951,6 +26546,8 @@ "xpack.security.management.apiKeysEmptyPrompt.emptyTitle": "Créer votre première clé d'API", "xpack.security.management.apiKeysEmptyPrompt.errorMessage": "Impossible de charger les clés d'API.", "xpack.security.management.apiKeysEmptyPrompt.forbiddenErrorMessage": "Pas autorisé à gérer les clés d'API.", + "xpack.security.management.apiKeysEmptyPrompt.readOnlyEmptyMessage": "Pour en savoir plus, veuillez contacter votre administrateur", + "xpack.security.management.apiKeysEmptyPrompt.readOnlyEmptyTitle": "Vous ne disposez pas d'autorisation pour créer des clés d'API", "xpack.security.management.apiKeysEmptyPrompt.technicalDetailsButton": "Détails techniques", "xpack.security.management.apiKeysTitle": "Clés d'API", "xpack.security.management.deprecatedBadge": "Déclassé", @@ -24979,6 +26576,7 @@ "xpack.security.management.editRole.elasticSearchPrivileges.runAsPrivilegesTitle": "Exécuter comme privilèges", "xpack.security.management.editRole.errorDeletingRoleError": "Erreur lors de la suppression du rôle", "xpack.security.management.editRole.errorSavingRoleError": "Erreur lors de l'enregistrement du rôle", + "xpack.security.management.editRole.featureTable.cannotCustomizeSubFeaturesTooltip": "La personnalisation des privilèges de sous-fonctionnalité est une fonctionnalité soumise à abonnement.", "xpack.security.management.editRole.featureTable.customizeSubFeaturePrivilegesSwitchLabel": "Personnaliser les privilèges des sous-fonctionnalités", "xpack.security.management.editRole.featureTable.featureVisibilityTitle": "Personnaliser les privilèges des fonctionnalités", "xpack.security.management.editRole.featureTable.managementCategoryHelpText": "L'accès à Stack Management est déterminé à la fois par les privilèges Elasticsearch et les privilèges Kibana, et il ne peut pas être explicitement désactivé.", @@ -24996,7 +26594,7 @@ "xpack.security.management.editRole.privilegeSummary.privilegeGrantedIconTip": "Le privilège est accordé", "xpack.security.management.editRole.privilegeSummary.privilegeNotGrantedIconTip": "Le privilège n'est pas accordé", "xpack.security.management.editRole.privilegeSummary.viewSummaryButtonText": "Afficher le résumé des privilèges", - "xpack.security.management.editRole.returnToRoleListButtonLabel": "Revenir à la liste de rôles", + "xpack.security.management.editRole.returnToRoleListButtonLabel": "Retour aux rôles", "xpack.security.management.editRole.reversedRoleBadge.reservedRolesCanNotBeModifiedTooltip": "Les rôles réservés sont intégrés et ne peuvent être ni retirés ni modifiés.", "xpack.security.management.editRole.roleNameFormRowHelpText": "Un nom de rôle ne peut pas être modifié après sa création.", "xpack.security.management.editRole.roleNameFormRowTitle": "Nom de rôle", @@ -25031,6 +26629,7 @@ "xpack.security.management.editRole.spacesPopoverList.findSpacePlaceholder": "Rechercher un espace", "xpack.security.management.editRole.spacesPopoverList.noSpacesFoundTitle": " aucun espace trouvé ", "xpack.security.management.editRole.spacesPopoverList.popoverTitle": "Espaces", + "xpack.security.management.editRole.spacesPopoverList.selectSpacesTitle": "Espaces", "xpack.security.management.editRole.transformErrorSectionDescription": "Cette définition de rôle n'est pas valide et ne peut pas être modifiée sur cet écran.", "xpack.security.management.editRole.transformErrorSectionTitle": "Rôle mal formé", "xpack.security.management.editRole.updateRoleText": "Mettre à jour le rôle", @@ -25129,6 +26728,7 @@ "xpack.security.management.editRolespacePrivilegeForm.updateGlobalPrivilegeButton": "Mettre à jour le privilège global", "xpack.security.management.editRolespacePrivilegeForm.updatePrivilegeButton": "Mettre à jour le privilège d'espace", "xpack.security.management.enabledBadge": "Activé", + "xpack.security.management.readonlyBadge.text": "Lecture seule", "xpack.security.management.reservedBadge": "Réservé", "xpack.security.management.roleMappings.actionCloneAriaLabel": "Cloner ''{name}''", "xpack.security.management.roleMappings.actionCloneTooltip": "Cloner", @@ -25174,6 +26774,7 @@ "xpack.security.management.roles.nameColumnName": "Rôle", "xpack.security.management.roles.noIndexPatternsPermission": "Vous devez disposer d'une autorisation pour accéder à la liste de modèles d'indexation disponibles.", "xpack.security.management.roles.noPermissionToManageRolesDescription": "Contactez votre administrateur système.", + "xpack.security.management.roles.readonlyTooltip": "Impossible de créer ou de modifier des rôles", "xpack.security.management.roles.reservedRoleBadgeTooltip": "Les rôles réservés sont intégrés et ne peuvent être ni modifiés ni retirés.", "xpack.security.management.roles.roleTitle": "Rôles", "xpack.security.management.roles.showReservedRolesLabel": "Afficher les rôles réservés", @@ -25233,6 +26834,7 @@ "xpack.security.management.users.emailAddressColumnName": "Adresse e-mail", "xpack.security.management.users.fullNameColumnName": "Nom complet", "xpack.security.management.users.permissionDeniedToManageUsersDescription": "Contactez votre administrateur système.", + "xpack.security.management.users.readonlyTooltip": "Impossible de créer ou de modifier des utilisateurs", "xpack.security.management.users.reservedColumnDescription": "Les utilisateurs réservés sont intégrés et ne peuvent pas être retirés. Seul le mot de passe peut être modifié.", "xpack.security.management.users.reservedUserBadgeTooltip": "Les utilisateurs réservés sont intégrés et ne peuvent être ni modifiés ni retirés.", "xpack.security.management.users.roleComboBox.AdminRoles": "Rôles d'administrateur", @@ -25309,6 +26911,8 @@ "xpack.security.unauthenticated.pageTitle": "Impossible de vous connecter", "xpack.security.users.breadcrumb": "Utilisateurs", "xpack.security.users.editUserPage.createBreadcrumb": "Créer", + "xpack.securitySolution.alertDetails.overview.hostRiskClassification": "Classification de risque de {riskEntity} actuelle", + "xpack.securitySolution.alertDetails.overview.hostRiskDataTitle": "Données de risque de {riskEntity}", "xpack.securitySolution.alertDetails.overview.insights_related_alerts_by_source_event_count": "{count} {count, plural, =1 {alerte} other {alertes}} par événement source", "xpack.securitySolution.alertDetails.overview.insights_related_cases_found_content": "Cette alerte a été détectée dans {caseCount}", "xpack.securitySolution.alertDetails.overview.insights_related_cases_found_content_count": "{caseCount} {caseCount, plural, =0 {cas.} =1 {cas :} other {cas :}}", @@ -25316,6 +26920,9 @@ "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_count": "{count} {count, plural, =1 {alerte} other {alertes}} par session", "xpack.securitySolution.alertDetails.overview.insights.related_cases_count": "{count} {count, plural, =1 {cas} other {cas}} associé(s) à cette alerte", "xpack.securitySolution.alertDetails.overview.insights.relatedCasesFailure": "Impossible de charger les cas connexes : \"{error}\".", + "xpack.securitySolution.alertDetails.overview.originalHostRiskClassification": "Classification de risque de {riskEntity} originale", + "xpack.securitySolution.alertDetails.overview.riskDataTooltipContent": "La classification des risques n'est affichée que lorsqu'elle est disponible pour une {riskEntity}. Vérifiez que {riskScoreDocumentationLink} est activé dans votre environnement.", + "xpack.securitySolution.alerts.alertDetails.summary.cases.subTitle": "Affichage des {caseCount} cas les plus récemment créés contenant cette alerte", "xpack.securitySolution.anomaliesTable.table.unit": "{totalCount, plural, =1 {anomalie} other {anomalies}}", "xpack.securitySolution.artifactCard.comments.label.hide": "Masquer les commentaires ({count})", "xpack.securitySolution.artifactCard.comments.label.show": "Afficher les commentaires ({count})", @@ -25346,8 +26953,10 @@ "xpack.securitySolution.components.mlPopup.moduleNotCompatibleTitle": "{incompatibleJobCount} {incompatibleJobCount, plural, =1 {tâche est actuellement indisponible} other {tâches sont actuellement indisponibles}}", "xpack.securitySolution.components.mlPopup.showingLabel": "Affichage de : {filterResultsLength} {filterResultsLength, plural, one {tâche} other {tâches}}", "xpack.securitySolution.components.mlPopup.upgradeDescription": "Pour accéder aux fonctionnalités de détection des anomalies de SIEM, vous devez mettre à niveau votre licence vers Platinum, démarrer un essai gratuit de 30 jours ou lancer un {cloudLink} sur AWS, GCP ou Azure. Vous pourrez ensuite exécuter des tâches de Machine Learning et visualiser les anomalies.", + "xpack.securitySolution.configurations.suppressedAlerts": "L'alerte possède {numAlertsSuppressed} alertes supprimées.", "xpack.securitySolution.console.badArgument.helpMessage": "Entrez {helpCmd} pour obtenir plus d'aide.", "xpack.securitySolution.console.buildInCommand.helpArgument.helpTitle": "commande {cmdName}", + "xpack.securitySolution.console.commandList.callout.visitSupportSections": "{learnMore} concernant les actions de réponse et l'utilisation de la console.", "xpack.securitySolution.console.commandValidation.argSupportedOnlyOnce": "Cet argument ne peut être utilisé qu'une fois : {argName}", "xpack.securitySolution.console.commandValidation.exclusiveOr": "Cette commande ne prend en charge qu'un seul des arguments suivants : {argNames}", "xpack.securitySolution.console.commandValidation.invalidArgValue": "Valeur d'argument non valide : {argName}. {error}", @@ -25355,13 +26964,20 @@ "xpack.securitySolution.console.commandValidation.mustHaveArgs": "Arguments requis manquants : {requiredArgs}", "xpack.securitySolution.console.commandValidation.unknownArgument": "{countOfInvalidArgs, plural, =1 {Argument} other {Arguments}} de {command} non pris en charge par cette commande : {unknownArgs}", "xpack.securitySolution.console.commandValidation.unsupportedArg": "Argument non pris en charge : {argName}", + "xpack.securitySolution.console.sidePanel.helpDescription": "Utilisez le bouton Ajouter ({icon}) pour insérer une action de réponse dans la barre de texte. Le cas échéant, ajoutez des paramètres ou commentaires supplémentaires.", "xpack.securitySolution.console.unknownCommand.helpMessage": "Le texte que vous avez entré ({userInput}) n'est pas pris en charge ! Cliquez sur {helpIcon} {boldHelp} ou saisissez {helpCmd} pour obtenir de l'aide.", + "xpack.securitySolution.console.validationError.helpMessage": "Entrez {helpCmd} pour obtenir plus d'aide.", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeAllEventsInfo": "Monitore et collecte des données de toutes les exécutions système, y compris celles qui ont été lancées par des processus daemon, tels que {nginx}, {postgres} et {cron}. {recommendation}", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeInteractiveOnlyInfo": "Capture les interactions système en direct lancées par les utilisateurs via des programmes tels que {ssh} ou {telnet}. {recommendation}", + "xpack.securitySolution.createPackagePolicy.stepConfigure.quickSettingsTranslation": "Utilisez les paramètres rapides pour configurer l'intégration dans {environments}. Vous pouvez apporter des modifications à la configuration après la création de l'intégration.", + "xpack.securitySolution.createPackagePolicy.stepConfigure.seeDocumentation": "Pour en savoir plus, consultez la {documentation}.", "xpack.securitySolution.dataProviders.groupAreaAriaLabel": "Vous êtes dans le groupe {group}", "xpack.securitySolution.dataProviders.showOptionsDataProviderAriaLabel": "{field} {value} Appuyez sur Entrée pour accéder aux options ou sur la barre d'espace pour commencer le glisser-déposer", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertSuccessToastMessage": "Marquage réussi de {totalAlerts} {totalAlerts, plural, =1 {alerte comme reconnue} other {alertes comme reconnues}}.", "xpack.securitySolution.detectionEngine.alerts.closedAlertSuccessToastMessage": "Fermeture réussie de {totalAlerts} {totalAlerts, plural, =1 {alerte} other {alertes}}.", "xpack.securitySolution.detectionEngine.alerts.count.columnLabel": "{topN} principales valeurs de {fieldName}", "xpack.securitySolution.detectionEngine.alerts.createNewTermsTimelineFailure": "Impossible de créer une chronologie pour l’ID de document : {id}", + "xpack.securitySolution.detectionEngine.alerts.createSuppressedTimelineFailure": "Impossible de créer une chronologie pour l’ID de document : {id}", "xpack.securitySolution.detectionEngine.alerts.createThresholdTimelineFailure": "Impossible de créer une chronologie pour l’ID de document : {id}", "xpack.securitySolution.detectionEngine.alerts.histogram.showingAlertsTitle": "Affichage de : {modifier}{totalAlertsFormatted} {totalAlerts, plural, =1 {alerte} other {alertes}}", "xpack.securitySolution.detectionEngine.alerts.histogram.topNLabel": "Premiers {fieldName}", @@ -25375,6 +26991,7 @@ "xpack.securitySolution.detectionEngine.components.importRuleModal.importFailedDetailedTitle": "{message}", "xpack.securitySolution.detectionEngine.components.importRuleModal.importFailedTitle": "Impossible d'importer {totalRules} {totalRules, plural, =1 {règle} other {règles}}.", "xpack.securitySolution.detectionEngine.components.importRuleModal.successfullyImportedRulesTitle": "Importation réussie de {totalRules} {totalRules, plural, =1 {règle} other {règles}}", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldShouldLoadQueryDynamicallyLabel": "Charger la requête enregistrée \"{savedQueryName}\" de façon dynamique dans chaque exécution de règle", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.machineLearningJobIdHelpText": "Nous avons fourni quelques tâches courantes pour vous aider à commencer. Pour ajouter vos propres tâches personnalisées, affectez un groupe de \"sécurité\" à ces tâches dans l'application {machineLearning} pour les faire apparaître ici.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlEnableJobMulti": "Les tâches de ML sélectionnées, {jobNames}, ne sont pas en cours d'exécution. Veuillez définir l'exécution de ces tâches via les paramètres de tâche ML avant d'activer cette règle.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlEnableJobSingle": "La tâche de ML sélectionnée, {jobName}, n'est pas en cours d'exécution. Veuillez définir l'exécution de la tâche {jobName} via les paramètres de tâche ML avant d'activer cette règle.", @@ -25394,15 +27011,15 @@ "xpack.securitySolution.detectionEngine.relatedIntegrations.popoverDescriptionInstalledVersionTooltip": "Non-correspondance de version ; veuillez résoudre le problème ! La version installée est \"{installedVersion}\" alors que la version exigée est \"{requiredVersion}\"", "xpack.securitySolution.detectionEngine.relatedIntegrations.popoverTitle": "[{integrationsCount}] {integrationsCount, plural, =1 {Intégration associée disponible} other {Intégrations associées disponibles}}", "xpack.securitySolution.detectionEngine.rule.editRule.errorMsgDescription": "Une entrée est incorrecte dans {countError, plural, one {cet onglet} other {ces onglets}} : {tabHasError}", - "xpack.securitySolution.detectionEngine.rule.editRule.actionSectionsTitle": "Actions", "xpack.securitySolution.detectionEngine.ruleDetails.ruleCreationDescription": "Créé par : {by} le {date}", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.gapDurationColumnTooltip": "Durée de l'écart dans l'exécution de la règle (hh:mm:ss:SSS). Ajustez l'historique des règles ou {seeDocs} pour réduire les écarts.", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.searchLimitExceededLabel": "Plus de {totalItems} exceptions de règle correspondent aux filtres fournis. Affichage des {maxItems} premières en fonction du \"@timestamp\" le plus récent. Utilisez d'autres contraintes de filtres pour afficher des événements d'exécution supplémentaires.", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.totalExecutionsLabel": "Affichage de {totalItems} {totalItems, plural, =1 {exécution de règle} other {exécutions de règle}}", "xpack.securitySolution.detectionEngine.ruleDetails.ruleUpdateDescription": "Mis à jour par : {by} le {date}", "xpack.securitySolution.detectionEngine.rules.all.exceptions.rulesPopoverButton": "+ {rulesCount} {rulesCount, plural, =1 {règle} other {règles}}", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.showingExceptionLists": "Affichage de {totalLists} {totalLists, plural, =1 {liste} other {listes}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkAction.enable.successToastDescription": "Activation réussie de {totalRules, plural, =1 {{totalRules} règle} other {{totalRules} règles}}", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkActionConfirmationPartlyTitle": "L'action sera appliquée uniquement à {customRulesCount, plural, =1 {# règle personnalisée que vous avez sélectionnée} other {# règles personnalisées que vous avez sélectionnées}}.", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkActionConfirmationPartlyTitle": "L'action peut être appliquée uniquement à {customRulesCount, plural, =1 {# règle personnalisée} other {# règles personnalisées}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditConfirmationDeniedTitle": "Impossible de modifier {rulesCount, plural, =1 {# règle} other {# règles}}.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditWarningToastDescription": "{rulesCount, plural, =1 {# règle est} other {# règles sont}} en cours de mise à jour.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkExportConfirmationDeniedTitle": "Impossible d'exporter {rulesCount, plural, =1 {# règle} other {# règles}}.", @@ -25413,21 +27030,31 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.errorToastDescription": "Impossible de désactiver {rulesCount, plural, =1 {# règle} other {# règles}}.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.successToastDescription": "Désactivation réussie de {totalRules, plural, =1 {{totalRules} règle} other {{totalRules} règles}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.errorToastDescription": "Impossible de dupliquer {rulesCount, plural, =1 {# règle} other {# règles}}.", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.modalBody": "Vous dupliquez {rulesCount, plural, one {# règle sélectionnée} other {# règles sélectionnées}}. Veuillez choisir comment dupliquer les exceptions existantes", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.modalTitle": "Dupliquer {rulesCount, plural, one {la règle} other {les règles}} avec les exceptions ?", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.with": "Dupliquer {rulesCount, plural, one {la règle} other {les règles}} et leurs exceptions", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.without": "Dupliquer uniquement {rulesCount, plural, one {la règle} other {les règles}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.successToastDescription": "Duplication réussie de {totalRules, plural, =1 {{totalRules} règle} other {{totalRules} règles}}", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.infoCalloutTitle": "Configurer les actions pour {rulesCount, plural, one {# règle que vous avez sélectionnée} other {# règles que vous avez sélectionnées}}", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.warningCalloutMessage": "Vous êtes sur le point d'écraser les actions de règle pour {rulesCount, plural, one {# règle sélectionnée} other {# règles sélectionnées}}. Cliquez sur {saveButton} pour appliquer les modifications.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.warningCalloutMessage": "Vous êtes sur le point d'appliquer des modifications à {rulesCount, plural, one {# règle sélectionnée} other {# règles sélectionnées}}. Si vous avez déjà appliqué des modèles de chronologie à ces règles, ils seront remplacés ou (si vous sélectionnez \"Aucun\") réinitialisés.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.errorToastDescription": "Impossible de mettre à jour {rulesCount, plural, =1 {# règle} other {# règles}}.", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastDescription": "Vous avez correctement mis à jour {rulesCount, plural, =1 {# règle} other {# règles}}. Si vous n'avez pas choisi d'appliquer les modifications des règles avec les vues de données Kibana, ces règles n’ont pas été mises à jour et continuent à utiliser les vues de données.", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.warningCalloutMessage": "Vous êtes sur le point d'appliquer des modifications à {rulesCount, plural, one {# règle sélectionnée} other {# règles sélectionnées}}. Les modifications que vous effectuez écraseront les planifications existantes de la règle et le temps de récupération supplémentaire (le cas échéant).", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastDescription": "Vous avez correctement mis à jour {rulesCount, plural, =1 {# règle} other {# règles}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.elasticRulesEditDescription": "{rulesCount, plural, =1 {# règle Elastic prédéfinie} other {# règles Elastic prédéfinies}} (modification des règles prédéfinies non prise en charge)", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.elasticRulesExportDescription": "{rulesCount, plural, =1 {# règle Elastic prédéfinie} other {# règles Elastic prédéfinies}} (exportation des règles prédéfinies non prise en charge)", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.errorToastDescription": "Impossible d'activer {rulesCount, plural, =1 {# règle} other {# règles}}.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.export.errorToastDescription": "Impossible d'exporter {rulesCount, plural, =1 {# règle} other {# règles}}.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.export.successToastDescription": "Exportation réussie de {exportedRules} sur {totalRules} {totalRules, plural, =1 {règle} other {règles}}.", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.machineLearningRulesAuthDescription": "Impossible de modifier {rulesCount, plural, =1 {# règle Machine Learning} other {# règles Machine Learning}} ({message})", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.machineLearningRulesIndexEditDescription": "{rulesCount, plural, =1 {# règle Machine Learning personnalisée} other {# règles Machine Learning personnalisées}} (ces règles n'ont pas de modèle d'indexation)", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.machineLearningRulesAuthDescription": "Impossible de modifier {rulesCount, plural, =1 {# règle de Machine Learning} other {# règles de Machine Learning}} ({message})", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.machineLearningRulesIndexEditDescription": "{rulesCount, plural, =1 {# règle de Machine Learning personnalisée} other {# règles de Machine Learning personnalisées}} (ces règles n'ont pas de modèles d'indexation)", "xpack.securitySolution.detectionEngine.rules.allRules.columns.gapTooltip": "Durée de l'écart le plus récent dans l'exécution de la règle. Ajustez l'historique des règles ou {seeDocs} pour réduire les écarts.", "xpack.securitySolution.detectionEngine.rules.allRules.selectAllRulesTitle": "Sélection totale de {totalRules} {totalRules, plural, =1 {règle} other {règles}} effectuée", "xpack.securitySolution.detectionEngine.rules.allRules.selectedRulesTitle": "Sélection de {selectedRules} {selectedRules, plural, =1 {règle} other {règles}} effectuée", + "xpack.securitySolution.detectionEngine.rules.allRules.showingRulesTitle": "Affichage de {firstInPage}-{lastOfPage} sur {totalRules} {totalRules, plural, =1 {règle} other {règles}}", "xpack.securitySolution.detectionEngine.rules.create.successfullyCreatedRuleTitle": "{ruleName} a été créé", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.enableFirstRule.content": "Activez la règle \"{name}\".", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.searchFirstRule.content": "Recherchez la règle \"{name}\".", "xpack.securitySolution.detectionEngine.rules.popoverTooltip.ariaLabel": "Infobulle pour la colonne : {columnName}", "xpack.securitySolution.detectionEngine.rules.reloadMissingPrePackagedRulesAndTimelinesButton": "Installez {missingRules} {missingRules, plural, =1 {règle prédéfinie} other {règles prédéfinies}} d'Elastic et {missingTimelines} {missingTimelines, plural, =1 {chronologie prédéfinie} other {chronologies prédéfinies}} d'Elastic ", "xpack.securitySolution.detectionEngine.rules.reloadMissingPrePackagedRulesButton": "Installez {missingRules} {missingRules, plural, =1 {règle prédéfinie} other {règles prédéfinie}} d'Elastic ", @@ -25443,8 +27070,17 @@ "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewNotFoundDescription": "Votre vue de données avec l'ID \"{dataView}\" est introuvable. Il est possible qu'elle ait été supprimée.", "xpack.securitySolution.detectionResponse.alertsByStatus.totalAlerts": "total {totalAlerts, plural, =1 {alerte} other {alertes}}", "xpack.securitySolution.detectionResponse.casesByStatus.totalCases": "total {totalCases, plural, other {# cas}}", + "xpack.securitySolution.detectionResponse.noChange": "Votre {dataType} n'a pas été modifié", + "xpack.securitySolution.detectionResponse.noData": "Aucune donnée {dataType} à comparer", + "xpack.securitySolution.detectionResponse.noDataCompare": "Aucune donnée {dataType} à comparer à partir de la plage temporelle de comparaison", + "xpack.securitySolution.detectionResponse.noDataCurrent": "Aucune donnée {dataType} à comparer à partir de la plage temporelle actuelle", + "xpack.securitySolution.detectionResponse.timeDifference": "Votre {statType} est {upOrDown} de {percentageChange} par rapport à {stat}", "xpack.securitySolution.detections.hostIsolation.impactedCases": "Cette action sera ajoutée aux {cases}.", "xpack.securitySolution.dragAndDrop.youAreInADialogContainingOptionsScreenReaderOnly": "Vous êtes dans une boîte de dialogue contenant des options pour le champ {fieldName}. Appuyez sur Tab pour naviguer entre les options. Appuyez sur Échap pour quitter.", + "xpack.securitySolution.editDataProvider.unavailableOperator": "L'opérateur {operator} n'est pas disponible avec les modèles", + "xpack.securitySolution.enableRiskScore.enableRiskScore": "Activer le score de risque de {riskEntity}", + "xpack.securitySolution.enableRiskScore.enableRiskScoreDescription": "Une fois que vous avez activé cette fonctionnalité, vous pouvez obtenir un accès rapide aux scores de risque de {riskEntity} dans cette section. Les données pourront prendre jusqu'à une heure pour être générées après l'activation du module.", + "xpack.securitySolution.enableRiskScore.upgradeRiskScore": "Mettre à niveau le score de risque de {riskEntity}", "xpack.securitySolution.endpoint.details.policy.revisionNumber": "rév. {revNumber}", "xpack.securitySolution.endpoint.details.policyStatusValue": "{policyStatus, select, success {Succès} warning {Avertissement} failure {Échec} other {Inconnu}}", "xpack.securitySolution.endpoint.fleetCustomExtension.artifactsSummaryError": "Une erreur s'est produite lors de la tentative de récupération des statistiques d'artefacts : \"{error}\"", @@ -25526,6 +27162,10 @@ "xpack.securitySolution.endpoint.resolver.relatedEventLimitTitle": "Cette liste inclut {numberOfEntries} événements de processus.", "xpack.securitySolution.endpointPolicyStatus.revisionNumber": "rév. {revNumber}", "xpack.securitySolution.endpointResponseActions.actionError.errorMessage": "{ errorCount, plural, =1 {Erreur rencontrée} other {Erreurs rencontrées}} :", + "xpack.securitySolution.entityAnalytics.anomalies.moduleNotCompatibleTitle": "{incompatibleJobCount} {incompatibleJobCount, plural, =1 {tâche est actuellement indisponible} other {tâches sont actuellement indisponibles}}", + "xpack.securitySolution.entityAnalytics.riskDashboard.nameTitle": "Nom de {riskEntity}", + "xpack.securitySolution.entityAnalytics.riskDashboard.riskClassificationTitle": "Classification de risque de {riskEntity}", + "xpack.securitySolution.entityAnalytics.riskDashboard.riskToolTip": "La classification de risque de {riskEntity} est déterminée par le score de risque de {riskEntityLowercase}. Les {riskEntity} classées comme Critique ou Élevée sont indiquées comme étant à risque.", "xpack.securitySolution.event.reason.reasonRendererTitle": "Outil de rendu d'événement : {eventRendererName} ", "xpack.securitySolution.eventDetails.nestedColumnCheckboxAriaLabel": "Le champ {field} est un objet, et il est composé de champs imbriqués qui peuvent être ajoutés en tant que colonne", "xpack.securitySolution.eventDetails.viewColumnCheckboxAriaLabel": "Afficher la colonne {field}", @@ -25536,13 +27176,23 @@ "xpack.securitySolution.eventFilters.showingTotal": "Affichage de {total} {total, plural, one {filtre d'événement} other {filtres d'événement}}", "xpack.securitySolution.eventsTab.unit": "{totalCount, plural, =1 {alerte externe} other {alertes externes}}", "xpack.securitySolution.eventsViewer.unit": "{totalCount, plural, =1 {événement} other {événements}}", + "xpack.securitySolution.exception.list.empty.viewer_body": "Aucune exception ne figure dans votre [{listName}]. Créez des exceptions de règle pour cette liste.", + "xpack.securitySolution.exceptions.common.addToRuleOptionLabel": "Ajouter à cette règle : {ruleName}", + "xpack.securitySolution.exceptions.common.addToRulesOptionLabel": "Ajouter aux [{numRules}] règles sélectionnées : {ruleNames}", + "xpack.securitySolution.exceptions.createSharedExceptionListSuccessDescription": "la liste nommée ${listName} a été créée !", "xpack.securitySolution.exceptions.disassociateListSuccessText": "La liste d'exceptions ({id}) a été retirée avec succès", - "xpack.securitySolution.exceptions.failedLoadPolicies": "Une erreur s'est produite lors du chargement des politiques : \"{error}\"", + "xpack.securitySolution.exceptions.failedLoadPolicies": "Une erreur s'est produite lors du chargement des politiques : \"{error}\"", "xpack.securitySolution.exceptions.fetch404Error": "La liste d'exceptions associée ({listId}) n'existe plus. Veuillez retirer la liste d'exceptions manquante pour ajouter des exceptions supplémentaires à la règle de détection.", "xpack.securitySolution.exceptions.hideCommentsLabel": "Masquer ({comments}) {comments, plural, =1 {commentaire} other {commentaires}}", + "xpack.securitySolution.exceptions.list.deleted_successfully": "{listName} supprimée avec succès", + "xpack.securitySolution.exceptions.list.exception.item.card.exceptionItemDeleteSuccessText": "\"{itemName}\" supprimé avec succès.", + "xpack.securitySolution.exceptions.list.exported_successfully": "{listName} exporté avec succès", + "xpack.securitySolution.exceptions.referenceModalDefaultDescription": "Voulez-vous vraiment SUPPRIMER la liste d'exceptions nommée {listName} ?", "xpack.securitySolution.exceptions.referenceModalDescription": "Cette liste d'exceptions est associée à ({referenceCount}) {referenceCount, plural, =1 {règle} other {règles}}. Le retrait de cette liste d'exceptions supprimera également sa référence des règles associées.", "xpack.securitySolution.exceptions.referenceModalSuccessDescription": "Liste d'exceptions - {listId} - supprimée avec succès.", "xpack.securitySolution.exceptions.showCommentsLabel": "Afficher ({comments}) {comments, plural, =1 {commentaire} other {commentaires}}", + "xpack.securitySolution.exceptions.viewer.lastUpdated": "Mis à jour {updated}", + "xpack.securitySolution.exceptions.viewer.paginationDetails": "Affichage de {partOne} sur {partTwo}", "xpack.securitySolution.fieldBrowser.descriptionForScreenReaderOnly": "Description pour le champ {field} :", "xpack.securitySolution.footer.autoRefreshActiveTooltip": "Lorsque l'actualisation automatique est activée, la chronologie vous montrera les {numberOfItems} derniers événements correspondant à votre recherche.", "xpack.securitySolution.formattedNumber.countsLabel": "{mantissa}{scale}{hasRemainder}", @@ -25576,6 +27226,7 @@ "xpack.securitySolution.kpiHosts.riskyHosts.hostsCount": "{quantity} {quantity, plural, =1 {hôte} other {hôtes}}", "xpack.securitySolution.lists.referenceModalDescription": "Cette liste de valeurs est associée à ({referenceCount}) {referenceCount, plural, =1 {liste} other {listes}} d'exception. Le retrait de cette liste supprimera tous les éléments d'exception qui référencent cette liste de valeurs.", "xpack.securitySolution.lists.uploadValueListExtensionValidationMessage": "Le fichier doit être de l'un des types suivants : [{fileTypes}]", + "xpack.securitySolution.markdownEditor.plugins.insightConfigError": "Impossible d'analyser la configuration JSON des informations exploitables : {err}", "xpack.securitySolution.markdownEditor.plugins.timeline.failedRetrieveTimelineErrorMsg": "Impossible de récupérer l'ID de chronologie : { timelineId }", "xpack.securitySolution.markdownEditor.plugins.timeline.toolTip.timelineId": "ID de chronologie : { timelineId }", "xpack.securitySolution.markdownEditor.plugins.timeline.toolTip.timelineUrlIsNotValidErrorMsg": "L'URL de chronologie n'est pas valide => {timelineUrl}", @@ -25593,7 +27244,6 @@ "xpack.securitySolution.networkTopNFlowTable.rows": "{numRows} {numRows, plural, =0 {ligne} =1 {ligne} other {lignes}}", "xpack.securitySolution.networkTopNFlowTable.unit": "{totalCount, plural, other {IP}}", "xpack.securitySolution.noPermissionsMessage": "Pour afficher {subPluginKey}, vous devez mettre à jour les privilèges. Pour en savoir plus, contactez votre administrateur Kibana.", - "xpack.securitySolution.noPrivilegesDefaultMessage": "Pour afficher cette page, vous devez mettre à jour les privilèges. Pour en savoir plus, contactez votre administrateur Kibana.", "xpack.securitySolution.noPrivilegesPerPageMessage": "Pour afficher {pageName}, vous devez mettre à jour les privilèges. Pour en savoir plus, contactez votre administrateur Kibana.", "xpack.securitySolution.notes.youAreViewingNotesScreenReaderOnly": "Vous visualisez des notes pour l'événement de la ligne {row}. Appuyez sur la touche fléchée vers le haut lorsque vous aurez terminé pour revenir à l'événement.", "xpack.securitySolution.open.timeline.deleteTimelineModalTitle": "Supprimer \"{title}\" ?", @@ -25622,16 +27272,52 @@ "xpack.securitySolution.resolver.eventDescription.registryPathLabel": "{ registryPath }", "xpack.securitySolution.resolver.node_button_name": "{nodeState, select, error {Recharger {nodeName}} other {{nodeName}}}", "xpack.securitySolution.resolver.noProcessEvents.dataView": "Si vous avez sélectionné une autre vue de données,\n assurez-vous que votre vue de données contient tous les index stockés dans l'événement source dans \"{field}\".", + "xpack.securitySolution.resolver.unboundedRequest.toast": "Aucun résultat trouvé dans la plage sélectionnée, étendue à {from} - {to}.", "xpack.securitySolution.responder.header.lastSeen": "Vu en dernier le {date}", "xpack.securitySolution.responder.hostOffline.callout.body": "L'hôte {name} est hors connexion, donc ses réponses peuvent avoir du retard. Les commandes en attente seront exécutées quand l'hôte se reconnectera.", - "xpack.securitySolution.responseActionsList.flyout.title": "Log d'action : {hostname}", + "xpack.securitySolution.responseActionFileDownloadLink.passcodeInfo": "(Code secret du fichier ZIP : {passcode}).", + "xpack.securitySolution.responseActionsList.flyout.title": "Historique des actions de réponse : {hostname}", + "xpack.securitySolution.responseActionsList.list.filter.emptyMessage": "Aucun {filterName} disponible", + "xpack.securitySolution.responseActionsList.list.filter.searchPlaceholder": "Rechercher {filterName}", "xpack.securitySolution.responseActionsList.list.item.hasExpired": "Échec de {command} : action expirée", "xpack.securitySolution.responseActionsList.list.item.hasFailed": "Échec de {command}", "xpack.securitySolution.responseActionsList.list.item.isPending": "{command} est en attente", "xpack.securitySolution.responseActionsList.list.item.wasSuccessful": "{command} terminée", "xpack.securitySolution.responseActionsList.list.recordRange": "Affichage de {range} sur {total} {recordsLabel}", "xpack.securitySolution.responseActionsList.list.recordRangeLabel": "{records, plural, one {action de réponse} other {actions de réponse}}", + "xpack.securitySolution.riskInformation.explanation": "Cette fonctionnalité utilise une transformation, avec une agrégation d'indicateurs scriptée pour calculer les scores de risque {riskEntityLower} en fonction des alertes de règle de détection ayant le statut \"ouvert\", sur une fenêtre temporelle de 5 jours. La transformation s'exécute toutes les heures afin que le score reste à jour au moment où de nouvelles alertes de règles de détection sont transmises.", + "xpack.securitySolution.riskInformation.introduction": "La fonctionnalité de score de risque de {riskEntity} détecte les {riskEntityLowerPlural} à risque depuis l'intérieur de votre environnement.", + "xpack.securitySolution.riskInformation.learnMore": "Vous pouvez en savoir plus sur les risques de {riskEntity} {riskScoreDocumentationLink}", + "xpack.securitySolution.riskInformation.riskHeader": "Plage de scores de risque de {riskEntity}", + "xpack.securitySolution.riskInformation.title": "Comment le risque de {riskEntity} est-il calculé ?", + "xpack.securitySolution.riskScore.api.ingestPipeline.delete.errorMessageTitle": "Impossible de supprimer {totalCount, plural, =1 {le pipeline} other {les pipelines}} d'ingestion", + "xpack.securitySolution.riskScore.api.transforms.delete.errorMessageTitle": "Impossible de supprimer {totalCount, plural, =1 {la transformation} other {les transformations}}", + "xpack.securitySolution.riskScore.api.transforms.start.errorMessageTitle": "Impossible de démarrer {totalCount, plural, =1 {la transformation} other {les transformations}}", + "xpack.securitySolution.riskScore.api.transforms.stop.errorMessageTitle": "Impossible d'arrêter {totalCount, plural, =1 {la transformation} other {les transformations}}", + "xpack.securitySolution.riskScore.overview.riskScoreTitle": "Score de risque de {riskEntity}", + "xpack.securitySolution.riskScore.savedObjects.bulkCreateSuccessTitle": "{totalCount} {totalCount, plural, =1 {objet enregistré importé} other {objets enregistrés importés}}", + "xpack.securitySolution.riskScore.savedObjects.enableRiskScoreSuccessTitle": "{items} importés avec succès", + "xpack.securitySolution.riskScore.savedObjects.failedToCreateTagTitle": "Impossible d'importer les objets enregistrés : {savedObjectTemplate} n'a pas été créé, car la balise n'a pas pu être créée : {tagName}", + "xpack.securitySolution.riskScore.savedObjects.templateAlreadyExistsTitle": "Impossible d'importer les objets enregistrés : {savedObjectTemplate} n'a pas été créé, car il existe déjà", + "xpack.securitySolution.riskScore.savedObjects.templateNotFoundTitle": "Impossible d'importer les objets enregistrés : {savedObjectTemplate} n'a pas été créé, car le modèle n'a pas été trouvé", + "xpack.securitySolution.riskScore.transform.notFoundTitle": "Impossible de vérifier l'état de transformation, car {transformId} n'a pas été trouvé", + "xpack.securitySolution.riskScore.transform.start.stateConflictTitle": "Impossible de démarrer la transformation {transformId}, car son état est : {state}", + "xpack.securitySolution.riskScore.transform.transformExistsTitle": "Impossible de créer la transformation, car {transformId} existe déjà", + "xpack.securitySolution.riskTabBody.scoreOverTimeTitle": "Score de risque de {riskEntity} sur la durée", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsTooltipTitle": "La liste d'exceptions partagée est un groupe d'exceptions. {rulesCount, plural, =1 {Cette règle n'a aucune liste d'exceptions partagée} other {Ces règles n'ont aucune liste d'exception partagée}} actuellement attachée. Pour en créer une, visitez la page de gestion des listes d'exceptions.", + "xpack.securitySolution.rule_exceptions.itemComments.hideCommentsLabel": "Masquer ({comments}) {comments, plural, =1 {commentaire} other {commentaires}}", + "xpack.securitySolution.rule_exceptions.itemComments.showCommentsLabel": "Afficher ({comments}) {comments, plural, =1 {commentaire} other {commentaires}}", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.addRuleExceptionToastSuccessText": "L'exception a été ajoutée aux règles - {ruleName}.", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.closeAlerts.successDetails": "L'exception de la règle a été ajoutée aux listes partagées : {listNames}.", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.commentsTitle": "Ajouter des commentaires ({comments})", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemDeleteSuccessText": "\"{itemName}\" supprimé avec succès.", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastSuccessText": "{numItems, plural, =1 {L'exception} other {Les exceptions}} - {exceptionItemName} - {numItems, plural, =1 {a été mise à jour} other {ont été mises à jour}}.", + "xpack.securitySolution.ruleExceptions.editExceptionFlyout.commentsTitle": "Ajouter des commentaires ({comments})", + "xpack.securitySolution.ruleExceptions.exceptionItem.affectedRules": "Affecte {numRules} {numRules, plural, =1 {règle} other {règles}}", + "xpack.securitySolution.ruleExceptions.exceptionItem.showCommentsLabel": "Afficher {comments, plural, =1 {commentaire} other {commentaires}} ({comments})", + "xpack.securitySolution.ruleExceptions.logic.closeAlerts.success": "Mise à jour réussie de {numAlerts} {numAlerts, plural, =1 {alerte} other {alertes}}", "xpack.securitySolution.searchStrategy.error": "Impossible d'exécuter la recherche : {factoryQueryType}", + "xpack.securitySolution.searchStrategy.warning": "Une erreur s'est produite lors de l'exécution de la recherche : {factoryQueryType}", "xpack.securitySolution.some_page.flyoutCreateSubmitSuccess": "\"{name}\" a été ajouté.", "xpack.securitySolution.tables.rowItemHelper.overflowButtonDescription": "+ {count} de plus", "xpack.securitySolution.timeline.body.actions.attachAlertToCaseForRowAriaLabel": "Attacher l'alerte ou l'événement de la ligne {ariaRowindex} à un cas, avec les colonnes {columnValues}", @@ -25679,11 +27365,23 @@ "xpack.securitySolution.usersRiskTable.filteredUsersTitle": "Afficher les utilisateurs à risque {severity}", "xpack.securitySolution.usersTable.rows": "{numRows} {numRows, plural, =0 {ligne} =1 {ligne} other {lignes}}", "xpack.securitySolution.usersTable.unit": "{totalCount, plural, =1 {utilisateur} other {utilisateurs}}", + "xpack.securitySolution.visualizationActions.topValueLabel": "Valeurs les plus élevées de {field}", + "xpack.securitySolution.visualizationActions.uniqueCountLabel": "Décompte unique de {field}", "xpack.securitySolution.accessibility.tooltipWithKeyboardShortcut.pressTooltipLabel": "Appuyer", + "xpack.securitySolution.actionForm.experimentalTooltip": "Cette fonctionnalité est en version d'évaluation technique et pourra être modifiée ou retirée complètement dans une future version. Elastic s'efforcera au maximum de corriger tout problème, mais les fonctionnalités en version d'évaluation technique ne sont pas soumises aux accords de niveau de service d'assistance des fonctionnalités officielles en disponibilité générale.", + "xpack.securitySolution.actionForm.responseActionSectionsDescription": "Actions de réponse", + "xpack.securitySolution.actionForm.responseActionSectionsTitle": "Les actions de réponse sont lancées à chaque exécution de règle", "xpack.securitySolution.actionsContextMenu.label": "Ouvrir", + "xpack.securitySolution.actionTypeForm.accordion.deleteIconAriaLabel": "Supprimer", "xpack.securitySolution.administration.os.linux": "Linux", "xpack.securitySolution.administration.os.macos": "Mac", "xpack.securitySolution.administration.os.windows": "Windows", + "xpack.securitySolution.alertCountByRuleByStatus.alertsByRule": "Alertes par règle", + "xpack.securitySolution.alertCountByRuleByStatus.count": "compte", + "xpack.securitySolution.alertCountByRuleByStatus.noRuleAlerts": "Aucune alerte à afficher", + "xpack.securitySolution.alertCountByRuleByStatus.ruleName": "kibana.alert.rule.name", + "xpack.securitySolution.alertCountByRuleByStatus.status": "Statut", + "xpack.securitySolution.alertCountByRuleByStatus.tooltipTitle": "Nom de règle", "xpack.securitySolution.alertDetails.enrichmentQueryEndDate": "Date de fin", "xpack.securitySolution.alertDetails.enrichmentQueryStartDate": "Date de début", "xpack.securitySolution.alertDetails.investigationTimeQueryTitle": "Enrichissement avec la Threat Intelligence", @@ -25697,9 +27395,14 @@ "xpack.securitySolution.alertDetails.overview.highlightedFields.field": "Champ", "xpack.securitySolution.alertDetails.overview.highlightedFields.value": "Valeur", "xpack.securitySolution.alertDetails.overview.insights": "Informations exploitables", + "xpack.securitySolution.alertDetails.overview.insights.alertUpsellTitle": "Obtenez davantage d'informations exploitables avec un abonnement Platinum", + "xpack.securitySolution.alertDetails.overview.insights.processAncestryFilter": "ID d'alerte de processus ancêtre", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry": "Alertes connexes par processus ancêtre", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry_empty": "Aucune alerte connexe par processus ancêtre.", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry_error": "Impossible de récupérer les alertes.", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_empty": "Aucune alerte connexe par session", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_error": "Impossible de charger les alertes connexes par session", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_empty": "Aucune alerte connexe par événement source", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_error": "Impossible de charger les alertes connexes par événement source", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_loading": "Chargement des alertes connexes par événement source", "xpack.securitySolution.alertDetails.overview.insights.related_cases_error": "Impossible de charger les cas connexes", @@ -25711,6 +27414,44 @@ "xpack.securitySolution.alertDetails.summary.readLess": "Lire moins", "xpack.securitySolution.alertDetails.summary.readMore": "En savoir plus", "xpack.securitySolution.alertDetails.threatIntel": "Threat Intelligence", + "xpack.securitySolution.alerts.alertDetails.errorPage.message": "Une erreur s'est produite lors du chargement de la page de détails. Veuillez confirmer que l'ID suivant pointe vers un document valide", + "xpack.securitySolution.alerts.alertDetails.errorPage.title": "Impossible de charger la page de détails", + "xpack.securitySolution.alerts.alertDetails.header.backToAlerts": "Retour aux alertes", + "xpack.securitySolution.alerts.alertDetails.header.technicalPreview": "Version d'évaluation technique", + "xpack.securitySolution.alerts.alertDetails.loadingPage.message": "Chargement de la page de détails...", + "xpack.securitySolution.alerts.alertDetails.navigation.summary": "Résumé", + "xpack.securitySolution.alerts.alertDetails.summary.alertReason.title": "Raison d'alerte", + "xpack.securitySolution.alerts.alertDetails.summary.case.addToExistingCase": "Ajouter à un cas existant", + "xpack.securitySolution.alerts.alertDetails.summary.case.addToNewCase": "Ajouter au nouveau cas", + "xpack.securitySolution.alerts.alertDetails.summary.case.error": "Erreur lors du chargement des cas connexes", + "xpack.securitySolution.alerts.alertDetails.summary.case.loading": "Chargement des cas connexes...", + "xpack.securitySolution.alerts.alertDetails.summary.case.noCasesFound": "Impossible de trouver les cas connexes pour cette alerte", + "xpack.securitySolution.alerts.alertDetails.summary.case.noRead": "Vous ne disposez pas des autorisations requises pour afficher les cas connexes. Si vous avez besoin d'afficher les cas, contactez votre administrateur Kibana", + "xpack.securitySolution.alerts.alertDetails.summary.cases.status": "Statut", + "xpack.securitySolution.alerts.alertDetails.summary.cases.title": "Cas", + "xpack.securitySolution.alerts.alertDetails.summary.host.action.openHostDetailsPage": "Ouvrir la page de détails de l'hôte", + "xpack.securitySolution.alerts.alertDetails.summary.host.action.viewHostSummary": "Afficher le résumé de l'hôte", + "xpack.securitySolution.alerts.alertDetails.summary.host.agentStatus.title": "Statut de l'agent", + "xpack.securitySolution.alerts.alertDetails.summary.host.hostName.title": "Nom d'hôte", + "xpack.securitySolution.alerts.alertDetails.summary.host.osName.title": "Système d'exploitation", + "xpack.securitySolution.alerts.alertDetails.summary.host.riskClassification": "Classification de risque de l'hôte", + "xpack.securitySolution.alerts.alertDetails.summary.host.riskScore": "Score de risque de l'hôte", + "xpack.securitySolution.alerts.alertDetails.summary.host.title": "Hôte", + "xpack.securitySolution.alerts.alertDetails.summary.ipAddresses.title": "Adresses IP", + "xpack.securitySolution.alerts.alertDetails.summary.lastSeen.title": "Vu en dernier", + "xpack.securitySolution.alerts.alertDetails.summary.panelMoreActions": "Plus d'actions", + "xpack.securitySolution.alerts.alertDetails.summary.rule.action.openRuleDetailsPage": "Ouvrir la page de détails de la règle", + "xpack.securitySolution.alerts.alertDetails.summary.rule.description": "Description de la règle", + "xpack.securitySolution.alerts.alertDetails.summary.rule.name": "Nom de règle", + "xpack.securitySolution.alerts.alertDetails.summary.rule.riskScore": "Score de risque", + "xpack.securitySolution.alerts.alertDetails.summary.rule.severity": "Sévérité", + "xpack.securitySolution.alerts.alertDetails.summary.rule.title": "Règle", + "xpack.securitySolution.alerts.alertDetails.summary.user.action.openUserDetailsPage": "Ouvrir la page de détails de l'utilisateur", + "xpack.securitySolution.alerts.alertDetails.summary.user.action.viewUserSummary": "Afficher le résumé de l'utilisateur", + "xpack.securitySolution.alerts.alertDetails.summary.user.riskClassification": "Classification de risque de l'utilisateur", + "xpack.securitySolution.alerts.alertDetails.summary.user.riskScore": "Score de risque de l'utilisateur", + "xpack.securitySolution.alerts.alertDetails.summary.user.title": "Utilisateur", + "xpack.securitySolution.alerts.alertDetails.summary.user.userName.title": "Nom d'utilisateur", "xpack.securitySolution.alerts.badge.readOnly.tooltip": "Impossible de mettre à jour les alertes", "xpack.securitySolution.alerts.riskScoreMapping.defaultDescriptionLabel": "Sélectionnez un score de risque pour toutes les alertes générées par cette règle.", "xpack.securitySolution.alerts.riskScoreMapping.defaultRiskScoreTitle": "Score de risque par défaut", @@ -25738,17 +27479,19 @@ "xpack.securitySolution.anomaliesTable.table.anomaliesDescription": "Anomalies", "xpack.securitySolution.anomaliesTable.table.anomaliesTooltip": "Le tableau d'anomalies ne peut pas être filtré via la recherche KQL globale SIEM.", "xpack.securitySolution.anomaliesTable.table.showingDescription": "Affichage", + "xpack.securitySolution.appLinks.actionHistoryDescription": "Affichez l'historique des actions de réponse effectuées sur les hôtes.", "xpack.securitySolution.appLinks.alerts": "Alertes", "xpack.securitySolution.appLinks.blocklistDescription": "Excluez les applications non souhaitées de l'exécution sur vos hôtes.", "xpack.securitySolution.appLinks.category.cloudSecurityPosture": "NIVEAU DE SÉCURITÉ DU CLOUD", "xpack.securitySolution.appLinks.category.endpoints": "POINTS DE TERMINAISON", "xpack.securitySolution.appLinks.category.siem": "SIEM", - "xpack.securitySolution.appLinks.cloudSecurityPostureBenchmarksDescription": "Afficher, activer et/ou désactiver les règles de benchmark.", + "xpack.securitySolution.appLinks.cloudSecurityPostureBenchmarksDescription": "Affichez les règles de benchmark.", "xpack.securitySolution.appLinks.cloudSecurityPostureDashboardDescription": "Un aperçu des résultats de toutes les intégrations CSP.", "xpack.securitySolution.appLinks.dashboards": "Tableaux de bord", "xpack.securitySolution.appLinks.detectionAndResponse": "Détection et réponse", - "xpack.securitySolution.appLinks.detectionAndResponseDescription": "Monitorez l'impact des performances des applications et des appareils du côté utilisateur final.", - "xpack.securitySolution.appLinks.endpointsDescription": "Hôtes exécutant Endpoint Security.", + "xpack.securitySolution.appLinks.detectionAndResponseDescription": "Informations sur vos alertes et vos cas dans la solution Security, y compris les hôtes et utilisateurs avec les alertes.", + "xpack.securitySolution.appLinks.endpointsDescription": "Hôtes exécutant Elastic Defend.", + "xpack.securitySolution.appLinks.entityAnalyticsDescription": "Analyse d'entités, anomalies notables et menaces pour limiter la surface de monitoring.", "xpack.securitySolution.appLinks.eventFiltersDescription": "Excluez les volumes importants ou les événements non souhaités de l'écriture dans Elasticsearch.", "xpack.securitySolution.appLinks.exceptions": "Listes d'exceptions", "xpack.securitySolution.appLinks.exceptionsDescription": "Créez et gérez des exceptions pour empêcher la création d'alertes non souhaitées.", @@ -25766,10 +27509,11 @@ "xpack.securitySolution.appLinks.network": "Réseau", "xpack.securitySolution.appLinks.network.description": "Fournit des indicateurs d'activités clés sur une carte interactive ainsi que des tableaux d'événements qui permettent l'interaction avec la chronologie.", "xpack.securitySolution.appLinks.network.dns": "DNS", + "xpack.securitySolution.appLinks.network.events": "Événements", "xpack.securitySolution.appLinks.network.http": "HTTP", "xpack.securitySolution.appLinks.network.tls": "TLS", "xpack.securitySolution.appLinks.overview": "Aperçu", - "xpack.securitySolution.appLinks.overviewDescription": "Activités dans votre environnement de sécurité.", + "xpack.securitySolution.appLinks.overviewDescription": "Résumé de votre activité d'environnement de sécurité, y compris les alertes, les événements, les éléments récents et un fil d'actualités !", "xpack.securitySolution.appLinks.policiesDescription": "Utilisez les politiques pour personnaliser les protections des points de terminaison et de charge de travail cloud, et d'autres configurations.", "xpack.securitySolution.appLinks.rules": "Règles", "xpack.securitySolution.appLinks.rulesDescription": "Créez et gérez les règles pour rechercher les événements source suspects, et créez des alertes lorsque les conditions d'une règle sont remplies.", @@ -26079,8 +27823,11 @@ "xpack.securitySolution.components.mlPopover.jobsTable.filters.showAllJobsLabel": "Tâches Elastic", "xpack.securitySolution.components.mlPopover.jobsTable.filters.showSiemJobsLabel": "Tâches personnalisées", "xpack.securitySolution.components.mlPopup.cloudLink": "déploiement sur le cloud", + "xpack.securitySolution.components.mlPopup.hooks.errors.createJobFailureTitle": "Échec de création de la tâche", "xpack.securitySolution.components.mlPopup.hooks.errors.indexPatternFetchFailureTitle": "Échec de récupération du modèle d'indexation", "xpack.securitySolution.components.mlPopup.hooks.errors.siemJobFetchFailureTitle": "Échec de récupération de la tâche Security", + "xpack.securitySolution.components.mlPopup.hooks.errors.startJobFailureTitle": "Échec de démarrage de la tâche", + "xpack.securitySolution.components.mlPopup.hooks.errors.stopJobFailureTitle": "Échec d'arrêt de la tâche", "xpack.securitySolution.components.mlPopup.jobsTable.createCustomJobButtonLabel": "Création d'une tâche personnalisée", "xpack.securitySolution.components.mlPopup.jobsTable.jobNameColumn": "Nom de la tâche", "xpack.securitySolution.components.mlPopup.jobsTable.noItemsDescription": "Aucune tâche de Machine Learning Security n'a été trouvée", @@ -26098,12 +27845,13 @@ "xpack.securitySolution.console.builtInCommands.help.helpTitle": "Commandes disponibles", "xpack.securitySolution.console.builtInCommands.helpAbout": "Répertorier toutes les commandes disponibles", "xpack.securitySolution.console.commandList.addButtonTooltip": "Ajouter à la barre de texte", - "xpack.securitySolution.console.commandList.callout.leavingResponder": "Le fait de quitter le répondeur n'interrompt pas les actions.", - "xpack.securitySolution.console.commandList.callout.multipleResponses": "Vous pouvez saisir plusieurs actions de réponse en même temps.", + "xpack.securitySolution.console.commandList.callout.leavingResponder": "Le fait de quitter la console de réponse ne termine aucune action ayant été soumise.", + "xpack.securitySolution.console.commandList.callout.multipleResponses": "Vous pouvez saisir des actions de réponse consécutives — vous n'avez pas besoin d'attendre la fin des actions précédentes.", "xpack.securitySolution.console.commandList.callout.readMoreLink": "En savoir plus", - "xpack.securitySolution.console.commandList.callout.title": "Le savez-vous ?", + "xpack.securitySolution.console.commandList.callout.title": "Conseils utiles :", "xpack.securitySolution.console.commandList.commonArgs.comment": "Ajouter un commentaire à toute action Ex : isolate --comment your comment", "xpack.securitySolution.console.commandList.commonArgs.help": "Assistance pour les commandes Ex : isolate --help", + "xpack.securitySolution.console.commandList.disabledButtonTooltip": "Commande non prise en charge", "xpack.securitySolution.console.commandList.footerText": "Pour plus d'aide sur les commandes individuelles, utilisez l'argument --help. Ex : processes --help", "xpack.securitySolution.console.commandList.otherCommandsGroup.label": "Autres commandes", "xpack.securitySolution.console.commandUsage.about": "À propos", @@ -26121,6 +27869,7 @@ "xpack.securitySolution.console.unknownCommand.helpMessage.help": "Aide", "xpack.securitySolution.console.unknownCommand.title": "Texte/commande non pris en charge", "xpack.securitySolution.console.unsupportedMessageCallout.title": "Non pris en charge", + "xpack.securitySolution.console.validationError.title": "Action non prise en charge", "xpack.securitySolution.consolePageOverlay.backButtonLabel": "Retour", "xpack.securitySolution.consolePageOverlay.doneButtonLabel": "Terminé", "xpack.securitySolution.containers.anomalies.errorFetchingAnomaliesData": "Impossible d'interroger les données d'anomalies", @@ -26140,12 +27889,30 @@ "xpack.securitySolution.containers.detectionEngine.rulesAndTimelines": "Impossible de récupérer les règles et les chronologies", "xpack.securitySolution.containers.detectionEngine.tagFetchFailDescription": "Impossible de récupérer les balises", "xpack.securitySolution.contextMenuItemByRouter.viewDetails": "Afficher les détails", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudDropdownOption": "Charges de travail cloud (serveurs Linux ou environnements Kubernetes)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudEventFiltersAllEvents": "Tous les événements", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudEventFiltersInteractiveOnly": "Interactif uniquement", + "xpack.securitySolution.createPackagePolicy.stepConfigure.enablePrevention": "Sélectionner les paramètres de configuration", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOption": "Points de terminaison traditionnels (ordinateurs de bureau, ordinateurs portables, machines virtuelles)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDRComplete": "Complete EDR (Endpoint Detection & Response)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDREssential": "Essential EDR (Endpoint Detection & Response)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDRNote": "Remarque : les protections avancées requièrent une licence Platinum, et les fonctionnalités complètes de réponse requièrent une licence Enterprise.", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionNGAV": "Next-Generation Antivirus (NGAV)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionNGAVNote": "Remarque : les protections avancées requièrent un niveau de licence Platinum.", + "xpack.securitySolution.createPackagePolicy.stepConfigure.interactiveSessionSuggestionTranslation": "Pour réduire le volume d'ingestion de données, sélectionnez Interactif uniquement", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeAllEventsInfoRecommendation": "Recommandé pour les cas d'utilisation Cloud Workload Protection, d'audit et d'analyse.", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointEDRComplete": "Tout dans Essential EDR, plus télémétrie complète", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointEDREssential": "Tout dans NGAV, plus télémétrie de fichiers et de réseaux", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointNGAV": "Prévention de malware de Machine Learning, de ransomware, de menace sur la mémoire, de comportement malveillant et de vol d'identifiants, plus télémétrie de processus", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeInteractiveOnlyInfoRecommendation": "Recommandé pour les cas d'utilisation d'audit et d'analyse.", + "xpack.securitySolution.createPackagePolicy.stepConfigure.selectEnvironmentTextTranslation": "Sélectionnez le type d'environnement que vous souhaitez protéger :", "xpack.securitySolution.customizeEventRenderers.customizeEventRenderersDescription": "Les outils de rendu d'événement transmettent automatiquement les détails les plus pertinents d'un événement pour révéler son histoire", "xpack.securitySolution.customizeEventRenderers.customizeEventRenderersTitle": "Personnaliser les outils de rendu d'événement", "xpack.securitySolution.customizeEventRenderers.disableAllRenderersButtonLabel": "Tout désactiver", "xpack.securitySolution.customizeEventRenderers.enableAllRenderersButtonLabel": "Tout activer", "xpack.securitySolution.customizeEventRenderers.eventRenderersTitle": "Outils de rendu d'événement", "xpack.securitySolution.dashboards.description": "Description", + "xpack.securitySolution.dashboards.queryError": "Erreur lors de la récupération des tableaux de bord de sécurité", "xpack.securitySolution.dashboards.title": "Titre", "xpack.securitySolution.dataProviders.addFieldPopoverButtonLabel": "Ajouter un champ", "xpack.securitySolution.dataProviders.addTemplateFieldPopoverButtonLabel": "Ajouter un champ de modèle", @@ -26179,6 +27946,7 @@ "xpack.securitySolution.dataViewSelectorText3": " comme source de données de votre règle à utiliser pour la recherche.", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertFailedToastMessage": "Impossible de marquer l'alerte ou les alertes comme reconnues", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertsTitle": "Reconnue(s)", + "xpack.securitySolution.detectionEngine.alerts.actions.addBulkToTimeline": "Investiguer dans la chronologie", "xpack.securitySolution.detectionEngine.alerts.actions.addEndpointException": "Ajouter une exception de point de terminaison", "xpack.securitySolution.detectionEngine.alerts.actions.addEventFilter": "Ajouter un filtre d'événement de point de terminaison", "xpack.securitySolution.detectionEngine.alerts.actions.addEventFilter.disabled.tooltip": "Les filtres d'événements de point de terminaison peuvent être créés dans la section Événements sur la page Hôtes.", @@ -26188,13 +27956,16 @@ "xpack.securitySolution.detectionEngine.alerts.actions.addToNewCase": "Ajouter au nouveau cas", "xpack.securitySolution.detectionEngine.alerts.actions.investigateInTimelineAriaLabel": "Envoyer une alerte à la chronologie", "xpack.securitySolution.detectionEngine.alerts.actions.investigateInTimelineTitle": "Investiguer dans la chronologie", + "xpack.securitySolution.detectionEngine.alerts.actions.openAlertDetails": "Ouvrir la page de détails de l'alerte", "xpack.securitySolution.detectionEngine.alerts.closedAlertFailedToastMessage": "Impossible de fermer l'alerte ou les alertes.", "xpack.securitySolution.detectionEngine.alerts.closedAlertsTitle": "Fermé", "xpack.securitySolution.detectionEngine.alerts.count.countTableColumnTitle": "Nombre d'enregistrements", "xpack.securitySolution.detectionEngine.alerts.count.countTableTitle": "Décompte", "xpack.securitySolution.detectionEngine.alerts.createNewTermsTimelineFailureTitle": "Impossible de créer une chronologie d'alerte de nouveaux termes", + "xpack.securitySolution.detectionEngine.alerts.createSuppressedTimelineFailureTitle": "Impossible de créer une chronologie d'alerte supprimée", "xpack.securitySolution.detectionEngine.alerts.createThresholdTimelineFailureTitle": "Impossible de créer une chronologie d'alerte de seuil", "xpack.securitySolution.detectionEngine.alerts.documentTypeTitle": "Alertes", + "xpack.securitySolution.detectionEngine.alerts.fetchExceptionFilterFailure": "Erreur lors de la récupération du filtre d'exception.", "xpack.securitySolution.detectionEngine.alerts.histogram.allOthersGroupingLabel": "Toutes les autres", "xpack.securitySolution.detectionEngine.alerts.histogram.headerTitle": "Tendance", "xpack.securitySolution.detectionEngine.alerts.histogram.notAvailableTooltip": "Non disponible pour la vue de tendance", @@ -26250,6 +28021,7 @@ "xpack.securitySolution.detectionEngine.components.importRuleModal.overwriteExceptionLabel": "Écraser les listes d'exception existantes avec l'ID de liste conflictuel \"list_id\"", "xpack.securitySolution.detectionEngine.components.importRuleModal.selectRuleDescription": "Sélectionnez les règles à importer. Les actions et exceptions de règles associées peuvent être incluses.", "xpack.securitySolution.detectionEngine.createRule.backToRulesButton": "Règles", + "xpack.securitySolution.detectionEngine.createRule.cancelButtonLabel": "Annuler", "xpack.securitySolution.detectionEngine.createRule.editRuleButton": "Modifier", "xpack.securitySolution.detectionEngine.createRule.eqlRuleTypeDescription": "Corrélation d'événements", "xpack.securitySolution.detectionEngine.createRule.filtersLabel": "Filtres", @@ -26259,7 +28031,11 @@ "xpack.securitySolution.detectionEngine.createRule.QueryLabel": "Requête personnalisée", "xpack.securitySolution.detectionEngine.createRule.queryRuleTypeDescription": "Requête", "xpack.securitySolution.detectionEngine.createRule.ruleActionsField.ruleActionsFormErrorsTitle": "Veuillez corriger les problèmes répertoriés ci-dessous", + "xpack.securitySolution.detectionEngine.createRule.rulePreviewDescription": "L'aperçu des règles reflète la configuration actuelle de vos paramètres et exceptions de règles. Cliquez sur l'icône d'actualisation pour afficher l'aperçu mis à jour.", + "xpack.securitySolution.detectionEngine.createRule.rulePreviewTitle": "Aperçu de la règle", "xpack.securitySolution.detectionEngine.createRule.savedIdLabel": "Nom de requête enregistré", + "xpack.securitySolution.detectionEngine.createRule.savedQueryFiltersLabel": "Filtres de requête enregistrés", + "xpack.securitySolution.detectionEngine.createRule.savedQueryLabel": "Requête enregistrée", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.authorFieldEmptyError": "L'auteur doit être renseigné", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.dataViewSelector": "Vue de données", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.descriptionFieldRequiredError": "Une description est requise.", @@ -26317,6 +28093,7 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.EqlQueryBarLabel": "Requête EQL", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.eqlQueryFieldRequiredError": "Une requête EQL est requise.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldAnomalyThresholdLabel": "Seuil de score d'anomalie", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldGroupByFieldHelpText": "Sélectionner les champs à utiliser pour la suppression d'alertes supplémentaires", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldMachineLearningJobIdLabel": "Tâche de Machine Learning", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldQuerBarLabel": "Requête personnalisée", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldRuleTypeLabel": "Type de règle", @@ -26327,6 +28104,9 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdCardinalityValueFieldLabel": "Valeurs uniques", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdFieldCardinalityFieldHelpText": "Sélectionner un champ pour vérifier la cardinalité", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdLabel": "Seuil", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupBy.licenseWarning": "La suppression d'alertes est activée avec la licence Platinum ou supérieure", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupBy.placeholderText": "Sélectionner un champ", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupByFieldsLabel": "Supprimer les alertes par", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.historyWindowSizeLabel": "Taille de la fenêtre d’historique", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.importTimelineModalTitle": "Importer la requête à partir de la chronologie enregistrée", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.importTimelineQueryButton": "Importer la requête à partir de la chronologie enregistrée", @@ -26335,10 +28115,11 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlJobSelectPlaceholderText": "Sélectionner une tâche", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsField.placeholderText": "Sélectionner un champ", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsLabel": "Champs", - "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsMin": "Le nombre de champs doit être 1.", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsMin": "Au moins un champ est requis.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.outputIndiceNameFieldRequiredError": "Au minimum un modèle d'indexation est requis.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.referencesUrlInvalidError": "Le format de l’URL n’est pas valide.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.resetDefaultIndicesButton": "Réinitialiser sur les modèles d'indexation par défaut", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.rulePreviewTitle": "Aperçu de la règle", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.eqlTypeDescription": "Utiliser Event Query Language (EQL) pour faire correspondre les événements, générer des séquences et empiler des données", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.eqlTypeTitle": "Corrélation d'événements", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.mlTypeDescription": "Sélectionnez une tâche de ML pour détecter une activité anormale.", @@ -26351,11 +28132,14 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.threatMatchTitle": "Correspondance d'indicateur", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.thresholdTypeDescription": "Agrégez les résultats de recherche pour détecter à quel moment le nombre de correspondances dépasse le seuil.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.thresholdTypeTitle": "Seuil", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.savedQueryFieldRequiredError": "Impossible de charger la requête enregistrée. Sélectionnez-en une nouvelle ou ajoutez une requête personnalisée.", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.SavedQueryFormRowLabel": "Requête enregistrée", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.source": "Source", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.threatMatchingIcesHelperDescription": "Sélectionner des index de menaces", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.threatMatchoutputIndiceNameFieldRequiredError": "Au minimum un modèle d'indexation est requis.", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.thresholdField.thresholdFieldPlaceholderText": "Tous les résultats", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleHelpText": "Sélectionnez le moment auquel les actions automatiques doivent être effectuées si une règle est évaluée comme vraie.", + "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleHelpTextWhenQuery": "Sélectionnez le moment auquel les actions automatiques doivent être effectuées si une règle est évaluée comme vraie. Cette fréquence ne s'applique pas aux actions de réponse.", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleLabel": "Fréquence des actions", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.noReadActionsPrivileges": "Impossible de créer des actions de règle. Vous ne disposez pas des autorisations \"Lire\" pour le plug-in \"Actions\".", "xpack.securitySolution.detectionEngine.createRule.stepScheduleRule.completeWithEnablingTitle": "Créer et activer la règle", @@ -27156,6 +28940,7 @@ "xpack.securitySolution.detectionEngine.mlJobUpgradeModal.messageBody.summary": "De nouvelles tâches de Machine Learning V3 ont été publiées et les dernières règles de détection prédéfinies correspondantes utilisent désormais ces nouvelles tâches de ML. Vous exécutez actuellement une ou plusieurs tâches V1/V2, qui ne fonctionnent qu'avec les anciennes règles prédéfinies. Pour assurer une couverture continue avec les tâches V1/V2, vous devrez peut-être dupliquer ou créer de nouvelles règles avant de mettre à jour vos règles de détection Elastic prédéfinies. Consultez la documentation ci-dessous pour savoir comment continuer à utiliser les tâches V1/V2, et comment commencer à utiliser les nouvelles tâches V3.", "xpack.securitySolution.detectionEngine.mlJobUpgradeModal.messageTitle": "Les mises à jour des règles de ML peuvent remplacer vos règles existantes", "xpack.securitySolution.detectionEngine.mlRulesDisabledMessageTitle": "Les règles de ML requièrent une licence Platinum et des autorisations d'administrateur ML", + "xpack.securitySolution.detectionEngine.mlSelectJob.createCustomJobButtonTitle": "Création d'une tâche personnalisée", "xpack.securitySolution.detectionEngine.needAdminForUpdateCallOutBody.messageBody.essenceDescription": "Vous ne disposez pas actuellement des autorisations requises pour migrer automatiquement vos données d'alerte. Demandez à votre administrateur de visiter cette page une seule fois pour permettre la migration automatique de vos données d'alerte.", "xpack.securitySolution.detectionEngine.needAdminForUpdateCallOutBody.messageTitle": "Autorisations d'administration requises pour la migration des alertes", "xpack.securitySolution.detectionEngine.needsListsIndexesMessage": "Vous avez besoin d'autorisations pour les index de listes.", @@ -27175,7 +28960,7 @@ "xpack.securitySolution.detectionEngine.queryPreview.queryGraphPreviewNoiseWarning": "Avertissement de bruit : cette règle peut générer beaucoup de bruit. Envisagez d'affiner votre recherche. La base est une progression linéaire comportant 1 alerte par heure.", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewInvocationCountWarningMessage": "La durée et l'intervalle de règle que vous avez sélectionnés pour la prévisualisation de cette règle peuvent provoquer un dépassement de délai ou prendre beaucoup de temps à s'exécuter. Essayez de réduire la durée et/ou d'augmenter l'intervalle si l'aperçu a expiré (cela n'affectera pas l'exécution de la règle).", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewInvocationCountWarningTitle": "Le délai d'aperçu des règles peut entraîner un dépassement de délai", - "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewLabel": "Durée", + "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewLabel": "Sélectionner une durée d'aperçu", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewSeeAllErrors": "Afficher toutes les erreurs", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewSeeAllWarnings": "Afficher tous les avertissements", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewTitle": "Aperçu de la règle", @@ -27187,17 +28972,22 @@ "xpack.securitySolution.detectionEngine.relatedIntegrations.installedTooltip": "L’intégration est installée. Configurez une politique d’intégration et assurez-vous que des agents Elastic sont affectés à cette politique pour ingérer des événements compatibles.", "xpack.securitySolution.detectionEngine.relatedIntegrations.uninstalledTitle": "Non installé", "xpack.securitySolution.detectionEngine.relatedIntegrations.uninstalledTooltip": "L’intégration n’est pas installée. Suivez le lien d'intégration pour installer et configurer l'intégration.", + "xpack.securitySolution.detectionEngine.rule.editRule.actionSectionsTitle": "Actions", + "xpack.securitySolution.detectionEngine.ruleDescription.alertSuppressionInsufficientLicense": "La suppression d'alertes est configurée mais elle ne sera pas appliquée en raison d'une licence insuffisante", "xpack.securitySolution.detectionEngine.ruleDescription.eqlEventCategoryFieldLabel": "Champ de catégorie d'événement", "xpack.securitySolution.detectionEngine.ruleDescription.eqlTiebreakerFieldLabel": "Champ de départage", "xpack.securitySolution.detectionEngine.ruleDescription.eqlTimestampFieldLabel": "Champ d'horodatage", "xpack.securitySolution.detectionEngine.ruleDescription.mlJobStartedDescription": "Démarré", "xpack.securitySolution.detectionEngine.ruleDescription.mlJobStoppedDescription": "Arrêté", + "xpack.securitySolution.detectionEngine.ruleDescription.mlRunJobLabel": "Exécuter la tâche", "xpack.securitySolution.detectionEngine.ruleDescription.thresholdResultsAggregatedByDescription": "Résultats agrégés par", "xpack.securitySolution.detectionEngine.ruleDescription.thresholdResultsAllDescription": "Tous les résultats", "xpack.securitySolution.detectionEngine.ruleDetails.backToRulesButton": "Règles", "xpack.securitySolution.detectionEngine.ruleDetails.deletedRule": "Règle supprimée", "xpack.securitySolution.detectionEngine.ruleDetails.enableRuleLabel": "Activer", + "xpack.securitySolution.detectionEngine.ruleDetails.endpointExceptionsTab": "Exceptions de point de terminaison", "xpack.securitySolution.detectionEngine.ruleDetails.pageTitle": "Détails de la règle", + "xpack.securitySolution.detectionEngine.ruleDetails.ruleExceptionsTab": "Exceptions de règle", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionEventsTab": "Événements d’exécution", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.actionFieldNotFoundErrorDescription": "Impossible de trouver le champ \"kibana.alert.rule.execution.uuid\" dans l'index des alertes.", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.actionFieldNotFoundErrorTitle": "Impossible de filtrer les alertes", @@ -27230,6 +29020,8 @@ "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.timestampColumnTooltip": "Date et heures auxquelles l'exécution de la règle a été lancée.", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionResultsTab": "Résultats d'exécution", "xpack.securitySolution.detectionEngine.ruleDetails.unknownDescription": "Inconnu", + "xpack.securitySolution.detectionEngine.ruleManagementUi.rulesTable.mlJobsWarning.popover.buttonLabel": "Visitez la page des détails de règle pour effectuer votre investigation", + "xpack.securitySolution.detectionEngine.ruleManagementUi.rulesTable.mlJobsWarning.popover.description": "Les tâches suivantes ne sont pas en cours d'exécution et la règle pourra donc générer des résultats incorrects :", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeFilter.filterTitle": "Type d'événement", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeIndicator.executionMetricsText": "Indicateurs", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeIndicator.messageText": "Message", @@ -27258,20 +29050,24 @@ "xpack.securitySolution.detectionEngine.rules.all.exceptions.exportSuccess": "Réussite de l'exportation de la liste d'exceptions", "xpack.securitySolution.detectionEngine.rules.all.exceptions.idTitle": "ID de liste", "xpack.securitySolution.detectionEngine.rules.all.exceptions.listName": "Nom", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.refresh": "Actualiser", "xpack.securitySolution.detectionEngine.rules.all.exceptions.rulesAssignedTitle": "Règles affectées à", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.searchPlaceholder": "Rechercher par nom ou par ID de liste", "xpack.securitySolution.detectionEngine.rules.allExceptionLists.filters.noExceptionsTitle": "Aucune liste d'exceptions n'a été trouvée", "xpack.securitySolution.detectionEngine.rules.allExceptionLists.search.placeholder": "Rechercher les listes d'exceptions", "xpack.securitySolution.detectionEngine.rules.allExceptions.filters.noListsBody": "Nous n'avons trouvé aucune liste d'exceptions.", - "xpack.securitySolution.detectionEngine.rules.allExceptions.tableTitle": "Listes d'exceptions", + "xpack.securitySolution.detectionEngine.rules.allExceptions.tableTitle": "Exceptions de règle", "xpack.securitySolution.detectionEngine.rules.allRules.actions.deleteRuleDescription": "Supprimer la règle", "xpack.securitySolution.detectionEngine.rules.allRules.actions.duplicateRuleDescription": "Dupliquer la règle", "xpack.securitySolution.detectionEngine.rules.allRules.actions.editRuleSettingsDescription": "Modifier les paramètres de règles", - "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaActionsFeaturePrivileges": "Vous ne disposez pas des privilèges d'actions Kibana", "xpack.securitySolution.detectionEngine.rules.allRules.actions.exportRuleDescription": "Exporter la règle", + "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaActionsFeaturePrivileges": "Vous ne disposez pas des privilèges d'actions Kibana", + "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaSecurityPrivileges": "Vous ne disposez pas des privilèges pour la sécurité de Kibana", "xpack.securitySolution.detectionEngine.rules.allRules.batchActions.deleteSelectedImmutableTitle": "La sélection contient des règles immuables qui ne peuvent pas être supprimées", "xpack.securitySolution.detectionEngine.rules.allRules.batchActionsTitle": "Actions groupées", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.actionRejectionDescription": "Cette action ne peut pas être appliquée aux règles suivantes :", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.actionRejectionDescription": "Cette action ne peut pas être appliquée aux règles suivantes de votre sélection :", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addIndexPatternsTitle": "Ajouter des modèles d'indexation", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addRuleActionsTitle": "Ajouter des actions sur les règles", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addTagsTitle": "Ajouter des balises", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.applyTimelineTemplateTitle": "Appliquer le modèle de chronologie", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditWarningToastNotifyButtonLabel": "M'envoyer une notification à la fin", @@ -27286,14 +29082,30 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.successToastTitle": "Règles désactivées", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disableTitle": "Désactiver", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.errorToastTitle": "Erreur lors de la duplication de la règle", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.cancelButton": "Annuler", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.continueButton": "Dupliquer", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.tooltip": " Si vous dupliquez les exceptions, la liste des exceptions partagée sera dupliquée par référence et l'exception de la règle par défaut sera copiée et créée comme une nouvelle exception", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.successToastTitle": "Règles dupliquées", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicateTitle": "Dupliquer", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.actionFrequencyDetail": "La fréquence des actions que vous sélectionnez ci-dessous est appliquée à toutes les actions (nouvelles et existantes) pour toutes les règles sélectionnées.", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.formTitle": "Ajouter des actions sur les règles", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.overwriteCheckboxLabel": "Écraser toutes les actions sur les règles sélectionnées", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.ruleVariablesDetail": "Les variables de règle peuvent affecter uniquement certaines règles sélectionnées, en fonction des types de règle (par exemple, \\u007b\\u007bcontext.rule.threshold\\u007d\\u007d affichera uniquement les valeurs des règles de seuil).", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.throttleHelpText": "Sélectionnez le moment auquel les actions automatiques doivent être effectuées si une règle est évaluée comme vraie.", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.throttleLabel": "Fréquence des actions", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.warningCalloutMessage.buttonLabel": "Enregistrer", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.formTitle": "Appliquer le modèle de chronologie", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorDefaultValue": "Aucun", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorHelpText": "Sélectionnez la chronologie à appliquer aux règles sélectionnées lors de l'investigation des alertes générées.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorLabel": "Appliquer le modèle de chronologie aux règles sélectionnées", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorPlaceholder": "Chercher le modèle de chronologie", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.errorToastTitle": "Erreur lors de la mise à jour des règles", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.formTitle": "Mettre à jour les planifications de règles", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.intervalHelpText": "Les règles s'exécutent de façon régulière et détectent les alertes dans la période de temps spécifiée.", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.intervalLabel": "S'exécute toutes les", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.lookbackHelpText": "Ajoute du temps à la période de récupération pour éviter de manquer des alertes.", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.lookbackLabel": "Temps de récupération supplémentaire", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successIndexEditToastDescription": "Si vous n'avez pas choisi d'appliquer les modifications des règles avec les vues de données Kibana, ces règles n’ont pas été mises à jour et continuent à utiliser les vues de données.", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastTitle": "Règles mises à jour", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.errorToastTitle": "Erreur lors de l'activation des règles", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.successToastTitle": "Règles activées", @@ -27303,6 +29115,7 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.export.successToastTitle": "Règles exportées", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.exportTitle": "Exporter", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.indexPatternsTitle": "Modèles d'indexation", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.setScheduleTitle": "Mettre à jour les planifications de règles", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.tagsTitle": "Balises", "xpack.securitySolution.detectionEngine.rules.allRules.clearSelectionTitle": "Effacer la sélection", "xpack.securitySolution.detectionEngine.rules.allRules.columns.enabledTitle": "Activé", @@ -27321,6 +29134,11 @@ "xpack.securitySolution.detectionEngine.rules.allRules.columns.tagsTitle": "Balises", "xpack.securitySolution.detectionEngine.rules.allRules.columns.versionTitle": "Version", "xpack.securitySolution.detectionEngine.rules.allRules.exportFilenameTitle": "rules_export", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.nextStepLabel": "Aller à l'étape suivante", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.previousStepLabel": "Revenir à l'étape précédente", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.searchCapabilitiesDescription": "Il est maintenant possible de rechercher des règles par modèle d'indexation, tel que \"filebeat-*\", ou par tactique ou technique MITRE ATT&CK™, telle que \"Évasion par la défense \" ou \"TA0005\".", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.searchCapabilitiesTitle": "Capacités de recherche améliorées", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.tourTitle": "Nouveautés", "xpack.securitySolution.detectionEngine.rules.allRules.filters.customRulesTitle": "Règles personnalisées", "xpack.securitySolution.detectionEngine.rules.allRules.filters.elasticRulesTitle": "Règles Elastic", "xpack.securitySolution.detectionEngine.rules.allRules.filters.noRulesBodyTitle": "Nous n'avons trouvé aucune règle avec les filtres ci-dessus.", @@ -27338,9 +29156,12 @@ "xpack.securitySolution.detectionEngine.rules.defineRuleTitle": "Définir la règle", "xpack.securitySolution.detectionEngine.rules.deleteDescription": "Supprimer", "xpack.securitySolution.detectionEngine.rules.editPageTitle": "Modifier", - "xpack.securitySolution.detectionEngine.rules.experimentalDescription": "La vue expérimentale du tableau des règles est en version d'évaluation technique et permet de bénéficier de capacités de tri avancées. Si vous rencontrez des problèmes de performances lorsque vous travaillez avec ce tableau, vous pouvez désactiver ce paramètre.", - "xpack.securitySolution.detectionEngine.rules.experimentalOff": "Version d'évaluation technique : Désactivé", - "xpack.securitySolution.detectionEngine.rules.experimentalOn": "Version d'évaluation technique : Activé", + "xpack.securitySolution.detectionEngine.rules.experimentalDescription": "Activez cette option pour autoriser le tri sur toutes les colonnes du tableau. Vous pouvez la désactiver si vous rencontrez des problèmes de performances dans votre tableau.", + "xpack.securitySolution.detectionEngine.rules.experimentalOff": "Tri avancé", + "xpack.securitySolution.detectionEngine.rules.experimentalOn": "Tri avancé", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.installPrebuiltRules.content": "Pour commencer, vous devez charger les règles prédéfinies d'Elastic.", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.installPrebuiltRules.title": "Charger les règles prédéfinies d'Elastic", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.nextButton": "Suivant", "xpack.securitySolution.detectionEngine.rules.importRuleTitle": "Importer les règles", "xpack.securitySolution.detectionEngine.rules.loadPrePackagedRulesAndTemplatesButton": "Charger les règles prédéfinies d'Elastic et les modèles de chronologie", "xpack.securitySolution.detectionEngine.rules.loadPrePackagedRulesButton": "Charger les règles prédéfinies d'Elastic", @@ -27369,16 +29190,20 @@ "xpack.securitySolution.detectionEngine.ruleStatus.statusDateDescription": "Date du statut", "xpack.securitySolution.detectionEngine.ruleStatus.statusDescription": "Dernière réponse", "xpack.securitySolution.detectionEngine.signalRuleAlert.actionGroups.default": "Par défaut", + "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewIncludesAlertsIndexDescription": "La vue de données par défaut de Security inclut l'index des alertes. Cela peut se traduire par la génération d'alertes redondantes à partir des alertes existantes.", + "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewIncludesAlertsIndexLabel": "Vue de données de Security par défaut", "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewNotFoundLabel": "Vue de données sélectionnée introuvable", "xpack.securitySolution.detectionEngine.stepDefineRule.pickDataView": "Sélectionner une vue de données", "xpack.securitySolution.detectionEngine.userUnauthenticatedMsgBody": "Vous ne disposez pas des autorisations requises pour visualiser le moteur de détection. Pour une aide supplémentaire, contactez votre administrateur.", "xpack.securitySolution.detectionEngine.userUnauthenticatedTitle": "Autorisations de moteur de détection requises", - "xpack.securitySolution.detectionEngine.validations.stepDefineRule.newTermsFieldsMax": "Le nombre de champs doit être 1.", + "xpack.securitySolution.detectionEngine.validations.stepDefineRule.groupByFieldsMax": "Le nombre de champs de regroupement doit être de 3 au maximum", + "xpack.securitySolution.detectionEngine.validations.stepDefineRule.newTermsFieldsMax": "Le nombre de champs doit être de 3 au maximum.", "xpack.securitySolution.detectionEngine.validations.thresholdCardinalityFieldFieldData.thresholdCardinalityFieldNotSuppliedMessage": "Un champ Cardinalité est requis.", "xpack.securitySolution.detectionEngine.validations.thresholdCardinalityValueFieldData.numberGreaterThanOrEqualOneErrorMessage": "La valeur doit être supérieure ou égale à un.", "xpack.securitySolution.detectionEngine.validations.thresholdFieldFieldData.arrayLengthGreaterThanMaxErrorMessage": "Le nombre de champs doit être de 3 au maximum.", "xpack.securitySolution.detectionEngine.validations.thresholdValueFieldData.numberGreaterThanOrEqualOneErrorMessage": "La valeur doit être supérieure ou égale à un.", "xpack.securitySolution.detectionResponse.alerts": "Alertes", + "xpack.securitySolution.detectionResponse.alertsBySeverity": "Alertes par sévérité", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.criticalLabel": "Critique", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.highLabel": "Élevé", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.lowLabel": "Bas", @@ -27390,23 +29215,32 @@ "xpack.securitySolution.detectionResponse.caseColumnTime": "Heure", "xpack.securitySolution.detectionResponse.casesByStatusSectionTitle": "Cas", "xpack.securitySolution.detectionResponse.caseSectionTitle": "Cas récemment créés", + "xpack.securitySolution.detectionResponse.criticalAlerts": "Alertes critiques ouvertes", + "xpack.securitySolution.detectionResponse.criticalAlertsDescription": "Nombre d'alertes critiques ouvertes pour la plage temporelle actuelle", "xpack.securitySolution.detectionResponse.errorMessage": "Erreur lors de la récupération des données de cas", "xpack.securitySolution.detectionResponse.goToDocumentationButton": "Afficher la documentation", "xpack.securitySolution.detectionResponse.hostAlertsHostName": "Nom d'hôte", "xpack.securitySolution.detectionResponse.hostAlertsSectionTitle": "Hôtes par sévérité d'alerte", "xpack.securitySolution.detectionResponse.hostSectionTooltip": "Maximum de 100 hôtes. Veuillez consulter la page Alertes pour plus d'informations.", + "xpack.securitySolution.detectionResponse.investigateInTimeline": "Investiguer dans la chronologie", + "xpack.securitySolution.detectionResponse.mttr": "Temps de réponse moyenne pour les cas", + "xpack.securitySolution.detectionResponse.mttrDescription": "La durée moyenne (de la création à la clôture) de vos cas en cours", "xpack.securitySolution.detectionResponse.noPagePermissionsMessage": "Pour afficher cette page, vous devez mettre à jour les privilèges. Pour en savoir plus, contactez votre administrateur Kibana.", "xpack.securitySolution.detectionResponse.noPermissionsTitle": "Privilèges requis", "xpack.securitySolution.detectionResponse.noRecentCases": "Aucun cas à afficher", "xpack.securitySolution.detectionResponse.noRuleAlerts": "Aucune alerte à afficher", "xpack.securitySolution.detectionResponse.openAllAlertsButton": "Afficher toutes les alertes ouvertes", + "xpack.securitySolution.detectionResponse.openCaseDetailTooltip": "Ouvrir les détails du cas", + "xpack.securitySolution.detectionResponse.openHostDetailTooltip": "Ouvrir les détails de l'hôte", "xpack.securitySolution.detectionResponse.openRuleDetailTooltip": "Ouvrir les détails de la règle", + "xpack.securitySolution.detectionResponse.openUserDetailTooltip": "Ouvrir les détails de l'utilisateur", "xpack.securitySolution.detectionResponse.pageTitle": "Détection et réponse", "xpack.securitySolution.detectionResponse.ruleAlertsColumnAlertCount": "Nombre d'alertes", "xpack.securitySolution.detectionResponse.ruleAlertsColumnLastAlert": "Dernière alerte", "xpack.securitySolution.detectionResponse.ruleAlertsColumnRuleName": "Nom de règle", "xpack.securitySolution.detectionResponse.ruleAlertsColumnSeverity": "Sévérité", "xpack.securitySolution.detectionResponse.ruleAlertsSectionTitle": "Ouvrir les alertes par règle", + "xpack.securitySolution.detectionResponse.socTrends": "Tendances SOC", "xpack.securitySolution.detectionResponse.status.closed": "Fermé", "xpack.securitySolution.detectionResponse.status.inProgress": "En cours", "xpack.securitySolution.detectionResponse.status.open": "Ouvrir", @@ -27419,6 +29253,9 @@ "xpack.securitySolution.detectionResponse.viewRecentCases": "Afficher les cas récents", "xpack.securitySolution.detections.alerts.agentStatus": "Statut de l'agent", "xpack.securitySolution.detections.alerts.ruleType": "Type de règle", + "xpack.securitySolution.detections.dataSource.popover.content": "Les règles peuvent maintenant interroger les modèles d'indexation ou les vues de données.", + "xpack.securitySolution.detections.dataSource.popover.subTitle": "Sources de données", + "xpack.securitySolution.detections.dataSource.popover.title": "Sélectionner une source de données", "xpack.securitySolution.documentationLinks.ariaLabelEnding": "cliquez pour ouvrir la documentation dans un nouvel onglet", "xpack.securitySolution.documentationLinks.detectionsRequirements.text": "Prérequis et exigences des détections", "xpack.securitySolution.documentationLinks.mlJobCompatibility.text": "Compatibilité des tâches de ML", @@ -27433,8 +29270,11 @@ "xpack.securitySolution.editDataProvider.doesNotExistLabel": "n'existe pas", "xpack.securitySolution.editDataProvider.existsLabel": "existe", "xpack.securitySolution.editDataProvider.fieldLabel": "Champ", + "xpack.securitySolution.editDataProvider.includesPlaceholder": "entrer une ou plusieurs valeurs", "xpack.securitySolution.editDataProvider.isLabel": "est", "xpack.securitySolution.editDataProvider.isNotLabel": "n'est pas", + "xpack.securitySolution.editDataProvider.isNotOneOfLabel": "n'est pas l'une des options suivantes", + "xpack.securitySolution.editDataProvider.isOneOfLabel": "est l'une des options suivantes", "xpack.securitySolution.editDataProvider.operatorLabel": "Opérateur", "xpack.securitySolution.editDataProvider.placeholder": "Sélectionner un champ", "xpack.securitySolution.editDataProvider.saveButton": "Enregistrer", @@ -27445,13 +29285,16 @@ "xpack.securitySolution.effectedPolicySelect.assignmentSectionTitle": "Affectation", "xpack.securitySolution.effectedPolicySelect.viewPolicyLinkLabel": "Afficher la politique", "xpack.securitySolution.emptyString.emptyStringDescription": "Chaîne vide", + "xpack.securitySolution.enableRiskScore.enableRiskScorePopoverTitle": "Les alertes doivent être disponibles avant d'activer le module", "xpack.securitySolution.endpoint.actions.agentDetails": "Afficher les détails de l'agent", "xpack.securitySolution.endpoint.actions.agentPolicy": "Afficher la politique de l'agent", "xpack.securitySolution.endpoint.actions.agentPolicyReassign": "Réaffecter la politique de l'agent", - "xpack.securitySolution.endpoint.actions.console": "Lancer l'équipe de réponse", + "xpack.securitySolution.endpoint.actions.console": "Répondre", "xpack.securitySolution.endpoint.actions.disabledResponder.tooltip": "La version actuelle de l'agent ne prend pas en charge cette fonctionnalité. Mettez à niveau votre agent via Fleet pour utiliser cette fonctionnalité et les nouvelles actions de réponse telles que l'arrêt et la suspension des processus.", "xpack.securitySolution.endpoint.actions.hostDetails": "Afficher les détails de l'hôte", + "xpack.securitySolution.endpoint.actions.insufficientPrivileges.error": "Vous ne disposez pas de privilèges suffisants pour utiliser cette commande. Veuillez contacter votre administrateur pour obtenir des droits d'accès.", "xpack.securitySolution.endpoint.actions.isolateHost": "Isoler l'hôte", + "xpack.securitySolution.endpoint.actions.responseActionsHistory": "Afficher l'historique des actions de réponse", "xpack.securitySolution.endpoint.actions.unIsolateHost": "Libérer l'hôte", "xpack.securitySolution.endpoint.blocklist.fleetIntegration.title": "Liste noire", "xpack.securitySolution.endpoint.blocklists.fleetIntegration.title": "Liste noire", @@ -27463,6 +29306,11 @@ "xpack.securitySolution.endpoint.details.lastSeen": "Vu en dernier", "xpack.securitySolution.endpoint.details.noPolicyResponse": "Aucune réponse de politique disponible", "xpack.securitySolution.endpoint.details.os": "Système d'exploitation", + "xpack.securitySolution.endpoint.details.packageActions.es_connection.description": "La connexion du point de terminaison à Elasticsearch est arrêtée ou incorrectement configurée. Assurez-vous que sa configuration est correcte.", + "xpack.securitySolution.endpoint.details.packageActions.es_connection.title": "Échec de connexion d'Elasticsearch", + "xpack.securitySolution.endpoint.details.packageActions.link.text.es_connection": " En lire plus.", + "xpack.securitySolution.endpoint.details.packageActions.policy_failure.description": "Le point de terminaison n'a pas appliqué correctement la politique. Développez la réponse de la politique ci-dessus pour plus de détails.", + "xpack.securitySolution.endpoint.details.packageActions.policy_failure.title": "Échec de réponse de la politique", "xpack.securitySolution.endpoint.details.policy": "Politique", "xpack.securitySolution.endpoint.details.policyResponse.behavior_protection": "Comportement malveillant", "xpack.securitySolution.endpoint.details.policyResponse.configure_dns_events": "Configurer les événements DNS", @@ -27478,6 +29326,7 @@ "xpack.securitySolution.endpoint.details.policyResponse.configure_security_events": "Configurer les événements de sécurité", "xpack.securitySolution.endpoint.details.policyResponse.connect_kernel": "Connecter le noyau", "xpack.securitySolution.endpoint.details.policyResponse.description.full_disk_access": "Vous devez activer l'accès complet au disque pour Elastic Endpoint sur votre machine.", + "xpack.securitySolution.endpoint.details.policyResponse.description.linux_deadlock": "La protection contre les malwares a été désactivée pour éviter un blocage potentiel du système. Pour résoudre ce problème, les systèmes de fichiers à l'origine du problème doivent être identifiés dans les paramètres avancés de la politique d'intégration (linux.advanced.fanotify.ignored_filesystems). Apprenez-en plus dans notre", "xpack.securitySolution.endpoint.details.policyResponse.description.macos_system_ext": "Vous devez activer l'extension système Mac pour Elastic Endpoint sur votre machine.", "xpack.securitySolution.endpoint.details.policyResponse.detect_async_image_load_events": "Détecter les événements de chargement d'image asynchrones", "xpack.securitySolution.endpoint.details.policyResponse.detect_file_open_events": "Détecter les événements de fichier ouvert", @@ -27492,7 +29341,7 @@ "xpack.securitySolution.endpoint.details.policyResponse.failed": "Échoué", "xpack.securitySolution.endpoint.details.policyResponse.full_disk_access": "Accès complet au disque", "xpack.securitySolution.endpoint.details.policyResponse.link.text.full_disk_access": " En savoir plus.", - "xpack.securitySolution.endpoint.details.policyResponse.link.text.linux_deadlock": " En savoir plus.", + "xpack.securitySolution.endpoint.details.policyResponse.link.text.linux_deadlock": " documents de résolution des problèmes.", "xpack.securitySolution.endpoint.details.policyResponse.link.text.macos_system_ext": " En savoir plus.", "xpack.securitySolution.endpoint.details.policyResponse.linux_deadlock": "Désactivé pour éviter un blocage potentiel du système", "xpack.securitySolution.endpoint.details.policyResponse.load_config": "Charger la config", @@ -27513,14 +29362,15 @@ "xpack.securitySolution.endpoint.details.policyResponse.workflow": "Workflow", "xpack.securitySolution.endpoint.details.policyStatus": "Statut de la politique", "xpack.securitySolution.endpoint.detailsActions.buttonLabel": "Entreprendre une action", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.buttonLabel": "Lancer l'équipe de réponse", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.buttonLabel": "Répondre", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.generalMetadataErrorTooltip": "Impossible de récupérer les métadonnées du point de terminaison", "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.loadingTooltip": "Chargement", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.notSupportedTooltip": "Ajoutez l'intégration Endpoint and Cloud Security via Elastic Agent pour activer cette fonctionnalité.", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.unenrolledTooltip": "L'hôte n'est plus inscrit à l'intégration Endpoint and Cloud Security.", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.notSupportedTooltip": "Ajoutez l'intégration Elastic Defend via Elastic Agent pour activer cette fonctionnalité", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.unenrolledTooltip": "Les hôtes ne sont plus enregistrés dans l'intégration Elastic Defend", "xpack.securitySolution.endpoint.effectedPolicySelect.global": "Global", "xpack.securitySolution.endpoint.effectedPolicySelect.perPolicy": "Par politique", "xpack.securitySolution.endpoint.eventFilters.fleetIntegration.title": "Filtres d'événements", - "xpack.securitySolution.endpoint.fleetCustomExtension.backButtonLabel": "Revenir aux intégrations Endpoint Security", + "xpack.securitySolution.endpoint.fleetCustomExtension.backButtonLabel": "Revenir à l'intégration Elastic Defend", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.linux": "Linux", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.macos": "Mac", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.total": "Total", @@ -27557,6 +29407,8 @@ "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingRunningProcesses": "Processus", "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingSuspendProcess": "Suspendre le processus", "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingUnIsolate": "Libération", + "xpack.securitySolution.endpoint.ingestManager.createPackagePolicy.environments": "protéger vos points de terminaison traditionnels ou vos environnements cloud dynamiques", + "xpack.securitySolution.endpoint.ingestManager.createPackagePolicy.seeDocumentationLink": "documentation", "xpack.securitySolution.endpoint.list.actionmenu": "Ouvrir", "xpack.securitySolution.endpoint.list.actions": "Actions", "xpack.securitySolution.endpoint.list.backToPolicyButton": "Retour à la liste des politiques", @@ -27567,18 +29419,18 @@ "xpack.securitySolution.endpoint.list.ip": "Adresse IP", "xpack.securitySolution.endpoint.list.lastActive": "Dernière activité", "xpack.securitySolution.endpoint.list.loadingPolicies": "Chargement des intégrations", - "xpack.securitySolution.endpoint.list.noEndpointsInstructions": "Vous avez ajouté l'intégration Endpoint and Cloud Security. Vous pouvez maintenant enregistrer vos agents en suivant la procédure ci-dessous.", - "xpack.securitySolution.endpoint.list.noEndpointsPrompt": "Étape suivante : Inscription d'un agent à Endpoint and Cloud Security", + "xpack.securitySolution.endpoint.list.noEndpointsInstructions": "Vous avez ajouté l'intégration Elastic Defend. Vous pouvez maintenant enregistrer vos agents en suivant la procédure ci-dessous.", + "xpack.securitySolution.endpoint.list.noEndpointsPrompt": "Étape suivante : Enregistrer un agent avec Elastic Defend", "xpack.securitySolution.endpoint.list.noPolicies": "Il n'existe aucune intégration.", "xpack.securitySolution.endpoint.list.os": "Système d'exploitation", - "xpack.securitySolution.endpoint.list.pageSubTitle": "Hôtes exécutant Endpoint Security", + "xpack.securitySolution.endpoint.list.pageSubTitle": "Hôtes exécutant Elastic Defend", "xpack.securitySolution.endpoint.list.pageTitle": "Points de terminaison", "xpack.securitySolution.endpoint.list.policy": "Politique", "xpack.securitySolution.endpoint.list.policyStatus": "Statut de la politique", "xpack.securitySolution.endpoint.list.stepOne": "Effectuez une sélection parmi les intégrations existantes. Vous pourrez la modifier ultérieurement.", "xpack.securitySolution.endpoint.list.stepOneTitle": "Sélectionnez l'intégration que vous souhaitez utiliser", "xpack.securitySolution.endpoint.list.stepTwo": "Vous recevrez les commandes nécessaires à votre démarrage.", - "xpack.securitySolution.endpoint.list.stepTwoTitle": "Inscrivez vos agents activés à Endpoint and Cloud Security via Fleet", + "xpack.securitySolution.endpoint.list.stepTwoTitle": "Enregistrez vos agents activés avec Elastic Defend via Fleet", "xpack.securitySolution.endpoint.list.transformFailed.dismiss": "Rejeter", "xpack.securitySolution.endpoint.list.transformFailed.docsLink": "documentation de résolution des problèmes", "xpack.securitySolution.endpoint.list.transformFailed.restartLink": "redémarrage de la transformation", @@ -27593,6 +29445,7 @@ "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.global.public_key": "Clé publique à encodage PEM utilisée pour vérifier la signature du manifeste d'artefacts globaux.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.user.ca_cert": "Certificat à encodage PEM pour l'autorité de certificat du serveur Fleet.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.user.public_key": "Clé publique à encodage PEM utilisée pour vérifier la signature du manifeste d'artefacts d'utilisateur.", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.capture_env_vars": "Liste des variables d'environnement à capturer (jusqu'à cinq), séparées par des virgules.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.diagnostic.enabled": "La valeur \"false\" désactive les fonctionnalités de diagnostic sur Endpoint. Par défaut : true.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.elasticsearch.delay": "Délai d'envoi des événements à Elasticsearch, en secondes. Par défaut : 120.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.elasticsearch.tls.ca_cert": "Certificat à encodage PEM pour l'autorité de certificat d'Elasticsearch.", @@ -27602,12 +29455,15 @@ "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.ignore_unknown_filesystems": "Si fanotify doit ignorer les systèmes de fichiers inconnus. Lorsque ce paramètre est défini sur true, seuls les systèmes de fichiers testés par CI seront marqués par défaut ; des systèmes de fichiers supplémentaires peuvent être ajoutés ou supprimés avec \"monitored_filesystems\" et \"ignored_filesystems\", respectivement. Lorsqu’il est défini sur false, seule une liste interne de systèmes de fichiers sera ignorée, tous les autres seront marqués ; des systèmes de fichiers supplémentaires peuvent être ignorés via \"ignored_filesystems\". \"monitored_filesystems\" est ignoré lorsque \"ignore_unknown_filesystems\" est défini sur false. Par défaut : true.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.ignored_filesystems": "Systèmes de fichiers supplémentaires que fanotify doit ignorer. Le format est une liste de noms de systèmes de fichiers séparés par des virgules tels qu'ils apparaissent dans \"/proc/filesystems\", par exemple \"ext4,tmpfs\". Lorsque \"ignore_unknown_filesystems\" est false, les entrées analysées de cette option complètent les mauvais systèmes de fichiers connus en interne à ignorer. Lorsque \"ignore_unknown_filesystems\" est true, les entrées analysées de cette option remplacent les entrées de \"monitored_filesystems\" et les systèmes de fichiers testés en interne par CI.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.monitored_filesystems": "Systèmes de fichiers supplémentaires que fanotify doit surveiller. Le format est une liste de noms de systèmes de fichiers séparés par des virgules tels qu'ils apparaissent dans \"/proc/filesystems\", par exemple \"jfs,ufs,ramfs\". Il est recommandé d'éviter les systèmes de fichiers adossés au réseau. Lorsque \"ignore_unknown_filesystems\" est false, cette option est ignorée. Lorsque \"ignore_unknown_filesystems\" est true, les entrées analysées de cette option remplacent les entrées de \"monitored_filesystems\" et les systèmes de fichiers testés en interne par CI.", - "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.kernel.capture_mode": "Permet aux utilisateurs de spécifier si kprobes ou ebpf doit être utilisé pour rassembler les données. Les options possibles sont kprobes, ebpf ou auto. Par défaut : kprobes", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.kernel.capture_mode": "Permet aux utilisateurs de spécifier si kprobes ou ebpf doit être utilisé pour rassembler les données. Les options sont kprobe, ebpf ou auto. Auto utilise ebpf si possible, sinon kprobe. Par défaut : auto", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.logging.file": "La valeur fournie remplacera le niveau de log configuré pour les logs enregistrés sur le disque et diffusés vers Elasticsearch. Il est recommandé d'utiliser Fleet pour modifier ce logging dans la plupart des cas. Les valeurs autorisées sont error (erreur), warning (avertissement), info, debug (débogage) et trace.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.logging.syslog": "La valeur fournie configurera le logging sur syslog. Les valeurs autorisées sont error (erreur), warning (avertissement), info, debug (débogage) et trace.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.malware.quarantine": "Si la quarantaine doit être activée lorsque la prévention contre les malware est activée. Par défaut : true.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.memory_protection.memory_scan": "Autorisez l'analyse des régions de mémoire malveillantes dans le cadre de la protection de la mémoire. Par défaut : true.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.memory_protection.memory_scan_collect_sample": "Collectez 4 Mo de mémoire autour des régions de mémoire malveillantes détectées. Valeur par défaut : false. L'activation de cette valeur peut augmenter considérablement la quantité de données stockée dans Elasticsearch.", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_event_interval_seconds": "Durée maximale (secondes) pour mettre en lot la sortie du terminal dans un même événement. Par défaut : 30", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_kilobytes_per_event": "Nombre maximal de kilo-octets de la sortie du terminal à enregistrer dans un événement unique. Par défaut : 512", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_kilobytes_per_process": "Nombre maximal de kilo-octets de la sortie du terminal à enregistrer pour un processus unique. Par défaut : 512", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.utilization_limits.cpu": "Le pourcentage du processeur système agrégé auquel il faut limiter Endpoint. La plage de valeurs est de 20 à 100 %. Toute valeur inférieure à 20 est ignorée et entraîne un avertissement de politique. Par défaut : 50", "xpack.securitySolution.endpoint.policy.advanced.mac.advanced.agent.connection_delay": "Combien de temps attendre la connectivité de l'agent avant d'envoyer la première réponse de politique, en secondes. Par défaut : 60.", "xpack.securitySolution.endpoint.policy.advanced.mac.advanced.alerts.cloud_lookup": "La valeur \"false\" désactive la recherche dans le cloud pour les alertes Mac. Par défaut : true.", @@ -27639,6 +29495,7 @@ "xpack.securitySolution.endpoint.policy.advanced.warningMessage": "Cette section contient les valeurs de politique qui prennent en charge les cas d'utilisation avancés. En cas de configuration\n incorrecte, ces valeurs peuvent entraîner un comportement imprévisible. Veuillez lire la documentation\n attentivement ou contacter le support technique avant de modifier ces valeurs.", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.agent.connection_delay": "Combien de temps attendre la connectivité de l'agent avant d'envoyer la première réponse de politique, en secondes. Par défaut : 60.", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.alerts.cloud_lookup": "La valeur \"false\" désactive la recherche dans le cloud pour les alertes Windows. Par défaut : true.", + "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.alerts.rollback.self_healing.enabled": "L'autoréparation efface les éléments laissés par l'attaque lorsque des alertes de prévention sont déclenchées. Attention : des données peuvent être perdues. Valeur par défaut : false", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.base_url": "URL à partir de laquelle télécharger les manifestes d'artefacts globaux.", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.interval": "Intervalle entre les tentatives de téléchargement du manifeste des artefacts globaux, en secondes. Par défaut : 3 600.", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.manifest_relative_url": "URL relative à partir de laquelle télécharger les manifestes d'artefacts globaux. Par défaut : /downloads/endpoint/manifest/artifacts-.zip.", @@ -27799,6 +29656,10 @@ "xpack.securitySolution.endpoint.policy.hostIsolationException.list.removeDialog.messageCallout": "Cette exception d'isolation de l'hôte sera retirée uniquement de cette politique ; elle sera toujours disponible et gérable à partir de la page d'artefacts.", "xpack.securitySolution.endpoint.policy.hostIsolationException.list.removeDialog.title": "Retirer l'exception d'isolation de l'hôte de la politique", "xpack.securitySolution.endpoint.policy.hostIsolationException.list.search.placeholder": "Rechercher sur les champs ci-dessous : nom, description, IP", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.details": "Vous pourrez modifier ces paramètres ultérieurement dans la politique d'intégration d'Elastic Defend.", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.feature": "Collection d'événements Windows, macOS et Linux", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.learnMore": "En savoir plus", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.title": "Nous enregistrerons votre intégration avec nos valeurs par défaut recommandées.", "xpack.securitySolution.endpoint.policy.protections.behavior": "Protections contre les comportements malveillants", "xpack.securitySolution.endpoint.policy.protections.blocklist": "Liste noire activée", "xpack.securitySolution.endpoint.policy.protections.malware": "Protections contre les malware", @@ -27842,7 +29703,11 @@ "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.file": "Fichier", "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.network": "Réseau", "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.process": "Processus", - "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data": "Inclure les données de session", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data": "Collecter les données de session", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data.description": "Activez cette option pour capturer les données de processus étendues requises pour la vue de session. La vue de session vous fournit une représentation visuelle des données de session et d'exécution du processus. Les données de la vue de session sont organisées en fonction du modèle de processus Linux pour vous aider à examiner l'activité des processus, des utilisateurs et des services dans votre infrastructure Linux.", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data.title": "Données de session", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.tty_io": "Capturer la sortie du terminal", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.tty_io.tooltip": "Activez cette option pour collecter la sortie du terminal (tty). La sortie du terminal apparaît dans la vue de session, et vous pouvez l'afficher séparément pour voir quelles commandes ont été exécutées et comment elles ont été tapées, à condition que le terminal soit en mode écho. Fonctionne uniquement sur les hôtes qui prennent en charge ebpf.", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.file": "Fichier", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.network": "Réseau", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.process": "Processus", @@ -27856,14 +29721,15 @@ "xpack.securitySolution.endpoint.policyDetailsConfig.windows.events.registry": "Registre", "xpack.securitySolution.endpoint.policyDetailsConfig.windows.events.security": "Sécurité", "xpack.securitySolution.endpoint.policyDetailType": "Type", - "xpack.securitySolution.endpoint.policyList.actionButtonText": "Ajouter Endpoint and Cloud Security", + "xpack.securitySolution.endpoint.policyList.actionButtonText": "Ajouter Elastic Defend", "xpack.securitySolution.endpoint.policyList.emptyCreateNewButton": "Enregistrer l'agent", "xpack.securitySolution.endpoint.policyList.onboardingDocsLink": "afficher la documentation Elastic Security", "xpack.securitySolution.endpoint.policyList.onboardingSectionOne": "Protégez vos hôtes grâce à la prévention des menaces, la détection et la visibilité des données en profondeur en toute sécurité.", - "xpack.securitySolution.endpoint.policyList.onboardingSectionThree": "Pour commencer, ajoutez l'intégration Endpoint and Cloud Security à vos agents. Pour en savoir plus, ", - "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromEndpointPage": "À partir de cette page, vous pourrez afficher et gérer les hôtes dans votre environnement exécutant Endpoint and Cloud Security.", - "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromPolicyPage": "À partir de cette page, vous pourrez afficher et gérer les politiques d'intégration Endpoint and Cloud Security dans votre environnement exécutant Endpoint and Cloud Security.", - "xpack.securitySolution.endpoint.policyList.onboardingTitle": "Prise en main d’Endpoint and Cloud Security", + "xpack.securitySolution.endpoint.policyList.onboardingSectionThree": "Pour commencer, ajoutez l'intégration Elastic Defend à vos agents. Pour en savoir plus, ", + "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromEndpointPage": "À partir de cette page, vous pourrez afficher et gérer les hôtes dans votre environnement exécutant Elastic Defend.", + "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromPolicyPage": "À partir de cette page, vous pourrez afficher et gérer les politiques d'intégration Elastic Defend dans votre environnement exécutant Elastic Defend.", + "xpack.securitySolution.endpoint.policyList.onboardingTitle": "Lancez-vous avec Elastic Defend", + "xpack.securitySolution.endpoint.policyNotFound": "Politique introuvable !", "xpack.securitySolution.endpoint.policyResponse.backLinkTitle": "Détails de point de terminaison", "xpack.securitySolution.endpoint.policyResponse.title": "Réponse de politique", "xpack.securitySolution.endpoint.resolver.eitherLineageLimitExceeded": "Certains événements de processus dans la visualisation et la liste d'événements ci-dessous n'ont pas pu être affichés, car la limite de données a été atteinte.", @@ -27893,6 +29759,16 @@ "xpack.securitySolution.endpoint.resolver.terminatedTrigger": "Déclenchement arrêté", "xpack.securitySolution.endpoint.trustedApps.fleetIntegration.title": "Applications de confiance", "xpack.securitySolution.endpointActionFailureMessage.unknownFailure": "Action en échec", + "xpack.securitySolution.endpointActionResponseCodes.getFile.diskQuota": "Quota de disque du point de terminaison insuffisant pour récupérer le fichier", + "xpack.securitySolution.endpointActionResponseCodes.getFile.errorProcessing": "La récupération du fichier a été interrompue", + "xpack.securitySolution.endpointActionResponseCodes.getFile.invalidPath": "Le chemin défini n'est pas valide", + "xpack.securitySolution.endpointActionResponseCodes.getFile.isDirectory": "Le chemin défini n'est pas un fichier", + "xpack.securitySolution.endpointActionResponseCodes.getFile.notFound": "Le fichier spécifié est introuvable", + "xpack.securitySolution.endpointActionResponseCodes.getFile.notPermitted": "Le point de terminaison n'arrive pas à lire le fichier demandé (pas d'autorisation)", + "xpack.securitySolution.endpointActionResponseCodes.getFile.queueTimeout": "Le point de terminaison a expiré lors de la connexion pour charger l'API", + "xpack.securitySolution.endpointActionResponseCodes.getFile.tooBig": "Le fichier demandé est trop volumineux et ne peut pas être récupéré", + "xpack.securitySolution.endpointActionResponseCodes.getFile.uploadApiUnreachable": "Impossible d'atteindre l'API de chargement du fichier (fleet-server)", + "xpack.securitySolution.endpointActionResponseCodes.getFile.uploadTimeout": "Le chargement du fichier a expiré", "xpack.securitySolution.endpointActionResponseCodes.killProcess.noActionSuccess": "Action terminée. Le processus spécifié est introuvable ou a déjà été arrêté", "xpack.securitySolution.endpointActionResponseCodes.killProcess.notFoundError": "Le processus spécifié est introuvable", "xpack.securitySolution.endpointActionResponseCodes.killProcess.notPermittedSuccess": "Le processus spécifié ne peut pas être arrêté", @@ -27900,6 +29776,8 @@ "xpack.securitySolution.endpointActionResponseCodes.suspendProcess.notPermittedSuccess": "Le processus spécifié ne peut pas être suspendu", "xpack.securitySolution.endpointConsoleCommands.emptyArgumentMessage": "L’argument ne peut pas être vide", "xpack.securitySolution.endpointConsoleCommands.entityId.arg.comment": "Un ID d’entité représentant le processus à arrêter", + "xpack.securitySolution.endpointConsoleCommands.getFile.about": "Récupérer un fichier à partir de l'hôte", + "xpack.securitySolution.endpointConsoleCommands.getFile.pathArgAbout": "Chemin complet du fichier à récupérer", "xpack.securitySolution.endpointConsoleCommands.groups.responseActions": "Actions de réponse", "xpack.securitySolution.endpointConsoleCommands.invalidPidMessage": "L'argument doit être un nombre positif représentant le PID d'un processus.", "xpack.securitySolution.endpointConsoleCommands.isolate.about": "Isoler l'hôte", @@ -27912,6 +29790,7 @@ "xpack.securitySolution.endpointConsoleCommands.suspendProcess.commandArgAbout": "Commentaire qui doit accompagner l'action", "xpack.securitySolution.endpointConsoleCommands.suspendProcess.entityId.arg.comment": "Un ID d’entité représentant le processus à suspendre", "xpack.securitySolution.endpointConsoleCommands.suspendProcess.pid.arg.comment": "Un PID représentant le processus à suspendre", + "xpack.securitySolution.endpointConsoleCommands.suspendProcess.unsupportedCommandInfo": "Cette version du point de terminaison ne prend pas en charge cette commande. Mettez à niveau votre agent dans Fleet pour utiliser les toutes dernières actions de réponse.", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.endOfLog": "Pas d'autre élément à afficher", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.failedEndpointIsolateAction": "n'a pas pu envoyer la requête : Isoler l'hôte", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.failedEndpointReleaseAction": "n'a pas pu envoyer la requête : Libérer l'hôte", @@ -27929,9 +29808,12 @@ "xpack.securitySolution.endpointDetails.activityLog.logEntry.response.unisolationFailed": "Requête de libération de l'hôte reçue par Endpoint avec des erreurs", "xpack.securitySolution.endpointDetails.activityLog.logEntry.response.unisolationSuccessful": "Requête de libération de l'hôte reçue par Endpoint", "xpack.securitySolution.endpointDetails.overview": "Aperçu", + "xpack.securitySolution.endpointDetails.responseActionsHistory": "Historique des actions de réponse", "xpack.securitySolution.endpointManagement.noPermissionsSubText": "Vous devez disposer du rôle de superutilisateur pour utiliser cette fonctionnalité. Si vous ne disposez pas de ce rôle, ni d'autorisations pour modifier les rôles d'utilisateur, contactez votre administrateur Kibana.", "xpack.securitySolution.endpointManagemnet.noPermissionsText": "Vous ne disposez pas des autorisations Kibana requises pour utiliser Elastic Security Administration", "xpack.securitySolution.endpointPolicyStatus.tooltipTitleLabel": "Politique appliquée", + "xpack.securitySolution.endpointResponseActions.actionSubmitter.apiErrorDetails": "L'erreur suivante a été rencontrée :", + "xpack.securitySolution.endpointResponseActions.getFileAction.successTitle": "Fichier récupéré à partir de l'hôte.", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.command": "COMMANDE", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.enityId": "ID D’ENTITÉ", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.pid": "PID", @@ -27948,7 +29830,31 @@ "xpack.securitySolution.endpointsTab": "Points de terminaison", "xpack.securitySolution.enpdoint.resolver.panelutils.invaliddate": "Date non valide", "xpack.securitySolution.enpdoint.resolver.panelutils.noTimestampRetrieved": "Aucun horodatage récupéré", + "xpack.securitySolution.entityAnalytics.anomalies.anomaliesTitle": "Anomalies notables", + "xpack.securitySolution.entityAnalytics.anomalies.anomalyCount": "Décompte", + "xpack.securitySolution.entityAnalytics.anomalies.AnomalyDetectionDocsTitle": "Détection des anomalies avec le Machine Learning", + "xpack.securitySolution.entityAnalytics.anomalies.anomalyName": "Nom de l'anomalie", + "xpack.securitySolution.entityAnalytics.anomalies.enableJob": "Exécuter la tâche", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusDisabled": "désactivé", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusFailed": "échoué", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusUninstalled": "désinstallé", + "xpack.securitySolution.entityAnalytics.anomalies.viewAnomalies": "Afficher tout", + "xpack.securitySolution.entityAnalytics.anomalies.viewHostsAnomalies": "Afficher toutes les anomalies de l'hôte", + "xpack.securitySolution.entityAnalytics.anomalies.viewUsersAnomalies": "Afficher toutes les anomalies de l'utilisateur", + "xpack.securitySolution.entityAnalytics.header.anomalies": "Anomalies", + "xpack.securitySolution.entityAnalytics.header.criticalHosts": "Hôtes critiques", + "xpack.securitySolution.entityAnalytics.header.criticalUsers": "Utilisateurs critiques", + "xpack.securitySolution.entityAnalytics.hostsRiskDashboard.hostsTableTooltip": "Le tableau des risques de l'hôte n'est pas affecté par la plage temporelle. Ce tableau montre le dernier score de risque enregistré pour chaque hôte.", + "xpack.securitySolution.entityAnalytics.hostsRiskDashboard.title": "Scores de risque de l'hôte", + "xpack.securitySolution.entityAnalytics.pageDesc": "Détecter les menaces des utilisateurs et des appareils de votre réseau avec Entity Analytics", + "xpack.securitySolution.entityAnalytics.riskDashboard.learnMore": "En savoir plus", + "xpack.securitySolution.entityAnalytics.riskDashboard.viewAllLabel": "Afficher tout", + "xpack.securitySolution.entityAnalytics.technicalPreviewLabel": "Version d'évaluation technique", + "xpack.securitySolution.entityAnalytics.totalLabel": "Total", + "xpack.securitySolution.entityAnalytics.usersRiskDashboard.title": "Scores de risque de l'utilisateur", + "xpack.securitySolution.entityAnalytics.usersRiskDashboard.usersTableTooltip": "Le tableau des risques de l'utilisateur n'est pas affecté par la plage temporelle. Ce tableau montre le dernier score de risque enregistré pour chaque utilisateur.", "xpack.securitySolution.event.module.linkToElasticEndpointSecurityDescription": "Ouvrir dans Endpoint Security", + "xpack.securitySolution.eventDetails.alertReason": "Raison d'alerte", "xpack.securitySolution.eventDetails.ctiSummary.feedNamePreposition": "de", "xpack.securitySolution.eventDetails.ctiSummary.indicatorEnrichmentTitle": "Correspondance de menace détectée", "xpack.securitySolution.eventDetails.ctiSummary.indicatorEnrichmentTooltipContent": "Cette valeur de champ correspond à un indicateur de Threat Intelligence avec une règle que vous avez créée.", @@ -27961,6 +29867,7 @@ "xpack.securitySolution.eventDetails.jsonView": "JSON", "xpack.securitySolution.eventDetails.multiFieldBadge": "champ multiple", "xpack.securitySolution.eventDetails.multiFieldTooltipContent": "Les champs multiples peuvent avoir plusieurs valeurs.", + "xpack.securitySolution.eventDetails.osqueryView": "Résultats Osquery", "xpack.securitySolution.eventDetails.table": "Tableau", "xpack.securitySolution.eventDetails.table.actions": "Actions", "xpack.securitySolution.eventDetails.value": "Valeur", @@ -27999,6 +29906,7 @@ "xpack.securitySolution.eventFilters.searchPlaceholderInfo": "Rechercher sur les champs ci-dessous : nom, description, commentaires, valeur", "xpack.securitySolution.eventFilters.warningMessage.duplicateFields": "L'utilisation de multiples de mêmes valeurs de champ peut dégrader les performances du point de terminaison et/ou créer des règles inefficaces", "xpack.securitySolution.eventFiltersTab": "Filtres d'événements", + "xpack.securitySolution.eventRenderers.alertName": "Alerte", "xpack.securitySolution.eventRenderers.alertsDescription": "Les alertes sont affichées lorsqu'un malware ou ransomware est bloqué ou détecté", "xpack.securitySolution.eventRenderers.alertsName": "Alertes", "xpack.securitySolution.eventRenderers.auditdDescriptionPart1": "les événements d'audit transmettent des logs de sécurité à partir du framework d'audit Linux.", @@ -28048,6 +29956,7 @@ "xpack.securitySolution.eventsViewer.actionsColumnLabel": "Actions", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.alertDurationTitle": "Durée de l'alerte", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.newTerms": "Nouveaux termes", + "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.newTermsFields": "Nouveaux champs de termes", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.reasonTitle": "Raison", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.riskScoreTitle": "Score de risque", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.ruleDescriptionTitle": "Description de la règle", @@ -28064,13 +29973,44 @@ "xpack.securitySolution.eventsViewer.alerts.overviewTable.signalStatusTitle": "Statut", "xpack.securitySolution.eventsViewer.eventsLabel": "Événements", "xpack.securitySolution.eventsViewer.showingLabel": "Affichage", + "xpack.securitySolution.exception.list.empty.viewer_button": "Créer une exception à une règle", + "xpack.securitySolution.exception.list.empty.viewer_title": "Créer des exceptions pour cette liste", + "xpack.securitySolution.exception.list.search_bar_button": "Ajouter une exception à une règle à la liste", + "xpack.securitySolution.exceptions.addToRulesTable.tagsFilterLabel": "Balises", "xpack.securitySolution.exceptions.badge.readOnly.tooltip": "Impossible de créer, de modifier ou de supprimer des exceptions", "xpack.securitySolution.exceptions.cancelLabel": "Annuler", "xpack.securitySolution.exceptions.clearExceptionsLabel": "Retirer la liste d'exceptions", "xpack.securitySolution.exceptions.commentEventLabel": "a ajouté un commentaire", + "xpack.securitySolution.exceptions.common.selectRulesOptionLabel": "Ajouter aux règles", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutCreateButton": "Créer une liste d'exceptions partagée", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutDescription": "Description (facultative)", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutDescriptionPlaceholder": "Nouvelle liste d'exceptions", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutNameField": "Nom de la liste d'exceptions partagée", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutNameFieldPlaceholder": "Nouvelle liste d'exceptions", + "xpack.securitySolution.exceptions.createSharedExceptionListSuccessTitle": "liste créée", + "xpack.securitySolution.exceptions.createSharedExceptionListTitle": "Créer une liste d'exceptions partagée", "xpack.securitySolution.exceptions.disassociateExceptionListError": "Impossible de retirer la liste d'exceptions", "xpack.securitySolution.exceptions.errorLabel": "Erreur", + "xpack.securitySolution.exceptions.exceptionListsCloseImportFlyout": "Fermer", + "xpack.securitySolution.exceptions.exceptionListsFilePickerPrompt": "Sélectionner ou glisser-déposer plusieurs fichiers", + "xpack.securitySolution.exceptions.exceptionListsImportButton": "Importer la liste", "xpack.securitySolution.exceptions.fetchError": "Erreur lors de la récupération de la liste d'exceptions", + "xpack.securitySolution.exceptions.fetchingReferencesErrorToastTitle": "Erreur lors de la récupération des références d'exceptions", + "xpack.securitySolution.exceptions.list.exception.item.card.delete.label": "Supprimer une exception à une règle", + "xpack.securitySolution.exceptions.list.exception.item.card.edit.label": "Modifier une exception à une règle", + "xpack.securitySolution.exceptions.list.exception.item.card.exceptionItemDeleteSuccessTitle": "Exception supprimée", + "xpack.securitySolution.exceptions.list.exceptionItemSearchErrorBody": "Une erreur s'est produite lors de la recherche des éléments d'exception. Veuillez réessayer.", + "xpack.securitySolution.exceptions.list.exceptionItemSearchErrorTitle": "Erreur lors de la recherche", + "xpack.securitySolution.exceptions.list.exceptionItemsFetchError": "Impossible de charger les éléments d'exception", + "xpack.securitySolution.exceptions.list.exceptionItemsFetchErrorDescription": "Une erreur s'est produite lors du chargement des éléments d'exception. Contactez votre administrateur pour obtenir de l'aide.", + "xpack.securitySolution.exceptions.list.manage_rules_cancel": "Annuler", + "xpack.securitySolution.exceptions.list.manage_rules_description": "Associez des règles à cette liste d'exceptions ou dissociez des règles de cette liste.", + "xpack.securitySolution.exceptions.list.manage_rules_header": "Gérer les règles", + "xpack.securitySolution.exceptions.list.manage_rules_save": "Enregistrer", + "xpack.securitySolution.exceptions.list.utility.title": "exceptions de règle", + "xpack.securitySolution.exceptions.manageExceptions.createItemButton": "Créer un élément d'exception", + "xpack.securitySolution.exceptions.manageExceptions.createSharedListButton": "Créer une liste partagée", + "xpack.securitySolution.exceptions.manageExceptions.importExceptionList": "Importer la liste d'exceptions", "xpack.securitySolution.exceptions.modalErrorAccordionText": "Afficher les informations de référence de la règle :", "xpack.securitySolution.exceptions.operatingSystemFullLabel": "Système d'exploitation", "xpack.securitySolution.exceptions.operatingSystemLinux": "Linux", @@ -28080,10 +30020,23 @@ "xpack.securitySolution.exceptions.referenceModalCancelButton": "Annuler", "xpack.securitySolution.exceptions.referenceModalDeleteButton": "Retirer la liste d'exceptions", "xpack.securitySolution.exceptions.referenceModalTitle": "Retirer la liste d'exceptions", + "xpack.securitySolution.exceptions.sortBy": "Trier par :", + "xpack.securitySolution.exceptions.sortByCreateAt": "Créé à", "xpack.securitySolution.exceptions.viewer.addCommentPlaceholder": "Ajouter un nouveau commentaire...", "xpack.securitySolution.exceptions.viewer.addToClipboard": "Commentaire", "xpack.securitySolution.exceptions.viewer.addToDetectionsListLabel": "Ajouter une exception à une règle", "xpack.securitySolution.exceptions.viewer.addToEndpointListLabel": "Ajouter une exception de point de terminaison", + "xpack.securitySolution.exceptionsTable.createdAt": "Date de création", + "xpack.securitySolution.exceptionsTable.createdBy": "Créé par", + "xpack.securitySolution.exceptionsTable.deleteExceptionList": "Supprimer la liste d'exceptions", + "xpack.securitySolution.exceptionsTable.exceptionsCountLabel": "Exceptions", + "xpack.securitySolution.exceptionsTable.exportExceptionList": "Exporter la liste d'exceptions", + "xpack.securitySolution.exceptionsTable.importExceptionListAsNewList": "Créer une nouvelle liste", + "xpack.securitySolution.exceptionsTable.importExceptionListFlyoutBody": "Sélectionner les listes d'exceptions partagées à importer", + "xpack.securitySolution.exceptionsTable.importExceptionListFlyoutHeader": "Importer la liste d'exceptions partagée", + "xpack.securitySolution.exceptionsTable.importExceptionListOverwrite": "Écraser la liste existante", + "xpack.securitySolution.exceptionsTable.importExceptionListWarning": "Nous avons trouvé une liste pré-existante portant cet ID", + "xpack.securitySolution.exceptionsTable.rulesCountLabel": "Règles", "xpack.securitySolution.exitFullScreenButton": "Quitter le plein écran", "xpack.securitySolution.expandedValue.hideTopValues.HideTopValues": "Masquer les valeurs les plus élevées", "xpack.securitySolution.expandedValue.links.expandIpDetails": "Développer les détails d'IP", @@ -28096,10 +30049,28 @@ "xpack.securitySolution.expandedValue.links.viewUserSummary": "Afficher le résumé de l'utilisateur", "xpack.securitySolution.expandedValue.showTopN.showTopValues": "Afficher les valeurs les plus élevées", "xpack.securitySolution.featureCatalogueDescription": "Prévenez, collectez, détectez et traitez les menaces pour une protection unifiée dans toute votre infrastructure.", + "xpack.securitySolution.featureRegistr.subFeatures.fileOperations": "Opérations de fichier", "xpack.securitySolution.featureRegistry.deleteSubFeatureDetails": "Supprimer les cas et les commentaires", "xpack.securitySolution.featureRegistry.deleteSubFeatureName": "Supprimer", "xpack.securitySolution.featureRegistry.linkSecuritySolutionCaseTitle": "Cas", "xpack.securitySolution.featureRegistry.linkSecuritySolutionTitle": "Sécurité", + "xpack.securitySolution.featureRegistry.subFeatures.blockList": "Liste noire", + "xpack.securitySolution.featureRegistry.subFeatures.blockList.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès à la liste noire.", + "xpack.securitySolution.featureRegistry.subFeatures.endpointList": "Liste de points de terminaison", + "xpack.securitySolution.featureRegistry.subFeatures.endpointList.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès à la liste de points de terminaison.", + "xpack.securitySolution.featureRegistry.subFeatures.eventFilters": "Filtres d'événements", + "xpack.securitySolution.featureRegistry.subFeatures.eventFilters.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès aux filtres d'événements.", + "xpack.securitySolution.featureRegistry.subFeatures.fileOperations.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès aux opérations de fichier.", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolation": "Isolation de l'hôte", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolation.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès à l'isolation de l'hôte.", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolationExceptions": "Exceptions d'isolation de l'hôte", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolationExceptions.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès aux exceptions d'isolation de l'hôte.", + "xpack.securitySolution.featureRegistry.subFeatures.policyManagement": "Gestion des politiques", + "xpack.securitySolution.featureRegistry.subFeatures.policyManagement.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès à la gestion des politiques.", + "xpack.securitySolution.featureRegistry.subFeatures.processOperations": "Opérations de traitement", + "xpack.securitySolution.featureRegistry.subFeatures.processOperations.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès aux opérations de traitement.", + "xpack.securitySolution.featureRegistry.subFeatures.trustedApplications": "Applications de confiance", + "xpack.securitySolution.featureRegistry.subFeatures.trustedApplications.privilegesTooltip": "\"Tous les espaces\" est requis pour l'accès aux applications de confiance.", "xpack.securitySolution.fieldBrowser.actionsLabel": "Actions", "xpack.securitySolution.fieldBrowser.categoryLabel": "Catégorie", "xpack.securitySolution.fieldBrowser.createFieldButton": "Créer un champ", @@ -28128,6 +30099,8 @@ "xpack.securitySolution.firstLastSeenHost.failSearchDescription": "Impossible d'exécuter une recherche sur l'hôte vu en premier/dernier", "xpack.securitySolution.fleetIntegration.assets.description": "Afficher les points de terminaison dans l'application Security", "xpack.securitySolution.fleetIntegration.assets.name": "Hôtes", + "xpack.securitySolution.fleetIntegration.elasticDefend.eventFilter.nonInteractiveSessions.description": "Filtre d'événement pour Cloud Security. Créé par l'intégration Elastic Defend.", + "xpack.securitySolution.fleetIntegration.elasticDefend.eventFilter.nonInteractiveSessions.name": "Sessions non interactives", "xpack.securitySolution.flyout.button.timeline": "chronologie", "xpack.securitySolution.footer.autoRefreshActiveDescription": "Actualisation automatique active", "xpack.securitySolution.footer.cancel": "Annuler", @@ -28154,12 +30127,30 @@ "xpack.securitySolution.formattedNumber.compactTrillions": "T", "xpack.securitySolution.getCurrentUser.Error": "Erreur lors de l'obtention de l'utilisateur", "xpack.securitySolution.getCurrentUser.unknownUser": "Inconnu", + "xpack.securitySolution.getFileAction.pendingMessage": "Récupération du fichier à partir de l'hôte.", "xpack.securitySolution.globalHeader.buttonAddData": "Ajouter des intégrations", "xpack.securitySolution.goToDocumentationButton": "Afficher la documentation", "xpack.securitySolution.guided_onboarding.nextStep.buttonLabel": "Suivant", + "xpack.securitySolution.guided_onboarding.tour.addToCase.tourContent": "À partir du menu Entreprendre une action, ajoutez l'alerte à un nouveau cas.", + "xpack.securitySolution.guided_onboarding.tour.addToCase.tourTitle": "Créer un cas", + "xpack.securitySolution.guided_onboarding.tour.createCase.description": "C'est à cet endroit que vous documentez un signal malveillant. Vous pouvez inclure toute information pertinente au cas qui serait utile à toute autre personne concernée par ce sujet. `Markdown` **formatting** _is_ [supported](https://www.markdownguide.org/cheat-sheet/).", + "xpack.securitySolution.guided_onboarding.tour.createCase.title": "Signal de démonstration détecté", + "xpack.securitySolution.guided_onboarding.tour.createCase.tourContent": "En plus de l'alerte, vous pouvez ajouter au cas toute information pertinente dont vous avez besoin.", + "xpack.securitySolution.guided_onboarding.tour.createCase.tourTitle": "Ajouter des détails", + "xpack.securitySolution.guided_onboarding.tour.flyoutOverview.tourContent": "Découvrez d'autres détails sur les alertes en consultant toutes les informations disponibles sur chaque onglet.", + "xpack.securitySolution.guided_onboarding.tour.flyoutOverview.tourTitle": "Explorer les détails de l'alerte", + "xpack.securitySolution.guided_onboarding.tour.openFlyout.tourContent": "Certaines informations sont disponibles en un coup d'œil dans le tableau, mais pour connaître les détails complets, vous pourrez ouvrir l'alerte.", + "xpack.securitySolution.guided_onboarding.tour.openFlyout.tourTitle": "Consulter les détails de l'alerte", + "xpack.securitySolution.guided_onboarding.tour.ruleNameStep.tourContent": "Pour vous familiariser avec le tri des alertes, nous avons activé une règle pour créer votre première alerte.", + "xpack.securitySolution.guided_onboarding.tour.ruleNameStep.tourTitle": "Alerte test pour pratiquer", + "xpack.securitySolution.guided_onboarding.tour.submitCase.tourContent": "Appuyez sur Créer pour avancer dans la visite.", + "xpack.securitySolution.guided_onboarding.tour.submitCase.tourTitle": "Envoyer le cas", + "xpack.securitySolution.guided_onboarding.tour.viewCase.tourContent": "À partir des informations exploitables, cliquez pour voir le nouveau cas", + "xpack.securitySolution.guided_onboarding.tour.viewCase.tourTitle": "Afficher le cas", "xpack.securitySolution.handleInputAreaState.inputPlaceholderText": "Soumettre l’action de réponse", "xpack.securitySolution.header.editableTitle.cancel": "Annuler", "xpack.securitySolution.header.editableTitle.save": "Enregistrer", + "xpack.securitySolution.hooks.useGetSavedQuery.errorToastMessage": "Impossible de charger la requête enregistrée", "xpack.securitySolution.host.details.architectureLabel": "Architecture", "xpack.securitySolution.host.details.endpoint.endpointPolicy": "Politique d'intégration du point de terminaison", "xpack.securitySolution.host.details.endpoint.fleetAgentStatus": "Statut de l'agent", @@ -28235,8 +30226,10 @@ "xpack.securitySolution.hostsRiskTable.hostRiskScoreTitle": "Score de risque de l'hôte", "xpack.securitySolution.hostsRiskTable.hostRiskTitle": "Risque de l'hôte", "xpack.securitySolution.hostsRiskTable.hostRiskToolTip": "La classification des risques de l'hôte est déterminée par score de risque de l'hôte. Les hôtes classés comme étant Critique ou Élevé sont indiqués comme étant \"à risque\".", + "xpack.securitySolution.hostsRiskTable.hostsTableTooltip": "Le tableau des risques de l'hôte n'est pas affecté par la plage temporelle KQL. Ce tableau montre le dernier score de risque enregistré pour chaque hôte.", "xpack.securitySolution.hostsRiskTable.riskTitle": "Classification de risque de l'hôte", "xpack.securitySolution.hostsRiskTable.tableTitle": "Risque de l'hôte", + "xpack.securitySolution.hostsRiskTable.usersTableTooltip": "Le tableau des risques de l'utilisateur n'est pas affecté par la plage temporelle KQL. Ce tableau montre le dernier score de risque enregistré pour chaque utilisateur.", "xpack.securitySolution.hostsTable.firstLastSeenToolTip": "Par rapport à la plage de dates sélectionnée", "xpack.securitySolution.hostsTable.hostRiskTitle": "Classification de risque de l'hôte", "xpack.securitySolution.hostsTable.hostRiskToolTip": "La classification des risques de l'hôte est déterminée par score de risque de l'hôte. Les hôtes classés comme étant Critique ou Élevé sont indiqués comme étant \"à risque\".", @@ -28279,6 +30272,7 @@ "xpack.securitySolution.indexPatterns.updateAvailableBadgeTitle": "Mise à jour disponible", "xpack.securitySolution.indexPatterns.updateDataView": "Souhaitez-vous ajouter ce modèle d'indexation à la vue de données Security ? Sinon, nous pouvons recréer la vue de données sans les modèles d'indexation manquants.", "xpack.securitySolution.indexPatterns.updateSecurityDataView": "Mettre à jour la vue de données Security", + "xpack.securitySolution.inputCapture.ariaPlaceHolder": "Saisir une commande", "xpack.securitySolution.inspect.modal.closeTitle": "Fermer", "xpack.securitySolution.inspect.modal.indexPatternDescription": "Modèle d'indexation qui se connecte aux index Elasticsearch. Ces index peuvent être configurés dans Kibana > Paramètres avancés.", "xpack.securitySolution.inspect.modal.indexPatternLabel": "Modèle d'indexation", @@ -28340,6 +30334,9 @@ "xpack.securitySolution.lists.closeValueListsModalTitle": "Fermer", "xpack.securitySolution.lists.detectionEngine.rules.importValueListsButton": "Importer des listes de valeurs", "xpack.securitySolution.lists.detectionEngine.rules.uploadValueListsButtonTooltip": "Utiliser les listes de valeurs pour créer une exception lorsqu'une valeur de champ correspond à une valeur trouvée dans une liste", + "xpack.securitySolution.lists.exceptionListImportSuccess": "La liste d'exceptions \"{fileName}\" a été importée", + "xpack.securitySolution.lists.exceptionListImportSuccessTitle": "Liste d'exceptions importée", + "xpack.securitySolution.lists.exceptionListUploadError": "Une erreur s'est produite lors du chargement de la liste d'exceptions.", "xpack.securitySolution.lists.importValueListDescription": "Importez des listes de valeurs uniques à utiliser lors de l'écriture d'exceptions aux règles.", "xpack.securitySolution.lists.importValueListTitle": "Importer des listes de valeurs", "xpack.securitySolution.lists.referenceModalCancelButton": "Annuler", @@ -28368,6 +30365,15 @@ "xpack.securitySolution.management.policiesSelector.label": "Politiques", "xpack.securitySolution.management.policiesSelector.unassignedEntries": "Entrées non affectées", "xpack.securitySolution.management.search.button": "Actualiser", + "xpack.securitySolution.markdown.osquery.addModalConfirmButtonLabel": "Ajouter une recherche", + "xpack.securitySolution.markdown.osquery.addModalTitle": "Ajouter une recherche", + "xpack.securitySolution.markdown.osquery.editModalConfirmButtonLabel": "Enregistrer les modifications", + "xpack.securitySolution.markdown.osquery.editModalTitle": "Modifier la recherche", + "xpack.securitySolution.markdown.osquery.labelFieldText": "Étiquette", + "xpack.securitySolution.markdown.osquery.modalCancelButtonLabel": "Annuler", + "xpack.securitySolution.markdown.osquery.permissionDenied": "Autorisation refusée", + "xpack.securitySolution.markdown.osquery.runOsqueryButtonLabel": "Exécuter Osquery", + "xpack.securitySolution.markdownEditor.plugins.insightProviderError": "Impossible d'analyser la configuration du fournisseur d'informations exploitables", "xpack.securitySolution.markdownEditor.plugins.timeline.insertTimelineButtonLabel": "Insérer un lien de chronologie", "xpack.securitySolution.markdownEditor.plugins.timeline.noParenthesesErrorMsg": "Parenthèses gauches attendues", "xpack.securitySolution.markdownEditor.plugins.timeline.noTimelineIdFoundErrorMsg": "Aucun ID de chronologie n'a été trouvé", @@ -28386,6 +30392,13 @@ "xpack.securitySolution.ml.table.entityTitle": "Entité", "xpack.securitySolution.ml.table.hostNameTitle": "Nom de l'hôte", "xpack.securitySolution.ml.table.influencedByTitle": "Influencé par", + "xpack.securitySolution.ml.table.intervalAutoOption": "Auto", + "xpack.securitySolution.ml.table.intervalDayOption": "1 jour", + "xpack.securitySolution.ml.table.intervalHourOption": "1 heure", + "xpack.securitySolution.ml.table.intervalLabel": "Intervalle", + "xpack.securitySolution.ml.table.intervalshowAllOption": "Afficher tout", + "xpack.securitySolution.ml.table.intervalTooltip": "Affichez uniquement l'anomalie la plus sévère pour chaque intervalle (par exemple, heure ou jour) ou toutes les anomalies de la période sélectionnée.", + "xpack.securitySolution.ml.table.jobIdFilter": "Tâche", "xpack.securitySolution.ml.table.networkNameTitle": "IP réseau", "xpack.securitySolution.ml.table.scoreTitle": "Score d'anomalie", "xpack.securitySolution.ml.table.timestampTitle": "Horodatage", @@ -28401,7 +30414,8 @@ "xpack.securitySolution.navigation.dashboards": "Tableaux de bord", "xpack.securitySolution.navigation.detect": "Détecter", "xpack.securitySolution.navigation.detectionResponse": "Détection et réponse", - "xpack.securitySolution.navigation.exceptions": "Listes d'exceptions", + "xpack.securitySolution.navigation.entityAnalytics": "Analyse des entités", + "xpack.securitySolution.navigation.exceptions": "Exceptions de règle", "xpack.securitySolution.navigation.explore": "Explorer", "xpack.securitySolution.navigation.findings": "Résultats", "xpack.securitySolution.navigation.gettingStarted": "Démarrer", @@ -28413,8 +30427,9 @@ "xpack.securitySolution.navigation.network": "Réseau", "xpack.securitySolution.navigation.newRuleTitle": "Créer une nouvelle règle", "xpack.securitySolution.navigation.overview": "Aperçu", + "xpack.securitySolution.navigation.responseActionsHistory": "Historique des actions de réponse", "xpack.securitySolution.navigation.rules": "Règles", - "xpack.securitySolution.navigation.threatIntelligence": "Threat Intelligence", + "xpack.securitySolution.navigation.threatIntelligence": "Intelligence", "xpack.securitySolution.navigation.timelines": "Chronologies", "xpack.securitySolution.navigation.users": "Utilisateurs", "xpack.securitySolution.network.ipDetails.ipOverview.asDestinationDropDownOptionLabel": "Comme destination", @@ -28450,6 +30465,7 @@ "xpack.securitySolution.network.navigation.flowsTitle": "Flux", "xpack.securitySolution.network.navigation.httpTitle": "HTTP", "xpack.securitySolution.network.navigation.tlsTitle": "TLS", + "xpack.securitySolution.network.navigation.usersTitle": "Utilisateurs", "xpack.securitySolution.network.pageTitle": "Réseau", "xpack.securitySolution.networkDetails.errorSearchDescription": "Une erreur s'est produite sur la recherche de détails réseau", "xpack.securitySolution.networkDetails.failSearchDescription": "Impossible de lancer la recherche sur les détails réseau", @@ -28509,6 +30525,7 @@ "xpack.securitySolution.newsFeed.noNewsMessage": "Votre URL de fil d'actualités en cours n'a renvoyé aucune nouvelle récente.", "xpack.securitySolution.newsFeed.noNewsMessageForAdmin": "Votre URL de fil d'actualités en cours n'a renvoyé aucune nouvelle récente. Vous pouvez mettre à jour l'URL ou désactiver les nouvelles de sécurité via", "xpack.securitySolution.noPermissionsTitle": "Privilèges requis", + "xpack.securitySolution.noPrivilegesDefaultMessage": "Pour afficher cette page, vous devez mettre à jour les privilèges. Pour en savoir plus, contactez votre administrateur Kibana.", "xpack.securitySolution.notes.addNoteButtonLabel": "Ajouter la note", "xpack.securitySolution.notes.cancelButtonLabel": "Annuler", "xpack.securitySolution.notes.createdByLabel": "Créé par", @@ -28552,6 +30569,9 @@ "xpack.securitySolution.open.timeline.withLabel": "avec", "xpack.securitySolution.open.timeline.zeroTimelinesMatchLabel": "0 chronologie correspond aux critères de recherche", "xpack.securitySolution.open.timeline.zeroTimelineTemplatesMatchLabel": "0 modèle de chronologie correspond aux critères de recherche", + "xpack.securitySolution.osquery.action.permissionDenied": "Autorisation refusée", + "xpack.securitySolution.osquery.action.shortEmptyTitle": "Osquery n’est pas disponible.", + "xpack.securitySolution.osquery.action.unavailable": "L’intégration Osquery Manager n'a pas été ajoutée à la politique d'agent. Pour exécuter des requêtes sur l'hôte, ajoutez l'intégration Osquery Manager à la politique d'agent dans Fleet.", "xpack.securitySolution.outOfDateLabel": "Obsolète", "xpack.securitySolution.overview.auditBeatAuditTitle": "Audit", "xpack.securitySolution.overview.auditBeatFimTitle": "File Integrity Module", @@ -28565,6 +30585,7 @@ "xpack.securitySolution.overview.ctiDashboardEnableThreatIntel": "Vous devez activer les sources de Threat Intelligence pour afficher les données.", "xpack.securitySolution.overview.ctiDashboardOtherDatasourceTitle": "Autres", "xpack.securitySolution.overview.ctiDashboardTitle": "Threat Intelligence", + "xpack.securitySolution.overview.ctiLinkSource": "Source", "xpack.securitySolution.overview.ctiViewDasboard": "Afficher le tableau de bord", "xpack.securitySolution.overview.endgameDnsTitle": "DNS", "xpack.securitySolution.overview.endgameFileTitle": "Fichier", @@ -28603,6 +30624,7 @@ "xpack.securitySolution.overview.landingCards.box.siemCard.title": "SIEM pour le centre opérationnel de sécurité moderne", "xpack.securitySolution.overview.landingCards.box.unify.desc": "Elastic Security modernise les opérations de sécurité en facilitant l'analyse des données collectées au fil des ans, en automatisant les principaux processus et en protégeant chaque hôte.", "xpack.securitySolution.overview.landingCards.box.unify.title": "Unification du SIEM, de la sécurité aux points de terminaison et de la sécurité cloud", + "xpack.securitySolution.overview.linkPanelLearnMoreButton": "En savoir plus", "xpack.securitySolution.overview.networkAction": "Afficher le réseau", "xpack.securitySolution.overview.networkStatGroupAuditbeat": "Auditbeat", "xpack.securitySolution.overview.networkStatGroupFilebeat": "Filebeat", @@ -28614,6 +30636,7 @@ "xpack.securitySolution.overview.packetbeatTLSTitle": "TLS", "xpack.securitySolution.overview.recentTimelinesSidebarTitle": "Chronologies récentes", "xpack.securitySolution.overview.signalCountTitle": "Tendance des alertes", + "xpack.securitySolution.overview.threatIndicatorsAction": "Afficher les indicateurs", "xpack.securitySolution.overview.viewAlertsButtonLabel": "Afficher les alertes", "xpack.securitySolution.overview.viewEventsButtonLabel": "Afficher les événements", "xpack.securitySolution.overview.winlogbeatMWSysmonOperational": "Microsoft-Windows-Sysmon/Opérationnel", @@ -28627,6 +30650,9 @@ "xpack.securitySolution.paginatedTable.showingSubtitle": "Affichant", "xpack.securitySolution.paginatedTable.tooManyResultsToastText": "Affiner votre recherche pour mieux filtrer les résultats", "xpack.securitySolution.paginatedTable.tooManyResultsToastTitle": " - trop de résultats", + "xpack.securitySolution.paywall.platinum": "Platinum", + "xpack.securitySolution.paywall.upgradeButton": "Mettre à niveau vers Platinum", + "xpack.securitySolution.paywall.upgradeMessage": "Cette fonctionnalité est disponible avec l'abonnement Platinum ou supérieur", "xpack.securitySolution.policiesTab": "Politiques", "xpack.securitySolution.policy.backToPolicyList": "Retour à la liste des politiques", "xpack.securitySolution.policy.list.createdAt": "Date de création", @@ -28657,6 +30683,17 @@ "xpack.securitySolution.recentTimelines.pinnedEventsTooltip": "Événements épinglés", "xpack.securitySolution.recentTimelines.untitledTimelineLabel": "Chronologie sans titre", "xpack.securitySolution.recentTimelines.viewAllTimelinesLink": "Afficher toutes les chronologies", + "xpack.securitySolution.renderers.alertRenderer.alertLabel": "alerte", + "xpack.securitySolution.renderers.alertRenderer.byLabel": "par", + "xpack.securitySolution.renderers.alertRenderer.createdLabel": "créé", + "xpack.securitySolution.renderers.alertRenderer.destinationLabel": "destination", + "xpack.securitySolution.renderers.alertRenderer.eventLabel": "événement", + "xpack.securitySolution.renderers.alertRenderer.fileLabel": "fichier", + "xpack.securitySolution.renderers.alertRenderer.onLabel": "le", + "xpack.securitySolution.renderers.alertRenderer.parentProcessLabel": "processus parent", + "xpack.securitySolution.renderers.alertRenderer.processLabel": "processus", + "xpack.securitySolution.renderers.alertRenderer.sourceLabel": "source", + "xpack.securitySolution.renderers.alertRenderer.withLabel": "avec", "xpack.securitySolution.reputationLinks.moreLabel": "Plus", "xpack.securitySolution.resolver.graphControls.center": "Centre", "xpack.securitySolution.resolver.graphControls.currentlyLoadingCube": "Processus de chargement", @@ -28695,27 +30732,84 @@ "xpack.securitySolution.resolver.symbolDefinitions.terminatedProcess": "Processus arrêté", "xpack.securitySolution.resolver.symbolDefinitions.terminatedTriggerProcess": "Processus de déclenchement arrêté", "xpack.securitySolution.resolver.symbolDefinitions.triggerProcess": "Processus de déclenchement", - "xpack.securitySolution.responder_overlay.pageTitle": "Équipe de réponse", + "xpack.securitySolution.responder_overlay.pageTitle": "Console de réponse", "xpack.securitySolution.responder.hostOffline.callout.title": "Hôte hors ligne", - "xpack.securitySolution.responseActionsList.empty.body": "Essayer un autre ensemble de filtres", - "xpack.securitySolution.responseActionsList.empty.title": "Aucun log d’actions de réponse", + "xpack.securitySolution.responseActionFileDownloadLink.deleteNotice": "Les fichiers sont périodiquement supprimés pour libérer de l'espace de stockage. Téléchargez et enregistrez le fichier localement si besoin.", + "xpack.securitySolution.responseActionFileDownloadLink.downloadButtonLabel": "Cliquez ici pour télécharger", + "xpack.securitySolution.responseActionFileDownloadLink.fileNoLongerAvailable": "Le fichier a expiré et n'est plus disponible au téléchargement.", + "xpack.securitySolution.responseActionsHistory.empty.content": "Aucune action de réponse effectuée", + "xpack.securitySolution.responseActionsHistory.empty.link": "En savoir plus sur les actions de réponse", + "xpack.securitySolution.responseActionsHistory.empty.title": "L'historique des actions de réponse est vide", + "xpack.securitySolution.responseActionsHistoryButton.label": "Historique des actions de réponse", + "xpack.securitySolution.responseActionsList.empty.body": "Essayez de modifier votre recherche ou votre ensemble de filtres", + "xpack.securitySolution.responseActionsList.empty.title": "Aucun résultat ne correspond à vos critères de recherche.", "xpack.securitySolution.responseActionsList.list.command": "Commande", "xpack.securitySolution.responseActionsList.list.comments": "Commentaires", "xpack.securitySolution.responseActionsList.list.errorMessage": "Erreur lors de la récupération des actions de réponse", + "xpack.securitySolution.responseActionsList.list.filter.actions": "Actions", + "xpack.securitySolution.responseActionsList.list.filter.clearAll": "Tout effacer", + "xpack.securitySolution.responseActionsList.list.filter.Hosts": "Hôtes", + "xpack.securitySolution.responseActionsList.list.filter.statuses": "Statuts", + "xpack.securitySolution.responseActionsList.list.filter.users": "Filtrer par nom d'utilisateur", + "xpack.securitySolution.responseActionsList.list.hosts": "Hôtes", "xpack.securitySolution.responseActionsList.list.item.badge.failed": "Échoué", "xpack.securitySolution.responseActionsList.list.item.badge.pending": "En attente", + "xpack.securitySolution.responseActionsList.list.item.badge.successful": "Réussi", + "xpack.securitySolution.responseActionsList.list.item.expandSection.comment": "Commentaire", "xpack.securitySolution.responseActionsList.list.item.expandSection.completedAt": "Exécution terminée", "xpack.securitySolution.responseActionsList.list.item.expandSection.input": "Entrée", "xpack.securitySolution.responseActionsList.list.item.expandSection.output": "Sortie", "xpack.securitySolution.responseActionsList.list.item.expandSection.parameters": "Paramètres", "xpack.securitySolution.responseActionsList.list.item.expandSection.placedAt": "Commande passée", "xpack.securitySolution.responseActionsList.list.item.expandSection.startedAt": "Exécution commencé le", + "xpack.securitySolution.responseActionsList.list.item.hosts.unenrolled.host": "Hôte désenregistré", + "xpack.securitySolution.responseActionsList.list.item.hosts.unenrolled.hosts": "Hôtes désenregistrés", + "xpack.securitySolution.responseActionsList.list.pageSubTitle": "Affichez l'historique des actions de réponse effectuées sur les hôtes.", "xpack.securitySolution.responseActionsList.list.screenReader.expand": "Développer les lignes", "xpack.securitySolution.responseActionsList.list.status": "Statut", "xpack.securitySolution.responseActionsList.list.time": "Heure", "xpack.securitySolution.responseActionsList.list.user": "Utilisateur", + "xpack.securitySolution.risk_score.toast.viewDashboard": "Afficher le tableau de bord", + "xpack.securitySolution.riskDeprecated.entity.upgradeRiskScoreDescription": "Les données actuelles ne sont plus prises en charge. Veuillez migrer vos données et mettre à niveau le module. Les données pourront prendre jusqu'à une heure pour être générées après l'activation du module.", + "xpack.securitySolution.riskInformation.buttonLabel": "Comment le score de risque est-il calculé ?", + "xpack.securitySolution.riskInformation.classificationHeader": "Classification", + "xpack.securitySolution.riskInformation.closeBtn": "Fermer", + "xpack.securitySolution.riskInformation.criticalRiskDescription": "90 et supérieur", + "xpack.securitySolution.riskInformation.informationAriaLabel": "Informations", + "xpack.securitySolution.riskInformation.link": "ici", + "xpack.securitySolution.riskInformation.unknownRiskDescription": "Inférieur à 20", + "xpack.securitySolution.riskScore.api.ingestPipeline.create.errorMessageTitle": "Impossible de créer un pipeline d'ingestion", + "xpack.securitySolution.riskScore.api.storedScript.create.errorMessageTitle": "Impossible de créer un script stocké", + "xpack.securitySolution.riskScore.api.storedScript.delete.errorMessageTitle": "Impossible de supprimer un script stocké", + "xpack.securitySolution.riskScore.api.transforms.create.errorMessageTitle": "Impossible de créer la transformation", + "xpack.securitySolution.riskScore.api.transforms.getState.errorMessageTitle": "Impossible d'obtenir l'état de transformation", + "xpack.securitySolution.riskScore.api.transforms.getState.notFoundMessageTitle": "Transformation introuvable", + "xpack.securitySolution.riskScore.enableButtonTitle": "Activer", "xpack.securitySolution.riskScore.errorSearchDescription": "Une erreur s'est produite sur la recherche du score de risque", "xpack.securitySolution.riskScore.failSearchDescription": "Impossible de lancer une recherche sur le score de risque", + "xpack.securitySolution.riskScore.hostRiskScoresEnabledTitle": "Scores de risque de l'hôte activés", + "xpack.securitySolution.riskScore.hostsDashboardWarningPanelBody": "Nous n'avons détecté aucune donnée de score de risque de l'hôte provenant des hôtes de votre environnement. Les données pourront prendre jusqu'à une heure pour être générées après l'activation du module.", + "xpack.securitySolution.riskScore.hostsDashboardWarningPanelTitle": "Aucune donnée de score de risque de l'hôte disponible pour l'affichage", + "xpack.securitySolution.riskScore.install.errorMessageTitle": "Erreur d'installation", + "xpack.securitySolution.riskScore.kpi.failSearchDescription": "Impossible de lancer une recherche sur le score de risque", + "xpack.securitySolution.riskScore.overview.alerts": "Alertes", + "xpack.securitySolution.riskScore.overview.hosts": "Hôtes", + "xpack.securitySolution.riskScore.overview.hostTitle": "Hôte", + "xpack.securitySolution.riskScore.overview.users": "Utilisateurs", + "xpack.securitySolution.riskScore.overview.userTitle": "Utilisateur", + "xpack.securitySolution.riskScore.restartButtonTitle": "Redémarrer", + "xpack.securitySolution.riskScore.savedObjects.bulkCreateFailureTitle": "Impossible d’importer les objets enregistrés", + "xpack.securitySolution.riskScore.savedObjects.bulkDeleteFailureTitle": "Impossible de supprimer les objets enregistrés", + "xpack.securitySolution.riskScore.technicalPreviewLabel": "Version d'évaluation technique", + "xpack.securitySolution.riskScore.uninstall.errorMessageTitle": "Erreur de désinstallation", + "xpack.securitySolution.riskScore.upgradeConfirmation.cancel": "Conserver les données", + "xpack.securitySolution.riskScore.upgradeConfirmation.confirm": "Effacer et mettre à niveau", + "xpack.securitySolution.riskScore.upgradeConfirmation.content": "La mise à niveau supprimera les scores de risque existants de votre environnement. Vous pouvez conserver les données de risque existantes avant de mettre à niveau le package Score de risque. Voulez-vous effectuer la mise à niveau ?", + "xpack.securitySolution.riskScore.userRiskScoresEnabledTitle": "Scores de risque de l'utilisateur activés", + "xpack.securitySolution.riskScore.usersDashboardRestartTooltip": "Le calcul du score de risque pourra prendre un certain temps à se lancer. Cependant, en appuyant sur Redémarrer, vous pouvez le forcer à s'exécuter immédiatement.", + "xpack.securitySolution.riskScore.usersDashboardWarningPanelBody": "Nous n'avons détecté aucune donnée de score de risque de l'utilisateur provenant des utilisateurs de votre environnement. Les données pourront prendre jusqu'à une heure pour être générées après l'activation du module.", + "xpack.securitySolution.riskScore.usersDashboardWarningPanelTitle": "Aucune donnée de score de risque de l'utilisateur disponible pour l'affichage", + "xpack.securitySolution.riskTabBody.viewDashboardButtonLabel": "Afficher le tableau de bord de la source", "xpack.securitySolution.rowRenderer.executedProcessDescription": "processus exécuté", "xpack.securitySolution.rowRenderer.forkedProcessDescription": "processus ramifié", "xpack.securitySolution.rowRenderer.loadedLibraryDescription": "bibliothèque chargée", @@ -28734,6 +30828,90 @@ "xpack.securitySolution.rowRenderer.wasPreventedFromExecutingAMaliciousProcessDescription": "a été bloqué dans sa tentative d'exécution d'un processus malveillant", "xpack.securitySolution.rowRenderer.wasPreventedFromModifyingAMaliciousFileDescription": "a été bloqué dans sa tentative de modification d'un fichier malveillant", "xpack.securitySolution.rowRenderer.wasPreventedFromRenamingAMaliciousFileDescription": "a été bloqué dans sa tentative de renommage d'un fichier malveillant", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addExceptionToRuleOrList.addToListsLabel": "Ajouter à la règle ou aux listes", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsOptionLabel": "Ajouter aux listes d'exceptions partagées", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsTooltip": "La liste d'exceptions partagée est un groupe d'exceptions. Sélectionnez cette option si vous souhaitez ajouter cette exception aux listes d'exceptions partagées.", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.addToListsDescription": "Sélectionnez la liste d'exceptions partagée à laquelle vous souhaitez ajouter l'exception. Nous ferons une copie de cette exception si plusieurs listes sont sélectionnées.", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.referencesFetchError": "Impossible de charger les listes d'exceptions partagées", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.viewListDetailActionLabel": "Afficher les détails de la liste", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToRulesTableSelection.addToSelectedRulesDescription": "Sélectionnez les règles auxquelles vous souhaitez ajouter l'exception. Nous ferons une copie de cette exception si elle est associée à plusieurs règles. ", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.bulkCloseLabel": "Fermer toutes les alertes qui correspondent à cette exception et qui ont été générées par les règles sélectionnées", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.bulkCloseLabel.disabled": "Fermer toutes les alertes qui correspondent à cette exception et ont été générées par cette règle (les listes et les champs non ECS ne sont pas pris en charge)", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.endpointQuarantineText": "Sur tous les hôtes Endpoint, les fichiers en quarantaine qui correspondent à l'exception sont automatiquement restaurés à leur emplacement d'origine. Cette exception s'applique à toutes les règles utilisant les exceptions Endpoint.", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.sectionTitle": "Actions des alertes", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.singleAlertCloseLabel": "Fermer cette alerte", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.conditionsTitle": "Conditions", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.infoLabel": "Les alertes sont générées lorsque les conditions de la règle sont remplies, sauf quand :", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.operatingSystemPlaceHolder": "Sélectionner un système d'exploitation", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.sequenceWarningAdd": "La requête de cette règle contient une instruction de séquence EQL. L'exception créée s'appliquera à tous les événements de la séquence.", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.sequenceWarningEdit": "La requête de cette règle contient une instruction de séquence EQL. L'exception modifiée s'appliquera à tous les événements de la séquence.", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToListSection.error": "Impossible de récupérer la liste d'exceptions.", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToListSection.title": "Associé à la liste partagée", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToRule.title": "Associé à la règle", + "xpack.securitySolution.rule_exceptions.flyoutComponents.viewListDetailActionLabel": "Afficher les détails de la liste", + "xpack.securitySolution.rule_exceptions.flyoutComponents.viewRuleDetailActionLabel": "Afficher les détails de la règle", + "xpack.securitySolution.rule_exceptions.itemComments.addCommentPlaceholder": "Ajouter un nouveau commentaire...", + "xpack.securitySolution.rule_exceptions.itemComments.unknownAvatarName": "Inconnu", + "xpack.securitySolution.rule_exceptions.itemMeta.nameLabel": "Nom d'exception à une règle", + "xpack.securitySolution.rule_exceptions.itemMeta.namePlaceholder": "Nommer votre exception à une règle", + "xpack.securitySolution.ruleExceptions.addException.addEndpointException": "Ajouter une exception de point de terminaison", + "xpack.securitySolution.ruleExceptions.addException.cancel": "Annuler", + "xpack.securitySolution.ruleExceptions.addException.createRuleExceptionLabel": "Ajouter une exception à une règle", + "xpack.securitySolution.ruleExceptions.addException.submitError.dismissButton": "Rejeter", + "xpack.securitySolution.ruleExceptions.addException.submitError.message": "Affichez le toast pour connaître les détails de l'erreur.", + "xpack.securitySolution.ruleExceptions.addException.submitError.title": "Une erreur s'est produite lors de l'envoi de l'exception", + "xpack.securitySolution.ruleExceptions.addException.success": "Exception à la règle ajoutée à la liste d'exceptions partagée", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.addRuleExceptionToastSuccessTitle": "Exception à la règle ajoutée", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addExceptionsEmptyPromptTitle": "Ajouter des exceptions à cette règle", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addToDetectionsListLabel": "Ajouter une exception à une règle", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addToEndpointListLabel": "Ajouter une exception de point de terminaison", + "xpack.securitySolution.ruleExceptions.allExceptionItems.emptyPromptBody": "Il n'existe aucune exception pour cette règle. Créez votre première exception de règle.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.emptyPromptButtonLabel": "Ajouter une exception à une règle", + "xpack.securitySolution.ruleExceptions.allExceptionItems.endpoint.emptyPromptBody": "Il n'existe aucune exception de point de terminaison. Créez votre première exception de point de terminaison.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.endpoint.emptyPromptButtonLabel": "Ajouter une exception de point de terminaison", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionDeleteErrorTitle": "Erreur lors de la suppression de l'élément d'exception", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionDetectionDetailsDescription": "Les exceptions à la règle sont ajoutées à la règle de détection.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionEndpointDetailsDescription": "Les exceptions de point de terminaison sont ajoutées à la fois à la règle de détection et à l'agent Elastic Endpoint sur vos hôtes.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemDeleteSuccessTitle": "Exception supprimée", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemSearchErrorBody": "Une erreur s'est produite lors de la recherche des éléments d'exception. Veuillez réessayer.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemSearchErrorTitle": "Erreur lors de la recherche", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemsFetchError": "Impossible de charger les éléments d'exception", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemsFetchErrorDescription": "Une erreur s'est produite lors du chargement des éléments d'exception. Contactez votre administrateur pour obtenir de l'aide.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.noSearchResultsPromptBody": "Essayez de modifier votre recherche.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.noSearchResultsPromptTitle": "Aucun résultat ne correspond à vos critères de recherche.", + "xpack.securitySolution.ruleExceptions.allExceptionItems.paginationAriaLabel": "Pagination du tableau d'éléments d'exception", + "xpack.securitySolution.ruleExceptions.allExceptionItems.searchPlaceholder": "Exceptions de filtre utilisant une syntaxe de requête simple, par exemple, le nom :\"ma liste\"", + "xpack.securitySolution.ruleExceptions.editException.cancel": "Annuler", + "xpack.securitySolution.ruleExceptions.editException.editEndpointExceptionTitle": "Modifier une exception de point de terminaison", + "xpack.securitySolution.ruleExceptions.editException.editExceptionTitle": "Modifier une exception à une règle", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastErrorTitle": "Erreur lors de la mise à jour de l'exception", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastSuccessTitle": "Exception à la règle mise à jour", + "xpack.securitySolution.ruleExceptions.exceptionItem.affectedList": "Affecte la liste partagée", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.and": "AND", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.existsOperator": "existe", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.existsOperator.not": "n'existe pas", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.linux": "Linux", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.listOperator": "inclus dans", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.listOperator.not": "n'est pas inclus dans", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.macos": "Mac", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchAnyOperator": "est l'une des options suivantes", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchAnyOperator.not": "n'est pas l'une des options suivantes", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchOperator": "IS", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchOperator.not": "N'EST PAS", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.nestedOperator": "a", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.os": "Système d'exploitation", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.wildcardDoesNotMatchOperator": "NE CORRESPOND PAS À", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.wildcardMatchesOperator": "CORRESPONDANCES", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.windows": "Windows", + "xpack.securitySolution.ruleExceptions.exceptionItem.createdLabel": "Créé", + "xpack.securitySolution.ruleExceptions.exceptionItem.deleteItemButton": "Supprimer une exception à une règle", + "xpack.securitySolution.ruleExceptions.exceptionItem.editItemButton": "Modifier une exception à une règle", + "xpack.securitySolution.ruleExceptions.exceptionItem.endpoint.deleteItemButton": "Supprimer une exception de point de terminaison", + "xpack.securitySolution.ruleExceptions.exceptionItem.endpoint.editItemButton": "Modifier une exception de point de terminaison", + "xpack.securitySolution.ruleExceptions.exceptionItem.metaDetailsBy": "par", + "xpack.securitySolution.ruleExceptions.exceptionItem.updatedLabel": "Mis à jour", + "xpack.securitySolution.ruleExceptions.logic.closeAlerts.error": "Impossible de fermer les alertes", + "xpack.securitySolution.rules.actionForm.experimentalTitle": "Version d'évaluation technique", "xpack.securitySolution.rules.badge.readOnly.tooltip": "Impossible de créer, de modifier ou de supprimer des règles", "xpack.securitySolution.search.administration.endpoints": "Points de terminaison", "xpack.securitySolution.search.administration.eventFilters": "Filtres d'événements", @@ -28743,6 +30921,7 @@ "xpack.securitySolution.search.dashboards": "Tableaux de bord", "xpack.securitySolution.search.detect": "Détecter", "xpack.securitySolution.search.detectionAndResponse": "Détection et réponse", + "xpack.securitySolution.search.entityAnalytics": "Analyse des entités", "xpack.securitySolution.search.exceptions": "Listes d'exceptions", "xpack.securitySolution.search.explore": "Explorer", "xpack.securitySolution.search.getStarted": "Premiers pas", @@ -28756,7 +30935,9 @@ "xpack.securitySolution.search.kubernetes": "Kubernetes", "xpack.securitySolution.search.manage": "Gérer", "xpack.securitySolution.search.network": "Réseau", + "xpack.securitySolution.search.network.anomalies": "Anomalies", "xpack.securitySolution.search.network.dns": "DNS", + "xpack.securitySolution.search.network.events": "Événements", "xpack.securitySolution.search.network.http": "HTTP", "xpack.securitySolution.search.network.tls": "TLS", "xpack.securitySolution.search.overview": "Aperçu", @@ -28768,6 +30949,7 @@ "xpack.securitySolution.search.users.authentications": "Authentifications", "xpack.securitySolution.search.users.events": "Événements", "xpack.securitySolution.search.users.risk": "Risque de l'utilisateur", + "xpack.securitySolution.sections.actionForm.addResponseActionButtonLabel": "Ajouter une action de réponse", "xpack.securitySolution.sessionsView.columnEntrySourceIp": "IP source", "xpack.securitySolution.sessionsView.columnEntryType": "Type", "xpack.securitySolution.sessionsView.columnEntryUser": "Utilisateur", @@ -28775,8 +30957,13 @@ "xpack.securitySolution.sessionsView.columnHostName": "Nom d'hôte", "xpack.securitySolution.sessionsView.columnInteractive": "Interactif", "xpack.securitySolution.sessionsView.columnSessionStart": "Démarré", + "xpack.securitySolution.sessionsView.sessionsTitle": "Sessions", "xpack.securitySolution.sessionsView.singleCountOfSessions": "session", "xpack.securitySolution.sessionsView.totalCountOfSessions": "sessions", + "xpack.securitySolution.socTrends.properties.lockDatePickerDescription": "Verrouiller le sélecteur de date global sur le sélecteur de date de tendances SOC", + "xpack.securitySolution.socTrends.properties.lockDatePickerTooltip": "Désactiver la synchronisation de la plage de date/heure entre la page actuellement consultée et les tendances SOC", + "xpack.securitySolution.socTrends.properties.unlockDatePickerDescription": "Annuler le verrouillage du sélecteur de date global sur le sélecteur de date de tendances SOC", + "xpack.securitySolution.socTrends.properties.unlockDatePickerTooltip": "Activer la synchronisation de la plage de date/heure entre la page actuellement consultée et les tendances SOC", "xpack.securitySolution.source.destination.packetsLabel": "pkts", "xpack.securitySolution.sourcerer.disabled": "Les mises à jour apportées à la vue de données requièrent l'actualisation de la page pour pouvoir prendre effet.", "xpack.securitySolution.sourcerer.error.title": "Erreur lors de la mise à jour de la vue de données Security", @@ -28825,6 +31012,7 @@ "xpack.securitySolution.system.withExitCodeDescription": "avec le code de sortie", "xpack.securitySolution.system.withResultDescription": "avec le résultat", "xpack.securitySolution.tables.rowItemHelper.moreDescription": "plus non affiché", + "xpack.securitySolution.threatIntelligence.investigateInTimelineTitle": "Investiguer dans la chronologie", "xpack.securitySolution.threatMatch.andDescription": "AND", "xpack.securitySolution.threatMatch.fieldDescription": "Champ", "xpack.securitySolution.threatMatch.fieldPlaceholderDescription": "Rechercher", @@ -28888,6 +31076,7 @@ "xpack.securitySolution.timeline.expandableEvent.closeEventDetailsLabel": "fermer", "xpack.securitySolution.timeline.expandableEvent.eventTitleLabel": "Détails de l'événement", "xpack.securitySolution.timeline.expandableEvent.messageTitle": "Message", + "xpack.securitySolution.timeline.expandableEvent.openAlertDetails": "Ouvrir la page de détails de l'alerte", "xpack.securitySolution.timeline.expandableEvent.placeholder": "Sélectionner un événement pour afficher ses détails", "xpack.securitySolution.timeline.failDescription": "Une erreur s'est produite", "xpack.securitySolution.timeline.failSearchDescription": "Impossible de lancer la recherche", @@ -28915,6 +31104,7 @@ "xpack.securitySolution.timeline.properties.addTimelineButtonLabel": "Ajouter une nouvelle chronologie ou un nouveau modèle", "xpack.securitySolution.timeline.properties.addToFavoriteButtonLabel": "Ajouter aux favoris", "xpack.securitySolution.timeline.properties.attachToCaseButtonLabel": "Attacher à un cas", + "xpack.securitySolution.timeline.properties.attachToExistingCaseButtonLabel": "Attacher à un cas existant", "xpack.securitySolution.timeline.properties.attachToNewCaseButtonLabel": "Attacher au nouveau cas", "xpack.securitySolution.timeline.properties.autosavedLabel": "Enregistré automatiquement", "xpack.securitySolution.timeline.properties.descriptionPlaceholder": "Ajouter une description", @@ -28997,7 +31187,7 @@ "xpack.securitySolution.toggleQuery.off": "Fermé", "xpack.securitySolution.toggleQuery.on": "Ouvrir", "xpack.securitySolution.topN.alertEventsSelectLabel": "Alertes de détection", - "xpack.securitySolution.topN.allEventsSelectLabel": "Tous les événements", + "xpack.securitySolution.topN.allEventsSelectLabel": "Alertes et événements", "xpack.securitySolution.topN.closeButtonLabel": "Fermer", "xpack.securitySolution.topN.rawEventsSelectLabel": "Événements bruts", "xpack.securitySolution.trustedApps.assignmentSectionDescription": "Affectez cette application de confiance globalement à toutes les politiques, ou de façon spécifique à certaines politiques.", @@ -29012,8 +31202,11 @@ "xpack.securitySolution.trustedapps.create.nameRequiredMsg": "Le nom est obligatoire", "xpack.securitySolution.trustedapps.create.osRequiredMsg": "Le système d'exploitation est requis", "xpack.securitySolution.trustedApps.details.header": "Détails", - "xpack.securitySolution.trustedApps.details.header.description": "Les applications de confiance améliorent les performances ou réduisent les conflits avec les autres applications en cours d'exécution sur vos hôtes.", - "xpack.securitySolution.trustedApps.emptyStateInfo": "Ajoutez une application de confiance pour améliorer les performances ou réduire les conflits avec d'autres applications en cours d'exécution sur vos hôtes.", + "xpack.securitySolution.trustedApps.details.header.description": "Ajoutez une application de confiance pour améliorer les performances ou réduire les conflits avec d'autres applications en cours d'exécution sur vos hôtes. Les applications de confiance peuvent toujours générer des alertes dans certains cas.", + "xpack.securitySolution.trustedApps.docsLinkInfoEnd": " à la place.", + "xpack.securitySolution.trustedApps.docsLinkInfoStart": "Vous avez trop d'alertes ? Ajoutez une ", + "xpack.securitySolution.trustedApps.docsLinkText": "exception d'alerte de point de terminaison", + "xpack.securitySolution.trustedApps.emptyStateInfo": "Ajoutez une application de confiance pour améliorer les performances ou réduire les conflits avec d'autres applications en cours d'exécution sur vos hôtes. Les applications de confiance peuvent toujours générer des alertes dans certains cas.", "xpack.securitySolution.trustedApps.emptyStatePrimaryButtonLabel": "Ajouter une application de confiance", "xpack.securitySolution.trustedApps.emptyStateTitle": "Ajouter votre première application de confiance", "xpack.securitySolution.trustedApps.flyoutCreateSubmitButtonLabel": "Ajouter une application de confiance", @@ -29035,7 +31228,7 @@ "xpack.securitySolution.trustedapps.logicalConditionBuilder.noEntries": "Aucune condition définie", "xpack.securitySolution.trustedApps.name.label": "Nom", "xpack.securitySolution.trustedApps.os.label": "Sélectionner un système d'exploitation", - "xpack.securitySolution.trustedApps.pageAboutInfo": "Les applications de confiance améliorent les performances ou réduisent les conflits avec les autres applications en cours d'exécution sur vos hôtes.", + "xpack.securitySolution.trustedApps.pageAboutInfo": "Ajoutez une application de confiance pour améliorer les performances ou réduire les conflits avec d'autres applications en cours d'exécution sur vos hôtes. Les applications de confiance peuvent toujours générer des alertes dans certains cas.", "xpack.securitySolution.trustedApps.pageAddButtonTitle": "Ajouter une application de confiance", "xpack.securitySolution.trustedApps.pageTitle": "Applications de confiance", "xpack.securitySolution.trustedApps.searchPlaceholderInfo": "Rechercher sur les champs ci-dessous : nom, description, valeur", @@ -29098,17 +31291,22 @@ "xpack.securitySolution.usersRiskTable.userRiskToolTip": "La classification des risques de l'utilisateur est déterminée par score de risque de l'utilisateur. Les utilisateurs classés comme étant Critique ou Élevé sont indiqués comme étant \"à risque\".", "xpack.securitySolution.usersTable.domainTitle": "Domaine", "xpack.securitySolution.usersTable.lastSeenTitle": "Vu en dernier", + "xpack.securitySolution.usersTable.riskTitle": "Classification de risque de l'utilisateur", "xpack.securitySolution.usersTable.title": "Utilisateurs", "xpack.securitySolution.usersTable.userNameTitle": "Nom d'utilisateur", + "xpack.securitySolution.usersTable.userRiskToolTip": "La classification des risques de l'utilisateur est déterminée par score de risque de l'utilisateur. Les utilisateurs classés comme étant Critique ou Élevé sont indiqués comme étant \"à risque\".", "xpack.securitySolution.userTab.errorFetchingsData": "Impossible d'interroger les données des utilisateurs", "xpack.securitySolution.visualizationActions.addToCaseSuccessContent": "Visualisation correctement ajoutée au cas", "xpack.securitySolution.visualizationActions.addToExistingCase": "Ajouter à un cas existant", "xpack.securitySolution.visualizationActions.addToNewCase": "Ajouter au nouveau cas", + "xpack.securitySolution.visualizationActions.countLabel": "Nombre d'enregistrements", "xpack.securitySolution.visualizationActions.inspect": "Inspecter", "xpack.securitySolution.visualizationActions.moreActions": "Plus d'actions", "xpack.securitySolution.visualizationActions.openInLens": "Ouvrir dans Lens", "xpack.securitySolution.visualizationActions.uniqueIps.destinationChartLabel": "Dest.", "xpack.securitySolution.visualizationActions.uniqueIps.sourceChartLabel": "Src.", + "xpack.securitySolution.visualizationActions.userAuthentications.authentication.failureChartLabel": "Échec", + "xpack.securitySolution.visualizationActions.userAuthentications.authentication.successChartLabel": "Réussite", "xpack.securitySolution.visualizationActions.userAuthentications.failChartLabel": "Échec", "xpack.securitySolution.visualizationActions.userAuthentications.successChartLabel": "Succ.", "xpack.securitySolution.zeek.othDescription": "Pas de SYN vu, juste le trafic à mi-chemin", @@ -29124,10 +31322,20 @@ "xpack.securitySolution.zeek.sfDescription": "Finalisation SYN/FIN normale", "xpack.securitySolution.zeek.shDescription": "L'initiateur a envoyé un SYN suivi d'un FIN, pas de SYN ACK de la part de l'équipe de réponse", "xpack.securitySolution.zeek.shrDescription": "L'équipe de réponse a envoyé un SYN ACK suivi d'un FIN, pas de SYN de la part de l'initiateur", + "xpack.sessionView.alertFilteredCountStatusLabel": " Affichage de {count} alertes", + "xpack.sessionView.alertTotalCountStatusLabel": "Affichage de {count} alertes", "xpack.sessionView.processTree.loadMore": "Afficher les {pageSize} événements suivants", "xpack.sessionView.processTree.loadPrevious": "Afficher les {pageSize} événements précédents", "xpack.sessionView.processTreeLoadMoreButton": " (reste {count})", "xpack.sessionView.alert": "Alerte", + "xpack.sessionView.alertDetailsAllFilterItem": "Afficher toutes les alertes", + "xpack.sessionView.alertDetailsAllSelectedCategory": "Afficher : toutes les alertes", + "xpack.sessionView.alertDetailsFileFilterItem": "Afficher les alertes de fichier", + "xpack.sessionView.alertDetailsFileSelectedCategory": "Afficher : alertes de fichier", + "xpack.sessionView.alertDetailsNetworkFilterItem": "Afficher les alertes réseau", + "xpack.sessionView.alertDetailsNetworkSelectedCategory": "Afficher : alertes réseau", + "xpack.sessionView.alertDetailsProcessFilterItem": "Afficher les alertes de processus", + "xpack.sessionView.alertDetailsProcessSelectedCategory": "Afficher : alertes de processus", "xpack.sessionView.alertDetailsTab.groupView": "Vue Groupe", "xpack.sessionView.alertDetailsTab.listView": "Vue Liste", "xpack.sessionView.alertDetailsTab.toggleViewMode": "Basculer le mode d'aperçu", @@ -29136,6 +31344,7 @@ "xpack.sessionView.backToInvestigatedAlert": "Retour à l'alerte examinée", "xpack.sessionView.beta": "Bêta", "xpack.sessionView.childProcesses": "Processus enfants", + "xpack.sessionView.detailPanel": "Panneau de détails", "xpack.sessionView.detailPanel.entryLeaderTooltip": "Processus meneur de session associé au terminal initial ou à l'accès à distance via SSH, SSM et d'autres protocoles d'accès à distance. Les sessions d'entrée sont également utilisées pour représenter un service démarré directement par le processus init. Dans de nombreux cas, cela équivaut à session_leader.", "xpack.sessionView.detailPanel.processGroupLeaderTooltip": "Meneur de groupe de processus du processus actuel.", "xpack.sessionView.detailPanel.processParentTooltip": "Parent direct du processus actuel.", @@ -29154,16 +31363,23 @@ "xpack.sessionView.emptyDataTitle": "Aucune donnée à rendre", "xpack.sessionView.errorHeading": "Erreur lors du chargement de la vue de session", "xpack.sessionView.errorMessage": "Une erreur s'est produite lors du chargement de la vue de session.", - "xpack.sessionView.execUserChange": "Exec user change: ", + "xpack.sessionView.execUserChange": "Exec user change", + "xpack.sessionView.fileTooltip": "Alerte de fichier", "xpack.sessionView.loadingProcessTree": "Chargement de la session…", "xpack.sessionView.metadataDetailsTab.cloud": "Cloud", "xpack.sessionView.metadataDetailsTab.container": "Conteneur", "xpack.sessionView.metadataDetailsTab.host": "Système d'exploitation de l'hôte", "xpack.sessionView.metadataDetailsTab.metadata": "Métadonnées", "xpack.sessionView.metadataDetailsTab.orchestrator": "Orchestrateur", + "xpack.sessionView.networkTooltip": "Alerte réseau", + "xpack.sessionView.output": "Sortie", + "xpack.sessionView.processDataLimitExceededEnd": "Reportez-vous à \"max_kilobytes_per_process\" dans la configuration de politique avancée.", + "xpack.sessionView.processDataLimitExceededStart": "Limite de données atteinte pour", "xpack.sessionView.processNode.tooltipExec": "Processus exécuté", "xpack.sessionView.processNode.tooltipFork": "Processus ramifié (pas d'exéc.)", "xpack.sessionView.processNode.tooltipOrphan": "Parent manquant pour le processus (orphelin)", + "xpack.sessionView.processTooltip": "Alerte de processus", + "xpack.sessionView.refreshSession": "Actualiser la session", "xpack.sessionView.searchBar.searchBarKeyPlaceholder": "Rechercher...", "xpack.sessionView.searchBar.searchBarNoResults": "Aucun résultat", "xpack.sessionView.sessionViewToggle.sessionViewToggleOptionsTimestamp": "Horodatage", @@ -29173,6 +31389,19 @@ "xpack.sessionView.sessionViewToggle.sessionViewVerboseTipContent": "Pour un ensemble de résultats complet, activez le mode détaillé.", "xpack.sessionView.sessionViewToggle.sessionViewVerboseTipTitle": "Certains résultats peuvent être masqués", "xpack.sessionView.startedBy": "démarré par", + "xpack.sessionView.toggleTTYPlayer": "Basculer le lecteur TTY", + "xpack.sessionView.ttyEnd": "Fin", + "xpack.sessionView.ttyNext": "Suivant", + "xpack.sessionView.ttyPause": "Pause", + "xpack.sessionView.ttyPlay": "Lecture", + "xpack.sessionView.ttyPrevious": "Préc.", + "xpack.sessionView.ttyStart": "Début", + "xpack.sessionView.ttyToggleTip": " de sortie TTY", + "xpack.sessionView.ttyViewInSession": "Afficher dans la session", + "xpack.sessionView.viewPoliciesLink": "AFFICHER LES POLITIQUES", + "xpack.sessionView.zoomFit": "Ajuster à l'écran", + "xpack.sessionView.zoomIn": "Zoom avant", + "xpack.sessionView.zoomOut": "Zoom arrière", "xpack.snapshotRestore.app.deniedPrivilegeDescription": "Pour utiliser Snapshot et restauration, vous devez posséder {privilegesCount, plural, one {ce privilège de cluster} other {ces privilèges de cluster}} : {missingPrivileges}.", "xpack.snapshotRestore.dataStreamsList.dataStreamsCollapseAllLink": "Masquer {count, plural, other {# flux de données}}", "xpack.snapshotRestore.dataStreamsList.dataStreamsExpandAllLink": "Afficher {count, plural, other {# flux de données}}", @@ -29381,7 +31610,7 @@ "xpack.snapshotRestore.policyDetails.snapshotNameLabel": "Nom du snapshot", "xpack.snapshotRestore.policyDetails.snapshotsDeletedStat": "Supprimé", "xpack.snapshotRestore.policyDetails.snapshotsFailedStat": "Échecs", - "xpack.snapshotRestore.policyDetails.snapshotsTakenStat": "Snapshots", + "xpack.snapshotRestore.policyDetails.snapshotsTakenStat": "Snapshots pris", "xpack.snapshotRestore.policyDetails.summaryTabTitle": "Résumé", "xpack.snapshotRestore.policyDetails.versionLabel": "Version", "xpack.snapshotRestore.policyForm.addRepositoryButtonLabel": "Enregistrer un référentiel", @@ -29971,6 +32200,7 @@ "xpack.spaces.management.spacesGridPage.deleteActionName": "Supprimer {spaceName}.", "xpack.spaces.management.spacesGridPage.editSpaceActionName": "Modifier {spaceName}.", "xpack.spaces.management.spacesGridPage.someFeaturesEnabled": "{enabledFeatureCount} fonctionnalités visibles / {totalFeatureCount}", + "xpack.spaces.navControl.popover.spaceNavigationDetails": "{space} est l'espace actuellement sélectionné. Cliquez sur ce bouton pour ouvrir une fenêtre contextuelle qui vous permettra de sélectionner l'espace actif.", "xpack.spaces.redirectLegacyUrlToast.text": "Le {objectNoun} que vous recherchez possède un nouvel emplacement. Utilisez cette URL à partir de maintenant.", "xpack.spaces.shareToSpace.aliasTableCalloutBody": "{aliasesToDisableCount, plural, one {# URL existante sera désactivée} other {# URL existantes seront désactivées}}.", "xpack.spaces.shareToSpace.flyoutTitle": "Partager {objectNoun} dans les espaces", @@ -30128,9 +32358,12 @@ "xpack.spaces.management.validateSpace.urlIdentifierAllowedCharactersErrorMessage": "L'identificateur d'URL peut contenir uniquement les caractères de a à z, de 0 à 9, et \"_\" et \"-\".", "xpack.spaces.management.validateSpace.urlIdentifierRequiredErrorMessage": "Entrez un identificateur d'URL.", "xpack.spaces.manageSpacesButton.manageSpacesButtonLabel": "Gérer les espaces", + "xpack.spaces.navControl.loadingMessage": "Chargement...", + "xpack.spaces.navControl.popover.spacesNavigationLabel": "Navigation dans les espaces", "xpack.spaces.navControl.spacesMenu.changeCurrentSpaceTitle": "Modifier l'espace en cours", "xpack.spaces.navControl.spacesMenu.findSpacePlaceholder": "Rechercher un espace", "xpack.spaces.navControl.spacesMenu.noSpacesFoundTitle": " aucun espace trouvé ", + "xpack.spaces.navControl.spacesMenu.selectSpacesTitle": "Vos espaces", "xpack.spaces.redirectLegacyUrlToast.title": "Nous vous avons redirigé vers une nouvelle URL", "xpack.spaces.shareToSpace.aliasTableCalloutTitle": "Conflit d'URL existantes", "xpack.spaces.shareToSpace.allSpacesTarget": "tous les espaces", @@ -30178,6 +32411,7 @@ "xpack.stackAlerts.esQuery.invalidWindowSizeErrorMessage": "format non valide pour windowSize : \"{windowValue}\"", "xpack.stackAlerts.esQuery.ui.numQueryMatchesText": "La recherche correspond à {count} documents dans le/la/les dernier(s)/dernière(s) {window}.", "xpack.stackAlerts.esQuery.ui.queryError": "Erreur lors du test de la recherche : {message}", + "xpack.stackAlerts.esQuery.ui.thresholdHelp.duplicateMatches": "Si {excludePrevious} est activé, un document qui correspond à la requête dans plusieurs exécutions sera utilisé dans le premier calcul du seuil uniquement.", "xpack.stackAlerts.esQuery.ui.thresholdHelp.timeWindow": "Cette fenêtre indique jusqu'où la recherche doit revenir en arrière. Pour éviter des lacunes dans la détection, définissez une valeur supérieure ou égale à la valeur que vous choisissez pour le champ {checkField}.", "xpack.stackAlerts.esQuery.ui.validation.error.invalidSizeRangeText": "La taille doit être comprise entre 0 et {max, number}.", "xpack.stackAlerts.geoContainment.noGeoFieldInIndexPattern.message": "La vue de données ne contient aucun champ géospatial autorisé. Il doit en contenir un de type {geoFields}.", @@ -30224,6 +32458,7 @@ "xpack.stackAlerts.esQuery.ui.copyQuery": "Copier la requête", "xpack.stackAlerts.esQuery.ui.defineQueryPrompt": "Définir votre requête à l'aide de Query DSL", "xpack.stackAlerts.esQuery.ui.defineTextQueryPrompt": "Définir votre requête", + "xpack.stackAlerts.esQuery.ui.excludePreviousHitsExpression": "Exclure les correspondances des précédentes exécutions", "xpack.stackAlerts.esQuery.ui.queryCopiedToClipboard": "Copié", "xpack.stackAlerts.esQuery.ui.queryEditor": "Éditeur de recherche Elasticsearch", "xpack.stackAlerts.esQuery.ui.queryPrompt.help": "Documentation DSL sur la recherche Elasticsearch", @@ -30246,6 +32481,7 @@ "xpack.stackAlerts.esQuery.ui.validation.error.greaterThenThreshold0Text": "Seuil 1 doit être supérieur à Seuil 0.", "xpack.stackAlerts.esQuery.ui.validation.error.jsonQueryText": "La recherche doit être au format JSON valide.", "xpack.stackAlerts.esQuery.ui.validation.error.requiredDataViewText": "La vue de données est requise.", + "xpack.stackAlerts.esQuery.ui.validation.error.requiredDataViewTimeFieldText": "La vue de données doit posséder un champ temporel.", "xpack.stackAlerts.esQuery.ui.validation.error.requiredEsQueryText": "Le champ de recherche est requis.", "xpack.stackAlerts.esQuery.ui.validation.error.requiredIndexText": "L'index est requis.", "xpack.stackAlerts.esQuery.ui.validation.error.requiredQueryText": "La recherche Elasticsearch est requise.", @@ -30312,9 +32548,12 @@ "xpack.stackAlerts.threshold.ui.alertType.defaultActionMessage": "l'alerte \"\\{\\{alertName\\}\\}\" est active pour le groupe \"\\{\\{context.group\\}\\}\" :\n\n- Valeur : \\{\\{context.value\\}\\}\n- Conditions remplies : \\{\\{context.conditions\\}\\} sur \\{\\{params.timeWindowSize\\}\\}\\{\\{params.timeWindowUnit\\}\\}\n- Horodatage : \\{\\{context.date\\}\\}", "xpack.stackAlerts.threshold.ui.alertType.descriptionText": "Alerte lorsqu'une recherche agrégée atteint le seuil.", "xpack.stackAlerts.threshold.ui.conditionPrompt": "Définir la condition", + "xpack.stackAlerts.threshold.ui.filterKQLHelpText": "Utilisez une expression KQL pour limiter la portée de votre déclenchement d'alerte.", + "xpack.stackAlerts.threshold.ui.filterTitle": "Filtre (facultatif)", "xpack.stackAlerts.threshold.ui.previewAlertVisualizationDescription": "Complétez l'expression pour générer un aperçu.", "xpack.stackAlerts.threshold.ui.selectIndex": "Sélectionner un index", "xpack.stackAlerts.threshold.ui.validation.error.greaterThenThreshold0Text": "Threshold1 doit être supérieur à Threshold0.", + "xpack.stackAlerts.threshold.ui.validation.error.invalidKql": "La requête de filtre n'est pas valide.", "xpack.stackAlerts.threshold.ui.validation.error.requiredAggFieldText": "Le champ d'agrégation est requis.", "xpack.stackAlerts.threshold.ui.validation.error.requiredIndexText": "L'index est requis.", "xpack.stackAlerts.threshold.ui.validation.error.requiredTermFieldText": "Le champ de terme est requis.", @@ -30327,6 +32566,556 @@ "xpack.stackAlerts.threshold.ui.visualization.loadingAlertVisualizationDescription": "Chargement de la visualisation de l'alerte…", "xpack.stackAlerts.threshold.ui.visualization.thresholdPreviewChart.dataDoesNotExistTextMessage": "Assurez-vous que la plage temporelle et les filtres sont corrects.", "xpack.stackAlerts.threshold.ui.visualization.thresholdPreviewChart.noDataTitle": "Aucune donnée ne correspond à cette recherche", + "xpack.stackConnectors.casesWebhook.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", + "xpack.stackConnectors.casesWebhook.configurationError": "erreur lors de la configuration de l'action webhook des cas : {err}", + "xpack.stackConnectors.casesWebhook.configurationErrorNoHostname": "erreur lors de la configuration de l'action webhook des cas : impossible d'analyser l'url {url} : {err}", + "xpack.stackConnectors.components.casesWebhook.error.missingVariables": "{variableCount, plural, one {Variable obligatoire manquante} other {Variables obligatoires manquantes}} : {variables}", + "xpack.stackConnectors.components.email.error.invalidEmail": "L'adresse e-mail {email} n'est pas valide.", + "xpack.stackConnectors.components.email.error.notAllowed": "L'adresse e-mail {email} n'est pas autorisée.", + "xpack.stackConnectors.components.index.error.badIndexOverrideValue": "L'index d'historique d'alertes doit commencer par \"{alertHistoryPrefix}\".", + "xpack.stackConnectors.components.index.preconfiguredIndexHelpText": "Les documents sont indexés dans l'index {alertHistoryIndex}. ", + "xpack.stackConnectors.components.jira.unableToGetIssueMessage": "Impossible d'obtenir le problème ayant l'ID {id}", + "xpack.stackConnectors.components.opsgenie.apiKeyDocumentation": "Clé d'authentification de l'API Opsgenie pour l'authentification HTTP de base. Pour plus de détails sur la génération de clés de l'API Opsgenie, reportez-vous à la {opsgenieAPIKeyDocs}.", + "xpack.stackConnectors.components.opsgenie.apiUrlDocumentation": "L'URL Opsgenie. Pour plus d'informations sur l'URL, reportez-vous à la {opsgenieAPIUrlDocs}.", + "xpack.stackConnectors.components.pagerDuty.error.invalidTimestamp": "L'horodatage doit être une date valide, telle que {nowShortFormat} ou {nowLongFormat}.", + "xpack.stackConnectors.components.serviceNow.apiInfoError": "Statut reçu : {status} lors de la tentative d'obtention d'informations sur l'application", + "xpack.stackConnectors.components.serviceNow.apiUrlHelpLabel": "Fournissez l'URL complète vers l'instance ServiceNow souhaitée. Si vous n'en avez pas, {instance}.", + "xpack.stackConnectors.components.serviceNow.appInstallationInfo": "{update} {create} ", + "xpack.stackConnectors.components.serviceNow.appRunning": "L'application Elastic de l'app store ServiceNow doit être installée avant d'exécuter la mise à jour. {visitLink} pour installer l'application", + "xpack.stackConnectors.components.serviceNow.updateSuccessToastTitle": "Connecteur {connectorName} mis à jour", + "xpack.stackConnectors.components.swimlane.unableToGetApplicationMessage": "Impossible d'obtenir l'application avec l'ID {id}", + "xpack.stackConnectors.email.customViewInKibanaMessage": "Ce message a été envoyé par Kibana. [{kibanaFooterLinkText}]({link}).", + "xpack.stackConnectors.jira.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", + "xpack.stackConnectors.pagerduty.configurationError": "erreur lors de la configuration de l'action pagerduty : {message}", + "xpack.stackConnectors.pagerduty.invalidTimestampErrorMessage": "erreur lors de l'analyse de l'horodatage \"{timestamp}\"", + "xpack.stackConnectors.pagerduty.missingDedupkeyErrorMessage": "DedupKey est requis lorsque eventAction est \"{eventAction}\"", + "xpack.stackConnectors.pagerduty.postingRetryErrorMessage": "erreur lors de la publication de l'événement pagerduty : statut http {status}, réessayer ultérieurement", + "xpack.stackConnectors.pagerduty.postingUnexpectedErrorMessage": "erreur lors de la publication de l'événement pagerduty : statut inattendu {status}", + "xpack.stackConnectors.pagerduty.timestampParsingFailedErrorMessage": "erreur lors de l'analyse de l'horodatage \"{timestamp}\" : {message}", + "xpack.stackConnectors.resilient.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", + "xpack.stackConnectors.security.tines.params.webhookUrlFallbackText": "Impossible de récupérer plus de {limit} résultats à partir de l'API de {entity} Tines. Si votre {entity} n'apparaît pas dans la liste, veuillez remplir l'URL Webhook ci-dessous", + "xpack.stackConnectors.serviceNow.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", + "xpack.stackConnectors.serviceNow.configuration.apiValidateMissingOAuthFieldError": "{field} doit être fourni quand isOAuth = {isOAuth}", + "xpack.stackConnectors.serviceNow.configuration.apiValidateOAuthFieldError": "{field} ne doit pas être fourni quand isOAuth = {isOAuth}", + "xpack.stackConnectors.slack.configurationError": "erreur lors de la configuration de l'action slack : {message}", + "xpack.stackConnectors.slack.errorPostingRetryDateErrorMessage": "erreur lors de la publication d'un message slack, réessayer à cette date/heure : {retryString}", + "xpack.stackConnectors.slack.unexpectedHttpResponseErrorMessage": "réponse http inattendue de Slack : {httpStatus} {httpStatusText}", + "xpack.stackConnectors.swimlane.configuration.apiAllowedHostsError": "erreur lors de la configuration de l'action du connecteur : {message}", + "xpack.stackConnectors.teams.configurationError": "erreur lors de la configuration de l'action teams : {message}", + "xpack.stackConnectors.teams.errorPostingRetryDateErrorMessage": "erreur lors de la publication d'un message Microsoft Teams, réessayer à cette date/heure : {retryString}", + "xpack.stackConnectors.webhook.configurationError": "erreur lors de la configuration de l'action webhook : {message}", + "xpack.stackConnectors.webhook.configurationErrorNoHostname": "erreur lors de la configuration de l'action webhook : impossible d'analyser l'url : {err}", + "xpack.stackConnectors.webhook.invalidResponseRetryDateErrorMessage": "erreur lors de l'appel de webhook, réessayer à cette date/heure : {retryString}", + "xpack.stackConnectors.xmatters.configurationError": "Erreur lors de la configuration de l'action xMatters : {message}", + "xpack.stackConnectors.xmatters.configurationErrorNoHostname": "Erreur lors de la configuration de l'action xMatters : impossible d'analyser l'url : {err}", + "xpack.stackConnectors.xmatters.hostnameNotAllowed": "{message}", + "xpack.stackConnectors.xmatters.invalidUrlError": "secretsUrl non valide : {err}", + "xpack.stackConnectors.xmatters.postingRetryErrorMessage": "Erreur lors du déclenchement du flux xMatters : statut http {status}, réessayer plus tard", + "xpack.stackConnectors.xmatters.unexpectedStatusErrorMessage": "Erreur de déclenchement du flux xMatters : statut inattendu {status}", + "xpack.stackConnectors.casesWebhook.invalidUsernamePassword": "l'utilisateur et le mot de passe doivent être spécifiés", + "xpack.stackConnectors.casesWebhook.title": "Webhook - Gestion des cas", + "xpack.stackConnectors.components.casesWebhook.addHeaderButton": "Ajouter", + "xpack.stackConnectors.components.casesWebhook.addVariable": "Ajouter une variable", + "xpack.stackConnectors.components.casesWebhook.authenticationLabel": "Authentification", + "xpack.stackConnectors.components.casesWebhook.caseCommentDesc": "Commentaire de cas Kibana", + "xpack.stackConnectors.components.casesWebhook.caseDescriptionDesc": "Description de cas Kibana", + "xpack.stackConnectors.components.casesWebhook.caseTagsDesc": "Balises de cas Kibana", + "xpack.stackConnectors.components.casesWebhook.caseTitleDesc": "Titre de cas Kibana", + "xpack.stackConnectors.components.casesWebhook.commentsTextAreaFieldLabel": "Commentaires supplémentaires", + "xpack.stackConnectors.components.casesWebhook.createCommentJsonHelp": "Objet JSON pour créer un commentaire. Utilisez le sélecteur de variable pour ajouter des données de cas à la charge de travail.", + "xpack.stackConnectors.components.casesWebhook.createCommentJsonTextFieldLabel": "Objet de création de commentaire", + "xpack.stackConnectors.components.casesWebhook.createCommentMethodTextFieldLabel": "Méthode de création de commentaire", + "xpack.stackConnectors.components.casesWebhook.createCommentUrlHelp": "URL de l'API pour ajouter un commentaire au cas.", + "xpack.stackConnectors.components.casesWebhook.createCommentUrlTextFieldLabel": "URL de création de commentaire", + "xpack.stackConnectors.components.casesWebhook.createCommentWarningDesc": "Configurez les champs Create Comment URL et Create Comment Objects pour que le connecteur puisse partager les commentaires.", + "xpack.stackConnectors.components.casesWebhook.createCommentWarningTitle": "Impossible de partager les commentaires du cas", + "xpack.stackConnectors.components.casesWebhook.createIncidentJsonHelpText": "Objet JSON pour créer un cas. Utilisez le sélecteur de variable pour ajouter des données de cas à la charge de travail.", + "xpack.stackConnectors.components.casesWebhook.createIncidentJsonTextFieldLabel": "Objet de création de cas", + "xpack.stackConnectors.components.casesWebhook.createIncidentMethodTextFieldLabel": "Méthode de création de cas", + "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyHelpText": "Clé JSON dans la réponse de création de cas qui contient l'ID de cas externe", + "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyTextFieldLabel": "Clé de cas pour la réponse de création de cas", + "xpack.stackConnectors.components.casesWebhook.createIncidentUrlTextFieldLabel": "URL de création de cas", + "xpack.stackConnectors.components.casesWebhook.deleteHeaderButton": "Supprimer", + "xpack.stackConnectors.components.casesWebhook.descriptionTextAreaFieldLabel": "Description", + "xpack.stackConnectors.components.casesWebhook.docLink": "Configuration de Webhook - Connecteur de gestion des cas.", + "xpack.stackConnectors.components.casesWebhook.error.requiredAuthUserNameText": "Le nom d'utilisateur est requis.", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentIncidentText": "L'objet de création de commentaire doit être un JSON valide.", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentMethodText": "La méthode de création de commentaire est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentUrlText": "L'URL de création de commentaire doit être au format URL.", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentResponseKeyText": "La clé d’ID de cas pour la réponse de création de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentText": "L'objet de création de cas est requis et doit être un JSON valide.", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateMethodText": "La méthode de création de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateUrlText": "L'URL de création de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseCreatedKeyText": "La clé de date de création de la réponse d’obtention de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseExternalTitleKeyText": "La clé de titre du cas externe pour la réponse d’obtention de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseUpdatedKeyText": "La clé de date de mise à jour de la réponse d’obtention de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentUrlText": "L'URL d'obtention de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentViewUrlKeyText": "L'URL de visualisation du cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateIncidentText": "L'objet de mise à jour de cas est requis et doit être un JSON valide.", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateMethodText": "La méthode de mise à jour du cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateUrlText": "L'URL de mise à jour de cas est requise.", + "xpack.stackConnectors.components.casesWebhook.error.requiredWebhookSummaryText": "Le titre est requis.", + "xpack.stackConnectors.components.casesWebhook.externalIdDesc": "ID du système externe", + "xpack.stackConnectors.components.casesWebhook.externalTitleDesc": "Titre du système externe", + "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyHelp": "Clé JSON dans la réponse d’obtention de cas qui contient le titre de cas externe", + "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyTextFieldLabel": "Clé de titre externe pour la réponse d’obtention de cas", + "xpack.stackConnectors.components.casesWebhook.getIncidentUrlHelp": "URL d’API pour le JSON de détails d’obtention de cas provenant d’un système externe. Utilisez le sélecteur de variable pour ajouter à l’URL l'ID du système externe.", + "xpack.stackConnectors.components.casesWebhook.getIncidentUrlTextFieldLabel": "URL d’obtention de cas", + "xpack.stackConnectors.components.casesWebhook.hasAuthSwitchLabel": "Demander une authentification pour ce webhook", + "xpack.stackConnectors.components.casesWebhook.httpHeadersTitle": "En-têtes utilisés", + "xpack.stackConnectors.components.casesWebhook.jsonCodeEditorAriaLabel": "Éditeur de code", + "xpack.stackConnectors.components.casesWebhook.jsonFieldLabel": "JSON", + "xpack.stackConnectors.components.casesWebhook.keyTextFieldLabel": "Clé", + "xpack.stackConnectors.components.casesWebhook.next": "Suivant", + "xpack.stackConnectors.components.casesWebhook.passwordTextFieldLabel": "Mot de passe", + "xpack.stackConnectors.components.casesWebhook.previous": "Précédent", + "xpack.stackConnectors.components.casesWebhook.selectMessageText": "Envoyer une requête à un service web de gestion de cas.", + "xpack.stackConnectors.components.casesWebhook.step1": "Configurer le connecteur", + "xpack.stackConnectors.components.casesWebhook.step2": "Créer un cas", + "xpack.stackConnectors.components.casesWebhook.step2Description": "Définissez les champs pour créer le cas dans le système externe. Consultez la documentation de l'API de votre service pour savoir quels sont les champs obligatoires", + "xpack.stackConnectors.components.casesWebhook.step3": "Informations sur l’obtention de cas", + "xpack.stackConnectors.components.casesWebhook.step3Description": "Définissez les champs pour ajouter des commentaires au cas dans le système externe. Pour certains systèmes, cela peut être la même méthode que pour la création de mises à jour dans les cas. Consultez la documentation de l'API de votre service pour savoir quels sont les champs obligatoires.", + "xpack.stackConnectors.components.casesWebhook.step4": "Commentaires et mises à jour", + "xpack.stackConnectors.components.casesWebhook.step4a": "Créer une mise à jour dans le cas", + "xpack.stackConnectors.components.casesWebhook.step4aDescription": "Définissez les champs pour créer des mises à jour du cas dans le système externe. Pour certains systèmes, cela peut être la même méthode que pour l’ajout de commentaires aux cas.", + "xpack.stackConnectors.components.casesWebhook.step4b": "Ajouter un commentaire dans le cas", + "xpack.stackConnectors.components.casesWebhook.step4bDescription": "Définissez les champs pour ajouter des commentaires au cas dans le système externe. Pour certains systèmes, cela peut être la même méthode que pour la création de mises à jour dans les cas.", + "xpack.stackConnectors.components.casesWebhook.tagsFieldLabel": "Balises", + "xpack.stackConnectors.components.casesWebhook.titleFieldLabel": "Résumé (requis)", + "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonHelpl": "Objet JSON pour mettre à jour le cas. Utilisez le sélecteur de variable pour ajouter des données de cas à la charge de travail.", + "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonTextFieldLabel": "Objet de mise à jour de cas", + "xpack.stackConnectors.components.casesWebhook.updateIncidentMethodTextFieldLabel": "Méthode de mise à jour de cas", + "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlHelp": "URL d’API pour mettre à jour le cas.", + "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlTextFieldLabel": "URL de mise à jour du cas", + "xpack.stackConnectors.components.casesWebhook.userTextFieldLabel": "Nom d'utilisateur", + "xpack.stackConnectors.components.casesWebhook.valueTextFieldLabel": "Valeur", + "xpack.stackConnectors.components.casesWebhook.viewHeadersSwitch": "Ajouter un en-tête HTTP", + "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlHelp": "URL pour voir le cas dans le système externe. Utilisez le sélecteur de variable pour ajouter à l’URL l'ID ou le titre du système externe.", + "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlTextFieldLabel": "URL de visualisation de cas externe", + "xpack.stackConnectors.components.casesWebhookxpack.stackConnectors.components.casesWebhook.connectorTypeTitle": "Webhook - Données de gestion des cas", + "xpack.stackConnectors.components.email.addBccButton": "Cci", + "xpack.stackConnectors.components.email.addCcButton": "Cc", + "xpack.stackConnectors.components.email.amazonSesServerTypeLabel": "Amazon SES", + "xpack.stackConnectors.components.email.authenticationLabel": "Authentification", + "xpack.stackConnectors.components.email.clientIdFieldLabel": "ID client", + "xpack.stackConnectors.components.email.clientSecretTextFieldLabel": "Identifiant client secret", + "xpack.stackConnectors.components.email.configureAccountsHelpLabel": "Configurer les comptes de messagerie électronique", + "xpack.stackConnectors.components.email.connectorTypeTitle": "Envoyer vers la messagerie électronique", + "xpack.stackConnectors.components.email.elasticCloudServerTypeLabel": "Elastic Cloud", + "xpack.stackConnectors.components.email.error.invalidPortText": "Le port n'est pas valide.", + "xpack.stackConnectors.components.email.error.requiredAuthUserNameText": "Le nom d'utilisateur est requis.", + "xpack.stackConnectors.components.email.error.requiredClientIdText": "L'ID client est requis.", + "xpack.stackConnectors.components.email.error.requiredEntryText": "Aucune entrée À, Cc ou Cci. Au moins une entrée est requise.", + "xpack.stackConnectors.components.email.error.requiredFromText": "L'expéditeur est requis.", + "xpack.stackConnectors.components.email.error.requiredHostText": "L'hôte est requis.", + "xpack.stackConnectors.components.email.error.requiredMessageText": "Le message est requis.", + "xpack.stackConnectors.components.email.error.requiredPortText": "Le port est requis.", + "xpack.stackConnectors.components.email.error.requiredServiceText": "Le service est requis.", + "xpack.stackConnectors.components.email.error.requiredSubjectText": "Le sujet est requis.", + "xpack.stackConnectors.components.email.error.requiredTenantIdText": "L'ID locataire est requis.", + "xpack.stackConnectors.components.email.exchangeForm.clientIdHelpLabel": "Configurer l'ID client", + "xpack.stackConnectors.components.email.exchangeForm.clientSecretHelpLabel": "Configurer l'identifiant client secret", + "xpack.stackConnectors.components.email.exchangeForm.tenantIdHelpLabel": "Configurer l'ID locataire", + "xpack.stackConnectors.components.email.exchangeServerTypeLabel": "MS Exchange Server", + "xpack.stackConnectors.components.email.fromTextFieldLabel": "Expéditeur", + "xpack.stackConnectors.components.email.gmailServerTypeLabel": "Gmail", + "xpack.stackConnectors.components.email.hasAuthSwitchLabel": "Demander une authentification pour ce serveur", + "xpack.stackConnectors.components.email.hostTextFieldLabel": "Hôte", + "xpack.stackConnectors.components.email.messageTextAreaFieldLabel": "Message", + "xpack.stackConnectors.components.email.otherServerTypeLabel": "Autre", + "xpack.stackConnectors.components.email.outlookServerTypeLabel": "Outlook", + "xpack.stackConnectors.components.email.passwordFieldLabel": "Mot de passe", + "xpack.stackConnectors.components.email.portTextFieldLabel": "Port", + "xpack.stackConnectors.components.email.recipientBccTextFieldLabel": "Cci", + "xpack.stackConnectors.components.email.recipientCopyTextFieldLabel": "Cc", + "xpack.stackConnectors.components.email.recipientTextFieldLabel": "À", + "xpack.stackConnectors.components.email.secureSwitchLabel": "Sécurisé", + "xpack.stackConnectors.components.email.selectMessageText": "Envoyez un e-mail à partir de votre serveur.", + "xpack.stackConnectors.components.email.serviceTextFieldLabel": "Service", + "xpack.stackConnectors.components.email.subjectTextFieldLabel": "Objet", + "xpack.stackConnectors.components.email.tenantIdFieldLabel": "ID locataire", + "xpack.stackConnectors.components.email.updateErrorNotificationText": "Impossible d’obtenir la configuration du service", + "xpack.stackConnectors.components.email.userTextFieldLabel": "Nom d'utilisateur", + "xpack.stackConnectors.components.index.configureIndexHelpLabel": "Configuration du connecteur d'index.", + "xpack.stackConnectors.components.index.connectorSectionTitle": "Écrire dans l'index", + "xpack.stackConnectors.components.index.connectorTypeTitle": "Données d'index", + "xpack.stackConnectors.components.index.definedateFieldTooltip": "Définissez ce champ temporel sur l'heure à laquelle le document a été indexé.", + "xpack.stackConnectors.components.index.defineTimeFieldLabel": "Définissez l'heure pour chaque document", + "xpack.stackConnectors.components.index.documentsFieldLabel": "Document à indexer", + "xpack.stackConnectors.components.index.error.badIndexOverrideSuffix": "L'index d'historique d'alertes doit contenir un suffixe valide.", + "xpack.stackConnectors.components.index.error.notValidIndexText": "L’index n’est pas valide.", + "xpack.stackConnectors.components.index.error.requiredDocumentJson": "Le document est requis et doit être un objet JSON valide.", + "xpack.stackConnectors.components.index.executionTimeFieldLabel": "Champ temporel", + "xpack.stackConnectors.components.index.howToBroadenSearchQueryDescription": "Utilisez le caractère * pour élargir votre recherche.", + "xpack.stackConnectors.components.index.indexDocumentHelpLabel": "Exemple de document d'index.", + "xpack.stackConnectors.components.index.indicesToQueryLabel": "Index", + "xpack.stackConnectors.components.index.jsonDocAriaLabel": "Éditeur de code", + "xpack.stackConnectors.components.index.preconfiguredIndex": "Index Elasticsearch", + "xpack.stackConnectors.components.index.preconfiguredIndexDocLink": "Affichez les documents.", + "xpack.stackConnectors.components.index.refreshLabel": "Actualiser l'index", + "xpack.stackConnectors.components.index.refreshTooltip": "Actualisez les partitions affectées pour rendre cette opération visible pour la recherche.", + "xpack.stackConnectors.components.index.resetDefaultIndexLabel": "Réinitialiser l'index par défaut", + "xpack.stackConnectors.components.index.selectMessageText": "Indexez les données dans Elasticsearch.", + "xpack.stackConnectors.components.jira.apiTokenTextFieldLabel": "Token d'API", + "xpack.stackConnectors.components.jira.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.jira.commentsTextAreaFieldLabel": "Commentaires supplémentaires", + "xpack.stackConnectors.components.jira.connectorTypeTitle": "Jira", + "xpack.stackConnectors.components.jira.descriptionTextAreaFieldLabel": "Description", + "xpack.stackConnectors.components.jira.emailTextFieldLabel": "Adresse e-mail", + "xpack.stackConnectors.components.jira.impactSelectFieldLabel": "Étiquettes", + "xpack.stackConnectors.components.jira.labelsSpacesErrorMessage": "Les étiquettes ne peuvent pas contenir d'espaces.", + "xpack.stackConnectors.components.jira.parentIssueSearchLabel": "Problème parent", + "xpack.stackConnectors.components.jira.projectKey": "Clé de projet", + "xpack.stackConnectors.components.jira.requiredSummaryTextField": "Le résumé est requis.", + "xpack.stackConnectors.components.jira.searchIssuesComboBoxAriaLabel": "Taper pour rechercher", + "xpack.stackConnectors.components.jira.searchIssuesComboBoxPlaceholder": "Taper pour rechercher", + "xpack.stackConnectors.components.jira.searchIssuesLoading": "Chargement...", + "xpack.stackConnectors.components.jira.selectMessageText": "Créez un incident dans Jira.", + "xpack.stackConnectors.components.jira.severitySelectFieldLabel": "Priorité", + "xpack.stackConnectors.components.jira.summaryFieldLabel": "Résumé (requis)", + "xpack.stackConnectors.components.jira.unableToGetFieldsMessage": "Impossible d'obtenir les champs", + "xpack.stackConnectors.components.jira.unableToGetIssuesMessage": "Impossible d'obtenir les problèmes", + "xpack.stackConnectors.components.jira.unableToGetIssueTypesMessage": "Impossible d'obtenir les types d'erreurs", + "xpack.stackConnectors.components.jira.urgencySelectFieldLabel": "Type d'erreur", + "xpack.stackConnectors.components.opsgenie.actionLabel": "Action", + "xpack.stackConnectors.components.opsgenie.alertFieldsLabel": "Champs d'alerte", + "xpack.stackConnectors.components.opsgenie.aliasLabel": "Alias", + "xpack.stackConnectors.components.opsgenie.aliasRequiredLabel": "Alias (requis)", + "xpack.stackConnectors.components.opsgenie.apiKeySecret": "Clé d'API", + "xpack.stackConnectors.components.opsgenie.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.opsgenie.closeAlertAction": "Fermer l'alerte", + "xpack.stackConnectors.components.opsgenie.connectorTypeTitle": "Opsgenie", + "xpack.stackConnectors.components.opsgenie.createAlertAction": "Créer une alerte", + "xpack.stackConnectors.components.opsgenie.descriptionLabel": "Description", + "xpack.stackConnectors.components.opsgenie.documentation": "Documentation Opsgenie", + "xpack.stackConnectors.components.opsgenie.entityLabel": "Entité", + "xpack.stackConnectors.components.opsgenie.fieldAliasHelpText": "Identificateur d'alerte unique utilisé pour la déduplication dans Opsgenie.", + "xpack.stackConnectors.components.opsgenie.fieldEntityHelpText": "Domaine de l'alerte. Par exemple, nom de l'application.", + "xpack.stackConnectors.components.opsgenie.fieldSourceHelpText": "Nom d'affichage pour la source de l'alerte.", + "xpack.stackConnectors.components.opsgenie.fieldUserHelpText": "Nom d'affichage pour le propriétaire.", + "xpack.stackConnectors.components.opsgenie.hideOptions": "Masquer les options", + "xpack.stackConnectors.components.opsgenie.jsonEditorAriaLabel": "Éditeur JSON", + "xpack.stackConnectors.components.opsgenie.jsonEditorError": "Une erreur existe pour l'éditeur JSON", + "xpack.stackConnectors.components.opsgenie.messageLabel": "Message (requis)", + "xpack.stackConnectors.components.opsgenie.messageNotDefined": "[message] : valeur attendue de type [string] mais obtenu [undefined]", + "xpack.stackConnectors.components.opsgenie.messageNotWhitespace": "[message] : doit être rempli avec une valeur autre qu'un simple espace", + "xpack.stackConnectors.components.opsgenie.moreOptions": "Plus d'options", + "xpack.stackConnectors.components.opsgenie.nonEmptyMessageField": "doit être rempli avec une valeur autre qu'un simple espace", + "xpack.stackConnectors.components.opsgenie.noteLabel": "Note", + "xpack.stackConnectors.components.opsgenie.priority1": "P1-Critique", + "xpack.stackConnectors.components.opsgenie.priority2": "P2-Élevée", + "xpack.stackConnectors.components.opsgenie.priority3": "P3-Modérée", + "xpack.stackConnectors.components.opsgenie.priority4": "P4-Faible", + "xpack.stackConnectors.components.opsgenie.priority5": "P5-Information", + "xpack.stackConnectors.components.opsgenie.priorityLabel": "Priorité", + "xpack.stackConnectors.components.opsgenie.requiredAliasTextField": "L'alias est requis.", + "xpack.stackConnectors.components.opsgenie.requiredMessageTextField": "Le message est requis.", + "xpack.stackConnectors.components.opsgenie.ruleTagsDescription": "Balises de la règle.", + "xpack.stackConnectors.components.opsgenie.selectMessageText": "Créez ou fermez une alerte dans Opsgenie.", + "xpack.stackConnectors.components.opsgenie.sourceLabel": "Source", + "xpack.stackConnectors.components.opsgenie.tagsHelp": "Appuyez sur Entrée après chaque balise pour en commencer une nouvelle.", + "xpack.stackConnectors.components.opsgenie.tagsLabel": "Balises Opsgenie", + "xpack.stackConnectors.components.opsgenie.useJsonEditorLabel": "Utiliser l'éditeur JSON", + "xpack.stackConnectors.components.opsgenie.userLabel": "Utilisateur", + "xpack.stackConnectors.components.pagerDuty.apiUrlInvalid": "URL d’API non valide", + "xpack.stackConnectors.components.pagerDuty.apiUrlTextFieldLabel": "URL de l'API (facultative)", + "xpack.stackConnectors.components.pagerDuty.classFieldLabel": "Classe (facultative)", + "xpack.stackConnectors.components.pagerDuty.componentTextFieldLabel": "Composant (facultatif)", + "xpack.stackConnectors.components.pagerDuty.connectorTypeTitle": "Envoyer à PagerDuty", + "xpack.stackConnectors.components.pagerDuty.dedupKeyTextFieldLabel": "DedupKey (facultatif)", + "xpack.stackConnectors.components.pagerDuty.dedupKeyTextRequiredFieldLabel": "DedupKey", + "xpack.stackConnectors.components.pagerDuty.error.requiredDedupKeyText": "DedupKey est requis lors de la résolution ou de la reconnaissance d'un incident.", + "xpack.stackConnectors.components.pagerDuty.error.requiredRoutingKeyText": "Une clé d'intégration / clé de routage est requise.", + "xpack.stackConnectors.components.pagerDuty.error.requiredSummaryText": "Le résumé est requis.", + "xpack.stackConnectors.components.pagerDuty.eventActionSelectFieldLabel": "Action de l'événement", + "xpack.stackConnectors.components.pagerDuty.eventSelectAcknowledgeOptionLabel": "Reconnaissance", + "xpack.stackConnectors.components.pagerDuty.eventSelectResolveOptionLabel": "Résoudre", + "xpack.stackConnectors.components.pagerDuty.eventSelectTriggerOptionLabel": "Déclencher", + "xpack.stackConnectors.components.pagerDuty.groupTextFieldLabel": "Regrouper (facultatif)", + "xpack.stackConnectors.components.pagerDuty.routingKeyNameHelpLabel": "Configurer un compte PagerDuty", + "xpack.stackConnectors.components.pagerDuty.routingKeyTextFieldLabel": "Clé d'intégration", + "xpack.stackConnectors.components.pagerDuty.selectMessageText": "Envoyez un événement dans PagerDuty.", + "xpack.stackConnectors.components.pagerDuty.severitySelectCriticalOptionLabel": "Critique", + "xpack.stackConnectors.components.pagerDuty.severitySelectErrorOptionLabel": "Erreur", + "xpack.stackConnectors.components.pagerDuty.severitySelectFieldLabel": "Sévérité (facultative)", + "xpack.stackConnectors.components.pagerDuty.severitySelectInfoOptionLabel": "Info", + "xpack.stackConnectors.components.pagerDuty.severitySelectWarningOptionLabel": "Avertissement", + "xpack.stackConnectors.components.pagerDuty.sourceTextFieldLabel": "Source (facultative)", + "xpack.stackConnectors.components.pagerDuty.summaryFieldLabel": "Résumé", + "xpack.stackConnectors.components.pagerDuty.timestampTextFieldLabel": "Horodatage (facultatif)", + "xpack.stackConnectors.components.resilient.apiKeyId": "ID de clé d'API", + "xpack.stackConnectors.components.resilient.apiKeySecret": "Secret de clé d'API", + "xpack.stackConnectors.components.resilient.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.resilient.commentsTextAreaFieldLabel": "Commentaires supplémentaires", + "xpack.stackConnectors.components.resilient.connectorTypeTitle": "Résilient", + "xpack.stackConnectors.components.resilient.descriptionTextAreaFieldLabel": "Description", + "xpack.stackConnectors.components.resilient.nameFieldLabel": "Nom (requis)", + "xpack.stackConnectors.components.resilient.orgId": "ID d'organisation", + "xpack.stackConnectors.components.resilient.requiredNameTextField": "Un nom est requis.", + "xpack.stackConnectors.components.resilient.selectMessageText": "Créez un incident dans IBM Resilient.", + "xpack.stackConnectors.components.resilient.severity": "Sévérité", + "xpack.stackConnectors.components.resilient.unableToGetIncidentTypesMessage": "Impossible d'obtenir les types d'incidents", + "xpack.stackConnectors.components.resilient.unableToGetSeverityMessage": "Impossible d'obtenir la sévérité", + "xpack.stackConnectors.components.resilient.urgencySelectFieldLabel": "Type d'incident", + "xpack.stackConnectors.components.serverLog.connectorTypeTitle": "Envoyer vers le log de serveur", + "xpack.stackConnectors.components.serverLog.error.requiredServerLogMessageText": "Le message est requis.", + "xpack.stackConnectors.components.serverLog.logLevelFieldLabel": "Niveau", + "xpack.stackConnectors.components.serverLog.logMessageFieldLabel": "Message", + "xpack.stackConnectors.components.serverLog.selectMessageText": "Ajouter un message au log Kibana.", + "xpack.stackConnectors.components.serviceNow.apiUrlTextFieldLabel": "URL d'instance ServiceNow", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout": "Application Elastic ServiceNow non installée", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.content": "Veuillez vous rendre dans l'app store ServiceNow pour installer l'application", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.errorMessage": "Message d'erreur", + "xpack.stackConnectors.components.serviceNow.authenticationLabel": "Authentification", + "xpack.stackConnectors.components.serviceNow.cancelButtonText": "Annuler", + "xpack.stackConnectors.components.serviceNow.categoryTitle": "Catégorie", + "xpack.stackConnectors.components.serviceNow.clientIdTextFieldLabel": "ID client", + "xpack.stackConnectors.components.serviceNow.clientSecretTextFieldLabel": "Identifiant client secret", + "xpack.stackConnectors.components.serviceNow.commentsTextAreaFieldLabel": "Commentaires supplémentaires", + "xpack.stackConnectors.components.serviceNow.confirmButtonText": "Mettre à jour", + "xpack.stackConnectors.components.serviceNow.correlationDisplay": "Affichage de la corrélation (facultatif)", + "xpack.stackConnectors.components.serviceNow.correlationID": "ID corrélation (facultatif)", + "xpack.stackConnectors.components.serviceNow.correlationIDHelpLabel": "Identificateur pour les incidents de mise à jour", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutCreate": "ou créez-en un nouveau.", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutMigrate": "Supprimez ce connecteur", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutTitle": "Ce type de connecteur est déclassé", + "xpack.stackConnectors.components.serviceNow.deprecatedTooltipTitle": "Connecteur déclassé", + "xpack.stackConnectors.components.serviceNow.descriptionTextAreaFieldLabel": "Description", + "xpack.stackConnectors.components.serviceNow.eventClassTextAreaFieldLabel": "Instance source", + "xpack.stackConnectors.components.serviceNow.fetchErrorMsg": "Impossible de récupérer. Vérifiez l'URL ou la configuration CORS de votre instance ServiceNow.", + "xpack.stackConnectors.components.serviceNow.impactSelectFieldLabel": "Impact", + "xpack.stackConnectors.components.serviceNow.installationCalloutTitle": "Pour utiliser ce connecteur, installez d'abord l'application Elastic à partir de l'app store ServiceNow.", + "xpack.stackConnectors.components.serviceNow.invalidApiUrlTextField": "L'URL n'est pas valide.", + "xpack.stackConnectors.components.serviceNow.keyIdTextFieldLabel": "ID de clé du vérificateur JWT", + "xpack.stackConnectors.components.serviceNow.messageKeyTextAreaFieldLabel": "Clé de message", + "xpack.stackConnectors.components.serviceNow.metricNameTextAreaFieldLabel": "Nom de l'indicateur", + "xpack.stackConnectors.components.serviceNow.nodeTextAreaFieldLabel": "Nœud", + "xpack.stackConnectors.components.serviceNow.passwordTextFieldLabel": "Mot de passe", + "xpack.stackConnectors.components.serviceNow.prioritySelectFieldLabel": "Priorité", + "xpack.stackConnectors.components.serviceNow.privateKeyPassLabelHelpText": "Il est requis uniquement si vous avez défini un mot de passe sur votre clé privée", + "xpack.stackConnectors.components.serviceNow.privateKeyPassTextFieldLabel": "Mot de passe de clé privée", + "xpack.stackConnectors.components.serviceNow.privateKeyTextFieldLabel": "Clé privée", + "xpack.stackConnectors.components.serviceNow.requiredClientIdTextField": "L'ID client est requis.", + "xpack.stackConnectors.components.serviceNow.requiredKeyIdTextField": "L'ID de clé du vérificateur JWT est requis.", + "xpack.stackConnectors.components.serviceNow.requiredPrivateKeyTextField": "La clé privée est requise.", + "xpack.stackConnectors.components.serviceNow.requiredSeverityTextField": "La sévérité est requise.", + "xpack.stackConnectors.components.serviceNow.requiredShortDescTextField": "Une brève description est requise.", + "xpack.stackConnectors.components.serviceNow.requiredUserIdentifierTextField": "L'identifiant de l'utilisateur est requis.", + "xpack.stackConnectors.components.serviceNow.requiredUsernameTextField": "Le nom d'utilisateur est requis.", + "xpack.stackConnectors.components.serviceNow.resourceTextAreaFieldLabel": "Ressource", + "xpack.stackConnectors.components.serviceNow.setupDevInstance": "configurer une instance de développeur", + "xpack.stackConnectors.components.serviceNow.severityRequiredSelectFieldLabel": "Sévérité (requise)", + "xpack.stackConnectors.components.serviceNow.severitySelectFieldLabel": "Sévérité", + "xpack.stackConnectors.components.serviceNow.snInstanceLabel": "Instance ServiceNow", + "xpack.stackConnectors.components.serviceNow.sourceTextAreaFieldLabel": "Source", + "xpack.stackConnectors.components.serviceNow.subcategoryTitle": "Sous-catégorie", + "xpack.stackConnectors.components.serviceNow.title": "Incident", + "xpack.stackConnectors.components.serviceNow.titleFieldLabel": "Brève description (requise)", + "xpack.stackConnectors.components.serviceNow.typeTextAreaFieldLabel": "Type", + "xpack.stackConnectors.components.serviceNow.unableToGetChoicesMessage": "Impossible d'obtenir les choix", + "xpack.stackConnectors.components.serviceNow.unknown": "INCONNU", + "xpack.stackConnectors.components.serviceNow.updateCalloutText": "Le connecteur a été mis à jour.", + "xpack.stackConnectors.components.serviceNow.updateFormCredentialsTitle": "Fournir les informations d'authentification", + "xpack.stackConnectors.components.serviceNow.updateFormInstallTitle": "Installer l'application Elastic ServiceNow", + "xpack.stackConnectors.components.serviceNow.updateFormTitle": "Mettre à jour le connecteur ServiceNow", + "xpack.stackConnectors.components.serviceNow.updateFormUrlTitle": "Entrer votre URL d'instance ServiceNow", + "xpack.stackConnectors.components.serviceNow.urgencySelectFieldLabel": "Urgence", + "xpack.stackConnectors.components.serviceNow.useOAuth": "Utiliser l'authentification OAuth", + "xpack.stackConnectors.components.serviceNow.userEmailTextFieldLabel": "Identifiant de l'utilisateur", + "xpack.stackConnectors.components.serviceNow.usernameTextFieldLabel": "Nom d'utilisateur", + "xpack.stackConnectors.components.serviceNow.visitSNStore": "Visiter l'app store ServiceNow", + "xpack.stackConnectors.components.serviceNow.warningMessage": "Cette action mettra à jour toutes les instances de ce connecteur et ne pourra pas être annulée.", + "xpack.stackConnectors.components.serviceNowITOM.connectorTypeTitle": "ServiceNow ITOM", + "xpack.stackConnectors.components.serviceNowITOM.event": "Événement", + "xpack.stackConnectors.components.serviceNowITOM.selectMessageText": "Créez un événement dans ServiceNow ITOM.", + "xpack.stackConnectors.components.serviceNowITSM.connectorTypeTitle": "ServiceNow ITSM", + "xpack.stackConnectors.components.serviceNowITSM.selectMessageText": "Créez un incident dans ServiceNow ITSM.", + "xpack.stackConnectors.components.serviceNowSIR.connectorTypeTitle": "ServiceNow SecOps", + "xpack.stackConnectors.components.serviceNowSIR.correlationIDHelpLabel": "Identificateur pour les incidents de mise à jour", + "xpack.stackConnectors.components.serviceNowSIR.selectMessageText": "Créez un incident dans ServiceNow SecOps.", + "xpack.stackConnectors.components.serviceNowSIR.title": "Incident de sécurité", + "xpack.stackConnectors.components.slack..error.requiredSlackMessageText": "Le message est requis.", + "xpack.stackConnectors.components.slack.connectorTypeTitle": "Envoyer vers Slack", + "xpack.stackConnectors.components.slack.error.invalidWebhookUrlText": "L'URL de webhook n'est pas valide.", + "xpack.stackConnectors.components.slack.messageTextAreaFieldLabel": "Message", + "xpack.stackConnectors.components.slack.selectMessageText": "Envoyez un message à un canal ou à un utilisateur Slack.", + "xpack.stackConnectors.components.slack.webhookUrlHelpLabel": "Créer une URL de webhook Slack", + "xpack.stackConnectors.components.slack.webhookUrlTextFieldLabel": "URL de webhook", + "xpack.stackConnectors.components.swimlane.alertIdFieldLabel": "ID de l'alerte", + "xpack.stackConnectors.components.swimlane.apiTokenNameHelpLabel": "Fournir un token d'API Swimlane", + "xpack.stackConnectors.components.swimlane.apiTokenTextFieldLabel": "Token d'API", + "xpack.stackConnectors.components.swimlane.apiUrlTextFieldLabel": "URL d'API", + "xpack.stackConnectors.components.swimlane.appIdTextFieldLabel": "ID d'application", + "xpack.stackConnectors.components.swimlane.caseIdFieldLabel": "ID de cas", + "xpack.stackConnectors.components.swimlane.caseNameFieldLabel": "Nom de cas", + "xpack.stackConnectors.components.swimlane.commentsFieldLabel": "Commentaires", + "xpack.stackConnectors.components.swimlane.configureConnectionLabel": "Configurer la connexion de l'API", + "xpack.stackConnectors.components.swimlane.connectorType": "Type de connecteur", + "xpack.stackConnectors.components.swimlane.connectorTypeTitle": "Créer l'enregistrement Swimlane", + "xpack.stackConnectors.components.swimlane.descriptionFieldLabel": "Description", + "xpack.stackConnectors.components.swimlane.emptyMappingWarningDesc": "Ce connecteur ne peut pas être sélectionné, car il ne possède pas les mappings de champs d'alerte requis. Vous pouvez modifier ce connecteur pour ajouter les mappings de champs requis ou sélectionner un connecteur de type Alertes.", + "xpack.stackConnectors.components.swimlane.emptyMappingWarningTitle": "Ce connecteur ne possède pas de mappings de champs", + "xpack.stackConnectors.components.swimlane.error.requiredAlertID": "L'ID d'alerte est requis.", + "xpack.stackConnectors.components.swimlane.error.requiredAppIdText": "Un ID d'application est requis.", + "xpack.stackConnectors.components.swimlane.error.requiredCaseID": "L'ID de cas est requis.", + "xpack.stackConnectors.components.swimlane.error.requiredCaseName": "Le nom de cas est requis.", + "xpack.stackConnectors.components.swimlane.error.requiredComments": "Les commentaires sont requis.", + "xpack.stackConnectors.components.swimlane.error.requiredDescription": "La description est requise.", + "xpack.stackConnectors.components.swimlane.error.requiredRuleName": "Le nom de règle est requis.", + "xpack.stackConnectors.components.swimlane.error.requiredSeverity": "La sévérité est requise.", + "xpack.stackConnectors.components.swimlane.invalidApiUrlTextField": "L'URL n'est pas valide.", + "xpack.stackConnectors.components.swimlane.mappingTitleTextFieldLabel": "Configurer les mappings de champs", + "xpack.stackConnectors.components.swimlane.nextStep": "Suivant", + "xpack.stackConnectors.components.swimlane.nextStepHelpText": "Si les mappings de champs ne sont pas configurés, le type de connecteur Swimlane sera défini sur Tous.", + "xpack.stackConnectors.components.swimlane.prevStep": "Retour", + "xpack.stackConnectors.components.swimlane.ruleNameFieldLabel": "Nom de règle", + "xpack.stackConnectors.components.swimlane.selectMessageText": "Créer un enregistrement dans Swimlane", + "xpack.stackConnectors.components.swimlane.severityFieldLabel": "Sévérité", + "xpack.stackConnectors.components.swimlane.unableToGetApplicationFieldsMessage": "Impossible d'obtenir les champs de l'application", + "xpack.stackConnectors.components.teams.connectorTypeTitle": "Envoyer un message à un canal Microsoft Teams.", + "xpack.stackConnectors.components.teams.error.invalidWebhookUrlText": "L'URL de webhook n'est pas valide.", + "xpack.stackConnectors.components.teams.error.requiredMessageText": "Le message est requis.", + "xpack.stackConnectors.components.teams.error.webhookUrlTextLabel": "URL de webhook", + "xpack.stackConnectors.components.teams.messageTextAreaFieldLabel": "Message", + "xpack.stackConnectors.components.teams.selectMessageText": "Envoyer un message à un canal Microsoft Teams.", + "xpack.stackConnectors.components.teams.webhookUrlHelpLabel": "Créer une URL de webhook Microsoft Teams", + "xpack.stackConnectors.components.webhook.addHeaderButtonLabel": "Ajouter un en-tête", + "xpack.stackConnectors.components.webhook.authenticationLabel": "Authentification", + "xpack.stackConnectors.components.webhook.bodyCodeEditorAriaLabel": "Éditeur de code", + "xpack.stackConnectors.components.webhook.bodyFieldLabel": "Corps", + "xpack.stackConnectors.components.webhook.connectorTypeTitle": "Données de webhook", + "xpack.stackConnectors.components.webhook.error.invalidUrlTextField": "L'URL n'est pas valide.", + "xpack.stackConnectors.components.webhook.error.requiredAuthUserNameText": "Le nom d'utilisateur est requis.", + "xpack.stackConnectors.components.webhook.error.requiredMethodText": "La méthode est requise.", + "xpack.stackConnectors.components.webhook.error.requiredWebhookBodyText": "Le corps est requis.", + "xpack.stackConnectors.components.webhook.hasAuthSwitchLabel": "Demander une authentification pour ce webhook", + "xpack.stackConnectors.components.webhook.headerKeyTextFieldLabel": "Clé", + "xpack.stackConnectors.components.webhook.headerValueTextFieldLabel": "Valeur", + "xpack.stackConnectors.components.webhook.methodTextFieldLabel": "Méthode", + "xpack.stackConnectors.components.webhook.passwordTextFieldLabel": "Mot de passe", + "xpack.stackConnectors.components.webhook.removeHeaderIconLabel": "Clé", + "xpack.stackConnectors.components.webhook.selectMessageText": "Envoyer une requête à un service Web.", + "xpack.stackConnectors.components.webhook.urlTextFieldLabel": "URL", + "xpack.stackConnectors.components.webhook.userTextFieldLabel": "Nom d'utilisateur", + "xpack.stackConnectors.components.webhook.viewHeadersSwitch": "Ajouter un en-tête HTTP", + "xpack.stackConnectors.components.xmatters.authenticationLabel": "Authentification", + "xpack.stackConnectors.components.xmatters.basicAuthButtonGroupLegend": "Authentification de base", + "xpack.stackConnectors.components.xmatters.basicAuthLabel": "Authentification de base", + "xpack.stackConnectors.components.xmatters.connectorSettingsLabel": "Sélectionnez la méthode d'authentification utilisée pour la configuration du déclencheur xMatters.", + "xpack.stackConnectors.components.xmatters.connectorTypeTitle": "Données xMatters", + "xpack.stackConnectors.components.xmatters.error.invalidUrlTextField": "L'URL n'est pas valide.", + "xpack.stackConnectors.components.xmatters.error.invalidUsernameTextField": "Nom d'utilisateur non valide.", + "xpack.stackConnectors.components.xmatters.error.requiredUrlText": "L'URL est requise.", + "xpack.stackConnectors.components.xmatters.initiationUrlHelpText": "Spécifiez l'URL xMatters complète.", + "xpack.stackConnectors.components.xmatters.passwordTextFieldLabel": "Mot de passe", + "xpack.stackConnectors.components.xmatters.selectMessageText": "Déclenchez un workflow xMatters.", + "xpack.stackConnectors.components.xmatters.severity": "Sévérité", + "xpack.stackConnectors.components.xmatters.severitySelectCriticalOptionLabel": "Critique", + "xpack.stackConnectors.components.xmatters.severitySelectHighOptionLabel": "Élevé", + "xpack.stackConnectors.components.xmatters.severitySelectLowOptionLabel": "Bas", + "xpack.stackConnectors.components.xmatters.severitySelectMediumOptionLabel": "Moyenne", + "xpack.stackConnectors.components.xmatters.severitySelectMinimalOptionLabel": "Minimale", + "xpack.stackConnectors.components.xmatters.tags": "Balises", + "xpack.stackConnectors.components.xmatters.urlAuthLabel": "Authentification de l'URL", + "xpack.stackConnectors.components.xmatters.urlLabel": "URL d'initiation", + "xpack.stackConnectors.components.xmatters.userCredsLabel": "Identifiants d'utilisateur", + "xpack.stackConnectors.components.xmatters.userTextFieldLabel": "Nom d'utilisateur", + "xpack.stackConnectors.email.errorSendingErrorMessage": "erreur lors de l'envoi de l'e-mail", + "xpack.stackConnectors.email.kibanaFooterLinkText": "Accéder à Kibana", + "xpack.stackConnectors.email.sentByKibanaMessage": "Ce message a été envoyé par Kibana.", + "xpack.stackConnectors.email.title": "E-mail", + "xpack.stackConnectors.esIndex.errorIndexingErrorMessage": "erreur lors de l'indexation des documents", + "xpack.stackConnectors.esIndex.title": "Index", + "xpack.stackConnectors.jira.title": "Jira", + "xpack.stackConnectors.opsgenie.name": "Opsgenie", + "xpack.stackConnectors.opsgenie.unknownError": "erreur inconnue", + "xpack.stackConnectors.pagerduty.postingErrorMessage": "erreur lors de la publication de l'événement pagerduty", + "xpack.stackConnectors.pagerduty.title": "PagerDuty", + "xpack.stackConnectors.pagerduty.unexpectedNullResponseErrorMessage": "réponse nulle inattendue de pagerduty", + "xpack.stackConnectors.resilient.title": "IBM Resilient", + "xpack.stackConnectors.sections.ospgenie.loadingJsonEditor": "Chargement de l'éditeur JSON", + "xpack.stackConnectors.security.tines.config.authenticationTitle": "Authentification", + "xpack.stackConnectors.security.tines.config.emailTextFieldLabel": "E-mail", + "xpack.stackConnectors.security.tines.config.error.invalidUrlTextField": "L'URL du locataire n'est pas valide.", + "xpack.stackConnectors.security.tines.config.error.requiredAuthTokenText": "Le token d'authentification est requis.", + "xpack.stackConnectors.security.tines.config.error.requiredEmailText": "L'e-mail est requis.", + "xpack.stackConnectors.security.tines.config.selectMessageText": "Envoyez les événements vers une histoire.", + "xpack.stackConnectors.security.tines.config.tokenTextFieldLabel": "Token d'API", + "xpack.stackConnectors.security.tines.config.urlTextFieldLabel": "URL de locataire Tines", + "xpack.stackConnectors.security.tines.params.bodyFieldAriaLabel": "Charge utile du corps de la requête", + "xpack.stackConnectors.security.tines.params.bodyFieldLabel": "Corps", + "xpack.stackConnectors.security.tines.params.componentError.storiesRequestFailed": "Erreur lors de la récupération des histoires de Tines", + "xpack.stackConnectors.security.tines.params.componentError.webhooksRequestFailed": "Erreur lors de la récupération des actions webhook à partir de Tines", + "xpack.stackConnectors.security.tines.params.componentWarning.storyNotFound": "Impossible de trouver l'histoire enregistrée. Veuillez choisir une histoire valide à partir du sélecteur", + "xpack.stackConnectors.security.tines.params.componentWarning.webhookNotFound": "Impossible de trouver le webhook enregistré. Veuillez choisir un webhook valide à partir du sélecteur", + "xpack.stackConnectors.security.tines.params.disabledByWebhookUrlPlaceholder": "Retirer l'URL de webhook pour utiliser ce sélecteur", + "xpack.stackConnectors.security.tines.params.error.invalidActionText": "Nom d'action non valide.", + "xpack.stackConnectors.security.tines.params.error.invalidBodyText": "Le corps n'a pas de format JSON valide.", + "xpack.stackConnectors.security.tines.params.error.invalidHostnameWebhookUrlText": "L'URL de webhook n'a pas de domaine \".tines.com\" valide.", + "xpack.stackConnectors.security.tines.params.error.invalidProtocolWebhookUrlText": "L'URL de webhook n'a pas de protocole \"https\" valide.", + "xpack.stackConnectors.security.tines.params.error.invalidWebhookUrlText": "L'URL de webhook n'est pas valide.", + "xpack.stackConnectors.security.tines.params.error.requiredActionText": "L'action est requise.", + "xpack.stackConnectors.security.tines.params.error.requiredBodyText": "Le corps est requis.", + "xpack.stackConnectors.security.tines.params.error.requiredStoryText": "L'histoire est requise.", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookPathText": "Le chemin de l'action de webhook est manquant.", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookSecretText": "Le secret de l'action de webhook est manquant.", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookText": "Le webhook est requis.", + "xpack.stackConnectors.security.tines.params.storyFieldAriaLabel": "Sélectionner une histoire Tines", + "xpack.stackConnectors.security.tines.params.storyFieldLabel": "Histoire Tines", + "xpack.stackConnectors.security.tines.params.storyHelp": "Histoire Tines vers laquelle envoyer les événements", + "xpack.stackConnectors.security.tines.params.storyPlaceholder": "Sélectionner une histoire", + "xpack.stackConnectors.security.tines.params.storyPublishedBadgeText": "Publiée", + "xpack.stackConnectors.security.tines.params.webhookDisabledPlaceholder": "Sélectionner d'abord une histoire", + "xpack.stackConnectors.security.tines.params.webhookFieldAriaLabel": "Sélectionner une action de webhook Tines", + "xpack.stackConnectors.security.tines.params.webhookFieldLabel": "Action de webhook Tines", + "xpack.stackConnectors.security.tines.params.webhookHelp": "Action d'entrée de données dans l'histoire", + "xpack.stackConnectors.security.tines.params.webhookPlaceholder": "Sélectionner une action de webhook", + "xpack.stackConnectors.security.tines.params.webhookUrlFallbackTitle": "Limite de résultats d'API Tines atteinte", + "xpack.stackConnectors.security.tines.params.webhookUrlFieldLabel": "URL de webhook", + "xpack.stackConnectors.security.tines.params.webhookUrlHelp": "Les sélecteurs d'histoire et de webhook seront ignorés si l'URL de webhook est définie", + "xpack.stackConnectors.security.tines.params.webhookUrlPlaceholder": "Coller l'URL de webhook ici", + "xpack.stackConnectors.serverLog.errorLoggingErrorMessage": "erreur lors du logging du message", + "xpack.stackConnectors.serverLog.title": "Log de serveur", + "xpack.stackConnectors.serviceNow.configuration.apiBasicAuthCredentialsError": "le nom d'utilisateur et le mot de passe doivent être tous deux spécifiés", + "xpack.stackConnectors.serviceNow.configuration.apiCredentialsError": "Les informations d'identification auth ou OAuth de base doivent être spécifiées", + "xpack.stackConnectors.serviceNow.configuration.apiOAuthCredentialsError": "clientSecret et privateKey doivent tous deux être spécifiés", + "xpack.stackConnectors.serviceNow.title": "ServiceNow", + "xpack.stackConnectors.serviceNowITOM.title": "ServiceNow ITOM", + "xpack.stackConnectors.serviceNowITSM.title": "ServiceNow ITSM", + "xpack.stackConnectors.serviceNowSIR.title": "ServiceNow SecOps", + "xpack.stackConnectors.slack.configurationErrorNoHostname": "erreur lors de la configuration de l'action slack : impossible d'analyser le nom de l'hôte depuis webhookUrl", + "xpack.stackConnectors.slack.errorPostingErrorMessage": "erreur lors de la publication du message slack", + "xpack.stackConnectors.slack.errorPostingRetryLaterErrorMessage": "erreur lors de la publication d'un message slack, réessayer ultérieurement", + "xpack.stackConnectors.slack.title": "Slack", + "xpack.stackConnectors.slack.unexpectedNullResponseErrorMessage": "réponse nulle inattendue de Slack", + "xpack.stackConnectors.swimlane.title": "Swimlane", + "xpack.stackConnectors.teams.configurationErrorNoHostname": "erreur lors de la configuration de l'action teams : impossible d'analyser le nom de l'hôte depuis webhookUrl", + "xpack.stackConnectors.teams.errorPostingRetryLaterErrorMessage": "erreur lors de la publication d'un message Microsoft Teams, réessayer ultérieurement", + "xpack.stackConnectors.teams.invalidResponseErrorMessage": "erreur lors de la publication sur Microsoft Teams, réponse non valide", + "xpack.stackConnectors.teams.title": "Microsoft Teams", + "xpack.stackConnectors.teams.unexpectedNullResponseErrorMessage": "réponse nulle inattendue de Microsoft Teams", + "xpack.stackConnectors.teams.unreachableErrorMessage": "erreur lors de la publication sur Microsoft Teams, erreur inattendue", + "xpack.stackConnectors.webhook.invalidResponseErrorMessage": "erreur lors de l'appel de webhook, réponse non valide", + "xpack.stackConnectors.webhook.invalidResponseRetryLaterErrorMessage": "erreur lors de l'appel de webhook, réessayer ultérieurement", + "xpack.stackConnectors.webhook.invalidUsernamePassword": "l'utilisateur et le mot de passe doivent être spécifiés", + "xpack.stackConnectors.webhook.requestFailedErrorMessage": "erreur lors de l'appel de webhook, requête échouée", + "xpack.stackConnectors.webhook.title": "Webhook", + "xpack.stackConnectors.webhook.unexpectedNullResponseErrorMessage": "réponse nulle inattendue de webhook", + "xpack.stackConnectors.webhook.unreachableErrorMessage": "erreur lors de l'appel de webhook, erreur inattendue", + "xpack.stackConnectors.xmatters.invalidUsernamePassword": "L'utilisateur et le mot de passe doivent être spécifiés.", + "xpack.stackConnectors.xmatters.missingConfigUrl": "Fournir une configUrl valide", + "xpack.stackConnectors.xmatters.missingPassword": "Fournir un mot de passe valide", + "xpack.stackConnectors.xmatters.missingSecretsUrl": "Fournir une secretsUrl valide avec la clé d'API", + "xpack.stackConnectors.xmatters.missingUser": "Fournir un nom d'utilisateur valide", + "xpack.stackConnectors.xmatters.noSecretsProvided": "Fournir le lien secretsUrl ou le nom d'utilisateur/le mot de passe pour vous authentifier", + "xpack.stackConnectors.xmatters.noUserPassWhenSecretsUrl": "Impossible d'utiliser le nom d'utilisateur/le mot de passe pour l'authentification de l'URL. Fournir une secretsUrl valide ou utiliser l'authentification de base.", + "xpack.stackConnectors.xmatters.postingErrorMessage": "Erreur de déclenchement du workflow xMatters", + "xpack.stackConnectors.xmatters.shouldNotHaveConfigUrl": "configUrl ne doit pas être fournie lorsque usesBasic est faux", + "xpack.stackConnectors.xmatters.shouldNotHaveSecretsUrl": "secretsUrl ne doit pas être fournie lorsque usesBasic est vrai", + "xpack.stackConnectors.xmatters.shouldNotHaveUsernamePassword": "Le nom d'utilisateur et le mot de passe ne doivent pas être fournis lorsque usesBasic est faux", + "xpack.stackConnectors.xmatters.title": "xMatters", + "xpack.stackConnectors.xmatters.unexpectedNullResponseErrorMessage": "réponse nulle inattendue de xmatters", + "xpack.synthetics.addMonitor.pageHeader.description": "Pour plus d'informations sur les types de moniteur disponibles et les autres options, consultez notre {docs}.", "xpack.synthetics.addMonitorRoute.title": "Ajouter un moniteur | {baseTitle}", "xpack.synthetics.alerts.durationAnomaly.defaultActionMessage": "Temps de réponse anormal (niveau {severity}) détecté dans le {monitor} possédant l'URL {monitorUrl} à {anomalyStartTimestamp}. La note de sévérité anormale est {severityScore}.\nDes temps de réponse aussi élevés que {slowestAnomalyResponse} ont été détectés à partir de l'emplacement {observerLocation}. Le temps de réponse attendu est {expectedResponseTime}.", "xpack.synthetics.alerts.durationAnomaly.defaultRecoveryMessage": "L'alerte pour temps de réponse anormal (niveau {severity}) détecté sur le moniteur {monitor} possédant l'URL {monitorUrl} depuis l'emplacement {observerLocation} à {anomalyStartTimestamp} a été résolue", @@ -30349,16 +33138,21 @@ "xpack.synthetics.alerts.tls.validBeforeExpiredString": "valide depuis le {date}, il y a {relativeDate} jours.", "xpack.synthetics.alerts.tls.validBeforeExpiringString": "non valide jusqu'au {date}, dans {relativeDate} jours.", "xpack.synthetics.availabilityLabelText": "{value} %", + "xpack.synthetics.browser.zipUrl.deprecation.content": "L'URL du Zip est déclassée et sera supprimée dans une prochaine version. Utilisez les moniteurs de projet à la place pour créer des moniteurs à partir d'un référentiel distant et pour migrer les moniteurs d'URL de Zip existants. {link}", "xpack.synthetics.certificates.heading": "Certificats TLS ({total})", "xpack.synthetics.certificatesRoute.title": "Certificats | {baseTitle}", "xpack.synthetics.certs.status.ok.label": " {okRelativeDate}", "xpack.synthetics.charts.mlAnnotation.header": "Note : {score}", "xpack.synthetics.charts.mlAnnotation.severity": "Sévérité : {severity}", "xpack.synthetics.controls.selectSeverity.scoreDetailsDescription": "score {value} et supérieur", + "xpack.synthetics.createMonitorRoute.title": "Créer un moniteur | {baseTitle}", "xpack.synthetics.createPackagePolicy.stepConfigure.browserAdvancedSettings.throttling.throttling_exceeded.message": "Vous avez dépassé la limite de { throttlingField } pour les nœuds synthétiques. La valeur de { throttlingField } ne peut pas être supérieure à { limit } Mbits/s.", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.deprecation.content": "L'URL du Zip est déclassée et sera supprimée dans une prochaine version. Utilisez les moniteurs de projet à la place pour créer des moniteurs à partir d'un référentiel distant et pour migrer les moniteurs d'URL de Zip existants. {link}", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.content": "Pour créer un moniteur \"Navigateur\", veuillez vous assurer que vous utilisez le conteneur Docker {agent}, qui inclut les dépendances permettant d'exécuter ces moniteurs. Pour en savoir plus, visitez notre {link}.", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.params.helpText": "Utilisez le JSON pour définir les paramètres qui peuvent être référencés dans votre script avec {code}", "xpack.synthetics.durationChart.emptyPrompt.description": "Ce moniteur n'a jamais été {emphasizedText} au cours de la plage temporelle sélectionnée.", "xpack.synthetics.editMonitorRoute.title": "Modifier le moniteur | {baseTitle}", + "xpack.synthetics.errorDetailsRoute.title": "Détails de l'erreur | {baseTitle}", "xpack.synthetics.gettingStartedRoute.title": "Premiers pas avec Synthetics | {baseTitle}", "xpack.synthetics.keyValuePairsField.deleteItem.label": "Supprimer le numéro d'élément {index}, {key}:{value}", "xpack.synthetics.management.monitorDisabledSuccessMessage": "Moniteur {name} désactivé.", @@ -30368,14 +33162,28 @@ "xpack.synthetics.management.monitorList.frequencyInSeconds": "{countSeconds, number} {countSeconds, plural, one {seconde} other {secondes}}", "xpack.synthetics.management.monitorList.recordRange": "Affichage de {range} sur {total} {monitorsLabel}", "xpack.synthetics.management.monitorList.recordRangeLabel": "{monitorCount, plural, one {Moniteur} other {Moniteurs}}", + "xpack.synthetics.management.monitorList.recordTotal": "Affichage de {total} {monitorsLabel}", "xpack.synthetics.ml.enableAnomalyDetectionPanel.manageMLJobDescription": "Une fois qu'une tâche a été créée, vous pouvez la gérer et afficher davantage de détails sur la {mlJobsPageLink}.", "xpack.synthetics.monitor.simpleStatusAlert.email.subject": "Le moniteur {monitor} possédant l'URL {url} est arrêté", + "xpack.synthetics.monitor.stepOfSteps": "Étape : {stepNumber} sur {totalSteps}", "xpack.synthetics.monitorCharts.durationChart.leftAxis.title": "Durée en {unit}", "xpack.synthetics.monitorCharts.monitorDuration.titleLabelWithAnomaly": "Durée du moniteur (Anomalies : {noOfAnomalies})", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.description": "Utilisez l'enregistreur Elastic Synthetics pour générer et charger un script. Vous pouvez également modifier le script {playwright} existant (ou en coller un nouveau) dans l'éditeur de script.", + "xpack.synthetics.monitorConfig.monitorScriptStep.description": "Utilisez l'enregistreur Elastic Synthetics pour générer un script, puis chargez-le. Vous pouvez également écrire votre propre script {playwright} et le coller dans l'éditeur de script.", + "xpack.synthetics.monitorConfig.schedule.label": "Toutes les {value, number} {value, plural, one {heure} other {heures}}", + "xpack.synthetics.monitorConfig.schedule.minutes.label": "Toutes les {value, number} {value, plural, one {minute} other {minutes}}", + "xpack.synthetics.monitorDetail.days": "{n, plural, one {jour} other {jours}}", + "xpack.synthetics.monitorDetail.hours": "{n, plural, one {heure} other {heures}}", + "xpack.synthetics.monitorDetail.minutes": "{n, plural, one {minute} other {minutes}}", + "xpack.synthetics.monitorDetail.seconds": "{n, plural, one {seconde} other {secondes}}", + "xpack.synthetics.monitorDetails.title": "Détails du moniteur Synthetics | {baseTitle}", + "xpack.synthetics.monitorErrors.title": "Erreurs du moniteur Synthetics | {baseTitle}", + "xpack.synthetics.monitorHistory.title": "Historique du moniteur Synthetics | {baseTitle}", "xpack.synthetics.monitorList.defineConnector.description": "Définissez un connecteur par défaut dans {link} pour activer les alertes de statut du moniteur.", "xpack.synthetics.monitorList.drawer.missingLocation": "Certaines instances Heartbeat n'ont pas d'emplacement défini. {link} vers votre configuration Heartbeat.", "xpack.synthetics.monitorList.drawer.statusRowLocationList": "Liste d'emplacements ayant le statut \"{status}\" à la dernière vérification.", "xpack.synthetics.monitorList.expandDrawerButton.ariaLabel": "Développer la ligne du moniteur avec l'ID {id}", + "xpack.synthetics.monitorList.flyout.unitStr": "Toutes les {unitMsg}", "xpack.synthetics.monitorList.infraIntegrationAction.docker.tooltip": "Vérifier l'interface utilisateur de l'infrastructure pour l'ID de conteneur \"{containerId}\"", "xpack.synthetics.monitorList.infraIntegrationAction.ip.tooltip": "Vérifier l'interface utilisateur de l'infrastructure pour l'IP \"{ip}\"", "xpack.synthetics.monitorList.infraIntegrationAction.kubernetes.tooltip": "Vérifier l'interface utilisateur de l'infrastructure pour l'UID de pod \"{podUid}\".", @@ -30400,13 +33208,17 @@ "xpack.synthetics.monitorList.statusColumn.locStatusMessage.tooltip.up": "Opérationnel dans {locs}", "xpack.synthetics.monitorList.table.description": "Tableau de statut de moniteur avec les colonnes Statut, Nom, URL, IP, Historique d'indisponibilité et Intégrations. Le tableau affiche actuellement {length} éléments.", "xpack.synthetics.monitorList.tags.filter": "Filtrer tous les moniteurs avec la balise {tag}", + "xpack.synthetics.monitorManagement.agentCallout.content": "Si vous avez l'intention d'exécuter les moniteurs \"Navigateur\" dans cet emplacement privé, assurez-vous d'utiliser le conteneur Docker {code}, qui contient les dépendances permettant d'exécuter ces moniteurs. Pour en savoir plus, {link}.", "xpack.synthetics.monitorManagement.anotherPrivateLocation": "Cette politique d'agent est déjà associée à l'emplacement {locationName}.", "xpack.synthetics.monitorManagement.cannotDelete": "Cet emplacement ne peut pas être détecté, car il a {monCount} moniteurs en cours d'exécution. Retirez cet emplacement de vos moniteurs avant de le supprimer.", + "xpack.synthetics.monitorManagement.deleteMonitorNameLabel": "Supprimer le moniteur \"{name}\"", "xpack.synthetics.monitorManagement.disclaimer": "En utilisant cette fonctionnalité, le client reconnaît avoir lu et accepté les {link}. ", "xpack.synthetics.monitorManagement.monitorAdvancedOptions.namespaceHelpLabel": "Modifiez l'espace de nom par défaut. Ce paramètre modifie le nom du flux de données du moniteur. {learnMore}.", + "xpack.synthetics.monitorManagement.monitorDeleteSuccessMessage.name": "Moniteur {name} supprimé.", "xpack.synthetics.monitorManagement.monitorDisabledSuccessMessage": "Moniteur {name} désactivé.", "xpack.synthetics.monitorManagement.monitorEnabledSuccessMessage": "Moniteur {name} activé.", "xpack.synthetics.monitorManagement.monitorEnabledUpdateFailureMessage": "Impossible de mettre à jour le moniteur {name}.", + "xpack.synthetics.monitorManagement.monitorList.disclaimer.label": "Assurez-vous de retirer ce moniteur de la source du projet, sinon il sera à nouveau créé à votre prochaine utilisation de la commande push. Pour en savoir plus, {docsLink} pour la suppression des moniteurs de projet.", "xpack.synthetics.monitorManagement.service.error.message": "Votre moniteur a été enregistré, mais un problème est survenu lors de la synchronisation de la configuration pour {location}. Nous réessaierons plus tard de façon automatique. Si le problème persiste, vos moniteurs arrêteront de fonctionner dans {location}. Veuillez contacter le support technique pour obtenir de l'aide.", "xpack.synthetics.monitorManagement.service.error.reason": "Raison : {reason}.", "xpack.synthetics.monitorManagement.service.error.status": "Statut : {status}. ", @@ -30416,6 +33228,9 @@ "xpack.synthetics.monitorRoute.title": "Moniteur | {baseTitle}", "xpack.synthetics.monitorStatusBar.locations.oneLocStatus": "{status} dans {loc} emplacement", "xpack.synthetics.monitorStatusBar.locations.upStatus": "{status} dans {loc} emplacements", + "xpack.synthetics.overview.actions.disabledSuccessLabel": "Moniteur \"{name}\" désactivé.", + "xpack.synthetics.overview.actions.enabledFailLabel": "Impossible de mettre à jour le moniteur \"{name}\".", + "xpack.synthetics.overview.actions.enabledSuccessLabel": "Moniteur \"{name}\" activé", "xpack.synthetics.overview.alerts.enabled.success.description": "Un message sera envoyé à {actionConnectors} lorsque ce monitoring sera arrêté.", "xpack.synthetics.overview.durationMsFormatting": "{millis} ms", "xpack.synthetics.overview.durationSecondsFormatting": "{seconds} s", @@ -30430,6 +33245,10 @@ "xpack.synthetics.pingList.recencyMessage": "Vérifié {fromNow}", "xpack.synthetics.public.pages.mappingError.bodyDocsLink": "Vous pouvez apprendre à corriger ce problème dans la {docsLink}.", "xpack.synthetics.public.pages.mappingError.bodyMessage": "Mappings incorrects détectés ! Vous avez peut-être oublié d'exécuter la commande {setup} Heartbeat ?", + "xpack.synthetics.service.projectMonitors.cannotUpdateMonitorToDifferentTypeDetails": "Le moniteur {monitorId} de type {previousType} ne peut pas être mis à jour en type {currentType}. Veuillez d'abord supprimer ce moniteur et réessayer.", + "xpack.synthetics.service.projectMonitors.failedToCreateXMonitors": "Impossible de créer les moniteurs {length}", + "xpack.synthetics.settingsRoute.retentionCalloutDescription": "Pour modifier vos paramètres de conservation des données, nous vous recommandons de créer votre propre politique de cycle de vie des index et de l'attacher au modèle de composant personnalisé approprié dans {stackManagement}. Pour en savoir plus, {docsLink}.", + "xpack.synthetics.settingsRoute.table.retentionPeriodValue": "{value} jours + substitution", "xpack.synthetics.settingsRoute.title": "Paramètres | {baseTitle}", "xpack.synthetics.snapshot.donutChart.ariaLabel": "Camembert affichant le statut actuel. {down} moniteurs sur {total} sont arrêtés.", "xpack.synthetics.snapshotHistogram.description": "Graphique à barres affichant le statut Uptime au fil du temps de {startTime} à {endTime}.", @@ -30438,6 +33257,7 @@ "xpack.synthetics.sourceConfiguration.expirationThresholdDefaultValue": "La valeur par défaut est {defaultValue}", "xpack.synthetics.sourceConfiguration.heartbeatIndicesDefaultValue": "La valeur par défaut est {defaultValue}", "xpack.synthetics.stepDetailRoute.title": "Détail synthétique | {baseTitle}", + "xpack.synthetics.stepDetailsRoute.title": "Détails de l'étape | {baseTitle}", "xpack.synthetics.synthetics.emptyJourney.message.checkGroupField": "Le groupe de vérification du parcours est {codeBlock}.", "xpack.synthetics.synthetics.executedStep.screenshot.notSucceeded": "Capture d'écran pour la vérification du statut {status}", "xpack.synthetics.synthetics.executedStep.screenshot.successfulLink": "Capture d'écran de {link}", @@ -30448,12 +33268,20 @@ "xpack.synthetics.synthetics.screenshotDisplay.altText": "Capture d'écran de l'étape portant le nom \"{stepName}\"", "xpack.synthetics.synthetics.step.duration": "{value} secondes", "xpack.synthetics.synthetics.stepDetail.totalSteps": "Étape {stepIndex} sur {totalSteps}", + "xpack.synthetics.synthetics.testDetail.totalSteps": "Étape {stepIndex} sur {totalSteps}", + "xpack.synthetics.synthetics.testDetails.stepNav": "{stepIndex} / {totalSteps}", "xpack.synthetics.synthetics.waterfall.offsetUnit": "{offset} ms", "xpack.synthetics.synthetics.waterfall.requestsHighlightedMessage": "({numHighlightedRequests} correspondent au filtre)", "xpack.synthetics.synthetics.waterfall.requestsTotalMessage": "{numNetworkRequests} requêtes réseau", "xpack.synthetics.synthetics.waterfall.requestsTotalMessage.first": "Premier(s)/première(s) {count}", "xpack.synthetics.testRun.runErrorLocation": "Impossible d'exécuter le moniteur sur l'emplacement {locationName}.", + "xpack.synthetics.testRunDetailsRoute.title": "Détails de l'exécution du test | {baseTitle}", "xpack.synthetics.addDataButtonLabel": "Ajouter des données", + "xpack.synthetics.addEditMonitor.scriptEditor.ariaLabel": "Éditeur de code JavaScript", + "xpack.synthetics.addEditMonitor.scriptEditor.helpText": "Exécute des scripts de tests synthétiques définis en ligne.", + "xpack.synthetics.addEditMonitor.scriptEditor.label": "Éditeur de script", + "xpack.synthetics.addEditMonitor.scriptEditor.placeholder": "// Collez votre script Playwright ici...", + "xpack.synthetics.addMonitor.pageHeader.docsLink": "documentation", "xpack.synthetics.addMonitor.pageHeader.title": "Ajouter un moniteur", "xpack.synthetics.alertDropdown.noWritePermissions": "Vous devez disposer d'un accès en lecture-écriture à Uptime pour créer des alertes dans cette application.", "xpack.synthetics.alerts.anomaly.criteriaExpression.ariaLabel": "Expression affichant les critères d'un moniteur sélectionné.", @@ -30474,6 +33302,7 @@ "xpack.synthetics.alerts.durationAnomaly.clientName": "Anomalie de durée Uptime", "xpack.synthetics.alerts.durationAnomaly.description": "Alerte lorsque la durée du moniteur Uptime est anormale.", "xpack.synthetics.alerts.monitorStatus": "Statut du moniteur Uptime", + "xpack.synthetics.alerts.monitorStatus.actionVariables.context.alertDetailUrl.description": "Liaison vers la vue dans Elastic qui affiche davantage de détails et de contexte concernant cette alerte", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.alertReasonMessage.description": "Une description concise de la raison du signalement", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.downMonitorsWithGeo.description": "Résumé généré montrant certains ou tous les moniteurs détectés comme \"arrêtés\" par l'alerte", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.message.description": "Message généré résumant les moniteurs actuellement arrêtés", @@ -30527,9 +33356,9 @@ "xpack.synthetics.alerts.monitorStatus.filters.usingPort": "En utilisant le port", "xpack.synthetics.alerts.monitorStatus.filters.with": "À l'aide de", "xpack.synthetics.alerts.monitorStatus.filters.withTag": "Avec la balise", - "xpack.synthetics.alerts.monitorStatus.numTimesExpression.anyMonitors.description": "tout moniteur est arrêté >", + "xpack.synthetics.alerts.monitorStatus.numTimesExpression.anyMonitors.description": "tout moniteur est arrêté >=", "xpack.synthetics.alerts.monitorStatus.numTimesExpression.ariaLabel": "Ouvrir la fenêtre contextuelle pour saisir le compte de moniteurs arrêtés", - "xpack.synthetics.alerts.monitorStatus.numTimesExpression.matchingMonitors.description": "les moniteurs correspondants sont arrêtés >", + "xpack.synthetics.alerts.monitorStatus.numTimesExpression.matchingMonitors.description": "les moniteurs correspondants sont arrêtés >=", "xpack.synthetics.alerts.monitorStatus.numTimesField.ariaLabel": "Entrer le nombre de moniteurs arrêtés requis pour déclencher l'alerte", "xpack.synthetics.alerts.monitorStatus.oldAlertCallout.title": "Si vous modifiez une ancienne alerte, certains champs ne se rempliront peut-être pas automatiquement.", "xpack.synthetics.alerts.monitorStatus.statusEnabledCheck.label": "Vérification du statut", @@ -30585,6 +33414,7 @@ "xpack.synthetics.apmIntegrationAction.text": "Afficher les données APM", "xpack.synthetics.badge.readOnly.text": "Lecture seule", "xpack.synthetics.badge.readOnly.tooltip": "Enregistrement impossible", + "xpack.synthetics.blocked": "Bloqué", "xpack.synthetics.breadcrumbs.legacyOverviewBreadcrumbText": "Uptime", "xpack.synthetics.breadcrumbs.observabilityText": "Observabilité", "xpack.synthetics.breadcrumbs.overviewBreadcrumbText": "Synthetics", @@ -30600,6 +33430,9 @@ "xpack.synthetics.browser.project.monitorIntegrationSettingsSectionTitle": "Paramètres du moniteur", "xpack.synthetics.browser.project.readOnly.callout.content": "Ce moniteur a été ajouté depuis un projet externe. La configuration est en lecture seule.", "xpack.synthetics.browser.project.readOnly.callout.title": "Lecture seule", + "xpack.synthetics.browser.zipUrl.deprecation.dismiss": "Rejeter", + "xpack.synthetics.browser.zipUrl.deprecation.link": "En savoir plus", + "xpack.synthetics.browser.zipUrl.deprecation.title": "Avis de déclassement", "xpack.synthetics.certificates.loading": "Chargement des certificats...", "xpack.synthetics.certificates.refresh": "Actualiser", "xpack.synthetics.certificatesPage.heading": "Certificats TLS", @@ -30619,10 +33452,16 @@ "xpack.synthetics.certs.list.validUntil": "Valide jusque", "xpack.synthetics.certs.ok": "OK", "xpack.synthetics.certs.searchCerts": "Rechercher dans les certificats", + "xpack.synthetics.connect.label": "Connecter", "xpack.synthetics.controls.selectSeverity.criticalLabel": "critique", "xpack.synthetics.controls.selectSeverity.majorLabel": "majeur", "xpack.synthetics.controls.selectSeverity.minorLabel": "mineure", "xpack.synthetics.controls.selectSeverity.warningLabel": "avertissement", + "xpack.synthetics.coreVitals.cls.help": "Cumulative Layout Shift (CLS) : mesure la stabilité visuelle. Pour offrir une expérience agréable aux utilisateurs, les pages doivent conserver un CLS inférieur à 0,1.", + "xpack.synthetics.coreVitals.dclTooltip": "Déclenché lorsque le navigateur effectue l'analyse du document. Utile lorsque plusieurs écouteurs existent, ou lorsque la logique suivante est exécutée : domContentLoadedEventEnd - domContentLoadedEventStart.", + "xpack.synthetics.coreVitals.fcpTooltip": "First Contentful Paint (FCP) se concentre sur le rendu initial et mesure la durée entre le début du chargement d'une page et le moment où une partie du contenu de la page s'affiche à l'écran.", + "xpack.synthetics.coreVitals.lcp.help": "Largest Contentful Paint mesure les performances de chargement. Pour offrir une expérience agréable aux utilisateurs, le LCP doit survenir dans les 2,5 secondes du début de chargement de la page.", + "xpack.synthetics.createMonitor.pageHeader.title": "Créer le moniteur", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.experimentalLabel": "Préversion technique", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.experimentalTooltip": "Prévisualisez la méthode la plus rapide permettant de créer des scripts de monitoring Elastic Synthetics avec notre enregistreur Elastic Synthetics", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.label": "Enregistreur de scripts", @@ -30725,6 +33564,7 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.invalidFileError": "Type de fichier non valide. Veuillez charger un fichier .js généré par l'enregistreur Elastic Synthetics.", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.label": "Sélectionner un fichier .js généré par l'enregistreur", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.parsingError": "Erreur lors du chargement du fichier. Veuillez charger un fichier .js généré par l'enregistreur Elastic Synthetics au format de script en ligne.", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.deprecation.title": "L'URL de zip est déclassée", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.error": "L'URL de zip est requise", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.helpText": "Emplacement du fichier zip du référentiel du projet synthétique.", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.label": "URL du zip", @@ -30749,6 +33589,8 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorInterval.error": "La fréquence du moniteur est requise", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType": "Type de moniteur", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.link": "documentation Synthetics", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.title": "Exigence", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.zipUrl.deprecation.link": "En savoir plus", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.error": "Le type de moniteur est requis", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.params.label": "Paramètres", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.password.helpText": "Mot de passe pour l'authentification avec le serveur.", @@ -30800,6 +33642,7 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.tcpAdvancedOptions.responseConfiguration.title": "Vérifications des réponses", "xpack.synthetics.createPackagePolicy.stepConfigure.tlsSettings.description": "Configurez les options TLS, y compris le mode de vérification, les autorités de certification et les certificats clients.", "xpack.synthetics.createPackagePolicy.stepConfigure.tlsSettings.label": "Paramètres TLS", + "xpack.synthetics.detailsPanel.durationByLocation": "Durée par emplacement", "xpack.synthetics.detailsPanel.durationByStep": "Durée par étape", "xpack.synthetics.detailsPanel.durationTrends": "Tendances de durée", "xpack.synthetics.detailsPanel.last24Hours": "Dernières 24 heures", @@ -30807,7 +33650,16 @@ "xpack.synthetics.detailsPanel.monitorDetails": "Détails du moniteur", "xpack.synthetics.detailsPanel.monitorDetails.enabled": "Activé", "xpack.synthetics.detailsPanel.monitorDetails.monitorType": "Type de moniteur", + "xpack.synthetics.detailsPanel.summary": "Résumé", + "xpack.synthetics.detailsPanel.toDate": "À ce jour", + "xpack.synthetics.dns": "DNS", "xpack.synthetics.durationChart.emptyPrompt.title": "Aucune donnée de durée n'est disponible", + "xpack.synthetics.durationTrend.max": "Max.", + "xpack.synthetics.durationTrend.median": "Médiane", + "xpack.synthetics.durationTrend.min": "Min.", + "xpack.synthetics.durationTrend.percentile25": "25e", + "xpack.synthetics.durationTrend.percentile75": "75e", + "xpack.synthetics.editMonitor.errorDetailsRoute.title": "Détails de l'erreur", "xpack.synthetics.editMonitor.pageHeader.title": "Modifier le moniteur", "xpack.synthetics.editPackagePolicy.inUptime": "Modifier dans Uptime", "xpack.synthetics.editPackagePolicy.inUptimeDesc": "Cette politique de package est gérée par l’application Uptime.", @@ -30816,7 +33668,19 @@ "xpack.synthetics.emptyStateError.notFoundPage": "Page introuvable", "xpack.synthetics.emptyStateError.title": "Erreur", "xpack.synthetics.enableAlert.editAlert": "Modifier l'alerte", + "xpack.synthetics.errorDuration.label": "Erreur de durée", + "xpack.synthetics.errorMessage.label": "Message d'erreur", + "xpack.synthetics.errors.failedTests": "Tests ayant échoué", + "xpack.synthetics.errors.failedTests.byStep": "Tests ayant échoué par étape", + "xpack.synthetics.errors.label": "Erreurs", + "xpack.synthetics.errors.overview": "Aperçu", + "xpack.synthetics.errorsList.label": "Liste d'erreurs", + "xpack.synthetics.failedStep.label": "Étape ayant échoué", "xpack.synthetics.featureRegistry.syntheticsFeatureName": "Synthetics et Uptime", + "xpack.synthetics.fieldLabels.cls": "Cumulative Layout Shift (CLS)", + "xpack.synthetics.fieldLabels.dcl": "Événement DOMContentLoaded (DCL)", + "xpack.synthetics.fieldLabels.fcp": "First Contentful Paint (FCP)", + "xpack.synthetics.fieldLabels.lcp": "Largest Contentful Paint (LCP)", "xpack.synthetics.filterBar.ariaLabel": "Saisissez des critères de filtre pour la page d'aperçu", "xpack.synthetics.filterBar.filterAllLabel": "Tous", "xpack.synthetics.filterBar.options.location.name": "Emplacement", @@ -30829,6 +33693,8 @@ "xpack.synthetics.gettingStarted.createSinglePageLabel": "Créer un moniteur de navigateur de page unique", "xpack.synthetics.gettingStarted.gettingStartedLabel.selectDifferentMonitor": "sélectionner un autre type de moniteur", "xpack.synthetics.gettingStarted.orLabel": "Ou", + "xpack.synthetics.historyPanel.durationTrends": "Tendances de durée", + "xpack.synthetics.historyPanel.stats": "Statistiques", "xpack.synthetics.inspectButtonText": "Inspecter", "xpack.synthetics.integrationLink.missingDataMessage": "Les données requises pour cette intégration sont introuvables.", "xpack.synthetics.keyValuePairsField.key.ariaLabel": "Clé", @@ -30899,34 +33765,224 @@ "xpack.synthetics.ml.enableAnomalyDetectionPanel.noPermissionsTooltip": "Vous devez disposer d'un accès en lecture-écriture à Uptime pour créer des alertes d'anomalie.", "xpack.synthetics.ml.enableAnomalyDetectionPanel.startTrial": "Commencer un essai gratuit de 14 jours", "xpack.synthetics.ml.enableAnomalyDetectionPanel.startTrialDesc": "Pour pouvoir accéder à la détection des anomalies de durée, vous devez être abonné à une licence Elastic Platinum.", + "xpack.synthetics.monitor.duration.label": "Durée", + "xpack.synthetics.monitor.result.label": "Résultat", + "xpack.synthetics.monitor.screenshot.label": "Capture d'écran", + "xpack.synthetics.monitor.step.duration.label": "Durée", + "xpack.synthetics.monitor.step.loading": "Chargement des étapes...", + "xpack.synthetics.monitor.step.nextStep": "Étape suivante", + "xpack.synthetics.monitor.step.noDataFound": "Aucune donnée trouvée", + "xpack.synthetics.monitor.step.previousStep": "Étape précédente", + "xpack.synthetics.monitor.step.screenshot.ariaLabel": "La capture d'écran de l'étape est en cours de chargement.", + "xpack.synthetics.monitor.step.screenshot.notAvailable": "La capture d'écran de l'étape n'est pas disponible.", + "xpack.synthetics.monitor.step.screenshot.unAvailable": "Image indisponible", + "xpack.synthetics.monitor.step.thumbnail.alt": "Version plus grande de la capture d'écran de la miniature de l'étape du parcours.", + "xpack.synthetics.monitor.step.viewDetails": "Afficher les détails", + "xpack.synthetics.monitor.stepName.label": "Nom de l'étape", "xpack.synthetics.monitorCharts.durationChart.wrapper.label": "Graphique affichant la durée de ping du moniteur, avec regroupement par emplacement.", "xpack.synthetics.monitorCharts.monitorDuration.titleLabel": "Durée du moniteur", + "xpack.synthetics.monitorConfig.advancedOptions.title": "Options avancées", + "xpack.synthetics.monitorConfig.apmServiceName.helpText": "Correspond au champ ECS service.name d'APM. Définissez cette option pour activer les intégrations entre les données APM et synthétiques.", + "xpack.synthetics.monitorConfig.apmServiceName.label": "Nom de service APM", + "xpack.synthetics.monitorConfig.certificateAuthorities.helpText": "Autorités de certificats personnalisés formatés PEM.", + "xpack.synthetics.monitorConfig.certificateAuthorities.label": "Autorités de certificats", + "xpack.synthetics.monitorConfig.clientCertificate.helpText": "Certificat formaté PEM pour l'authentification du client TLS.", + "xpack.synthetics.monitorConfig.clientCertificate.label": "Certificat du client", + "xpack.synthetics.monitorConfig.clientKey.helpText": "Clé de certificat formaté PEM pour l'authentification du client TLS.", + "xpack.synthetics.monitorConfig.clientKey.label": "Clé client", + "xpack.synthetics.monitorConfig.clientKeyPassphrase.helpText": "Phrase secrète de la clé de certificat pour l'authentification du client TLS.", + "xpack.synthetics.monitorConfig.clientKeyPassphrase.label": "Phrase secrète de la clé de client", + "xpack.synthetics.monitorConfig.create.enabled.label": "Les moniteurs désactivés n'exécutent pas de tests. Vous pouvez créer un moniteur désactivé et l'activer plus tard.", + "xpack.synthetics.monitorConfig.customTLS.label": "Utiliser la configuration TLS personnalisée", + "xpack.synthetics.monitorConfig.edit.enabled.label": "Les moniteurs désactivés n'exécutent pas de tests.", + "xpack.synthetics.monitorConfig.enabled.label": "Activer le moniteur", + "xpack.synthetics.monitorConfig.frequency.helpText": "À quelle fréquence voulez-vous exécuter ce test ? Les fréquences les plus élevées augmenteront votre coût total.", + "xpack.synthetics.monitorConfig.frequency.label": "Fréquence", + "xpack.synthetics.monitorConfig.hostsICMP.label": "Hôte", + "xpack.synthetics.monitorConfig.hostsTCP.label": "Host:Port", + "xpack.synthetics.monitorConfig.indexResponseBody.helpText": "Contrôle l'indexation du contenu du corps de la réponse HTTP en fonction du", + "xpack.synthetics.monitorConfig.indexResponseBody.label": "Indexer le corps de réponse", + "xpack.synthetics.monitorConfig.indexResponseHeaders.helpText": "Contrôle l'indexation des en-têtes de la réponse HTTP en fonction du ", + "xpack.synthetics.monitorConfig.indexResponseHeaders.label": "Indexer les en-têtes de réponse", + "xpack.synthetics.monitorConfig.locations.disclaimer": "Vous consentez au transfert des instructions de test et des résultats de ces instructions (y compris les données qui y figurent) vers l'emplacement de test que vous avez sélectionné, sur une infrastructure proposée par un fournisseur de services cloud choisi par Elastic.", + "xpack.synthetics.monitorConfig.locations.helpText": "À partir de quel emplacement souhaitez-vous exécuter ce test ? Les emplacements supplémentaires augmenteront votre coût total.", + "xpack.synthetics.monitorConfig.locations.label": "Emplacements", + "xpack.synthetics.monitorConfig.maxRedirects.error": "\"Nb maxi de redirections\" n'est pas valide.", + "xpack.synthetics.monitorConfig.maxRedirects.helpText": "Nombre total de redirections à suivre.", + "xpack.synthetics.monitorConfig.maxRedirects.label": "Nb maxi de redirections", + "xpack.synthetics.monitorConfig.monitorDetailsStep.description": "Fournit quelques détails sur la façon dont votre moniteur devrait s'exécuter", + "xpack.synthetics.monitorConfig.monitorDetailsStep.title": "Détails du moniteur", + "xpack.synthetics.monitorConfig.monitorScript.error": "Le script de moniteur est requis", + "xpack.synthetics.monitorConfig.monitorScript.label": "Script de moniteur", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.playwrightLink": "Playwright", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.title": "Script de moniteur", + "xpack.synthetics.monitorConfig.monitorScriptStep.playwrightLink": "Playwright", + "xpack.synthetics.monitorConfig.monitorScriptStep.scriptRecorder.download": "Télécharger l'enregistreur Elastic Synthetics", + "xpack.synthetics.monitorConfig.monitorScriptStep.scriptRecorder.launch": "Lancer l'enregistreur Elastic Synthetics", + "xpack.synthetics.monitorConfig.monitorScriptStep.title": "Ajouter un script", + "xpack.synthetics.monitorConfig.monitorType.betaLabel": "Cette fonctionnalité est en version bêta et susceptible d'être modifiée. La conception et le code sont moins matures que les fonctionnalités officielles en disponibilité générale et sont fournis tels quels sans aucune garantie. Les fonctionnalités en version bêta ne sont pas soumises à l'accord de niveau de service des fonctionnalités officielles en disponibilité générale.", + "xpack.synthetics.monitorConfig.monitorType.http.description": "API légère pour valider la disponibilité d'un service web ou d'un point de terminaison.", + "xpack.synthetics.monitorConfig.monitorType.http.label": "Ping HTTP", + "xpack.synthetics.monitorConfig.monitorType.http.title": "Ping HTTP", + "xpack.synthetics.monitorConfig.monitorType.icmp.description": "API légère pour valider la disponibilité d'un service web ou d'un point de terminaison.", + "xpack.synthetics.monitorConfig.monitorType.icmp.label": "Ping ICMP", + "xpack.synthetics.monitorConfig.monitorType.icmp.title": "Ping ICMP", + "xpack.synthetics.monitorConfig.monitorType.label": "Type de moniteur", + "xpack.synthetics.monitorConfig.monitorType.learnMoreLink": "En savoir plus", + "xpack.synthetics.monitorConfig.monitorType.multiStep.description": "Naviguez dans les différentes étapes ou pages pour tester les flux utilisateurs clés à partir d'un navigateur réel.", + "xpack.synthetics.monitorConfig.monitorType.multiStep.label": "Plusieurs étapes", + "xpack.synthetics.monitorConfig.monitorType.multiStep.title": "Parcours de navigateur à plusieurs étapes", + "xpack.synthetics.monitorConfig.monitorType.singlePage.description": "Testez un chargement de page unique avec tous les objets présents sur la page à partir d'un navigateur web réel.", + "xpack.synthetics.monitorConfig.monitorType.singlePage.label": "Page unique", + "xpack.synthetics.monitorConfig.monitorType.singlePage.title": "Test de navigateur pour une page unique", + "xpack.synthetics.monitorConfig.monitorType.tcp.description": "API légère pour valider la disponibilité d'un service web ou d'un point de terminaison.", + "xpack.synthetics.monitorConfig.monitorType.tcp.label": "Ping TCP", + "xpack.synthetics.monitorConfig.monitorType.tcp.title": "Ping TCP", + "xpack.synthetics.monitorConfig.monitorTypeStep.description": "Choisir le moniteur le mieux adapté à votre cas d'utilisation", + "xpack.synthetics.monitorConfig.monitorTypeStep.title": "Sélectionner un type de moniteur", + "xpack.synthetics.monitorConfig.name.error": "Le nom de moniteur est requis", + "xpack.synthetics.monitorConfig.name.existsError": "Le nom du moniteur existe déjà", + "xpack.synthetics.monitorConfig.name.helpText": "Choisissez un nom pour identifier facilement ce moniteur ultérieurement.", + "xpack.synthetics.monitorConfig.name.label": "Nom de moniteur", + "xpack.synthetics.monitorConfig.namespace.helpText": "Modifiez l'espace de nom par défaut. Ce paramètre modifie le nom du flux de données du moniteur. ", + "xpack.synthetics.monitorConfig.namespace.label": "Espace de nom du flux de données", + "xpack.synthetics.monitorConfig.namespace.learnMore": "En savoir plus", + "xpack.synthetics.monitorConfig.password.helpText": "Mot de passe pour l'authentification avec le serveur.", + "xpack.synthetics.monitorConfig.password.label": "Mot de passe", + "xpack.synthetics.monitorConfig.playwrightOptions.codeEditor.json.ariaLabel": "Éditeur de code JSON pour les options Playwright", + "xpack.synthetics.monitorConfig.playwrightOptions.error": "Format JSON non valide", + "xpack.synthetics.monitorConfig.playwrightOptions.helpText": "Configurez l'agent Playwright avec les options personnalisées. ", + "xpack.synthetics.monitorConfig.playwrightOptions.label": "Options Playwright", + "xpack.synthetics.monitorConfig.playwrightOptions.learnMore": "En savoir plus", + "xpack.synthetics.monitorConfig.proxyUrl.helpText": "URL du proxy HTTP", + "xpack.synthetics.monitorConfig.proxyUrl.label": "URL du proxy", + "xpack.synthetics.monitorConfig.proxyURLTCP.helpText": "URL du proxy SOCKS5 à utiliser lors de la connexion au serveur. La valeur doit être une URL avec un schéma de socks5://.", + "xpack.synthetics.monitorConfig.proxyURLTCP.label": "URL du proxy", + "xpack.synthetics.monitorConfig.requestBody.helpText": "Contenu du corps de la requête.", + "xpack.synthetics.monitorConfig.requestBody.label": "Corps de la requête", + "xpack.synthetics.monitorConfig.requestHeaders.error": "La clé d'en-tête doit être un token HTTP valide.", + "xpack.synthetics.monitorConfig.requestHeaders.helpText": "Dictionnaire d'en-têtes HTTP supplémentaires à envoyer. Par défaut, le client définira l'en-tête User-Agent (utilisateur-agent) de façon à ce qu'il s'identifie lui-même.", + "xpack.synthetics.monitorConfig.requestHeaders.label": "En-têtes de la requête", + "xpack.synthetics.monitorConfig.requestMethod.helpText": "Méthode HTTP à utiliser.", + "xpack.synthetics.monitorConfig.requestMethod.label": "Méthode de la requête", + "xpack.synthetics.monitorConfig.requestSendCheck.helpText": "Chaîne de données utiles à envoyer à l'hôte distant.", + "xpack.synthetics.monitorConfig.requestSendCheck.label": "Charge utile de la requête", + "xpack.synthetics.monitorConfig.responseBodyCheck.helpText": "Liste d'expressions régulières pour une correspondance au corps. Appuyez sur Entrée pour ajouter une nouvelle expression. Seule une expression unique a besoin de correspondre.", + "xpack.synthetics.monitorConfig.responseBodyCheck.label": "Le corps de la réponse de vérification contient", + "xpack.synthetics.monitorConfig.responseBodyCheckNegative.helpText": "Liste d'expressions régulières pour une correspondance négative à la sortie du corps. Appuyez sur Entrée pour ajouter une nouvelle expression. Renvoie un échec de correspondance si l'expression unique correspond.", + "xpack.synthetics.monitorConfig.responseBodyCheckNegative.label": "Le corps de la réponse de vérification ne contient pas", + "xpack.synthetics.monitorConfig.responseHeadersCheck.error": "La clé d'en-tête doit être un token HTTP valide.", + "xpack.synthetics.monitorConfig.responseHeadersCheck.helpText": "Liste d'en-têtes de réponse attendus.", + "xpack.synthetics.monitorConfig.responseHeadersCheck.label": "Les en-têtes de la réponse de vérification contiennent", + "xpack.synthetics.monitorConfig.responseReceiveCheck.helpText": "Réponse attendue de l'hôte distant.", + "xpack.synthetics.monitorConfig.responseReceiveCheck.label": "La réponse de vérification contient", + "xpack.synthetics.monitorConfig.responseStatusCheck.error": "Le code de statut doit contenir uniquement des chiffres.", + "xpack.synthetics.monitorConfig.responseStatusCheck.helpText": "Liste de codes de statut attendus. Appuyez sur Entrée pour ajouter un nouveau code. Les codes 4xx et 5xx sont considérés comme \"Arrêté\" par défaut. Les autres codes sont considérés comme \"Opérationnel\"", + "xpack.synthetics.monitorConfig.responseStatusCheck.label": "Le statut de la réponse de vérification est égal à", + "xpack.synthetics.monitorConfig.screenshotOptions.helpText": "Définissez cette option pour gérer les captures d'écran effectuées par l'agent synthétique.", + "xpack.synthetics.monitorConfig.screenshotOptions.label": "Options de capture d'écran", + "xpack.synthetics.monitorConfig.scriptRecorder.label": "Charger le script", + "xpack.synthetics.monitorConfig.scriptRecorderEdit.label": "Charger le nouveau script", + "xpack.synthetics.monitorConfig.section.dataOptions.description": "Configurez les options de données pour ajouter un contexte aux données provenant de vos moniteurs.", + "xpack.synthetics.monitorConfig.section.dataOptions.title": "Options de données", + "xpack.synthetics.monitorConfig.section.requestConfigTCP.description": "Configurez les données utiles envoyées à l'hôte distant.", + "xpack.synthetics.monitorConfig.section.requestConfigTCP.title": "Configuration de la requête", + "xpack.synthetics.monitorConfig.section.requestConfiguration.description": "Configurez une requête facultative à envoyer à l'hôte distant, comprenant la méthode, le corps et les en-têtes.", + "xpack.synthetics.monitorConfig.section.requestConfiguration.title": "Configuration de la requête", + "xpack.synthetics.monitorConfig.section.responseChecks.description": "Configurez la réponse HTTP attendue.", + "xpack.synthetics.monitorConfig.section.responseChecks.title": "Vérifications des réponses", + "xpack.synthetics.monitorConfig.section.responseChecksTCP.description": "Configurez la réponse attendue à partir de l'hôte distant.", + "xpack.synthetics.monitorConfig.section.responseChecksTCP.title": "Vérifications des réponses", + "xpack.synthetics.monitorConfig.section.responseConfiguration.description": "Contrôlez l'indexation des contenus de réponses HTTP.", + "xpack.synthetics.monitorConfig.section.responseConfiguration.title": "Configuration des réponses", + "xpack.synthetics.monitorConfig.section.syntAgentOptions.description": "Fournissez une configuration précise pour l'agent synthétique.", + "xpack.synthetics.monitorConfig.section.syntAgentOptions.title": "Options de l'agent synthétique", + "xpack.synthetics.monitorConfig.section.tlsOptions.description": "Configurez les options TLS, y compris le mode de vérification, les autorités de certification et les certificats clients.", + "xpack.synthetics.monitorConfig.section.tlsOptions.title": "Options TLS", + "xpack.synthetics.monitorConfig.tags.helpText": "Liste de balises qui seront envoyées avec chaque événement de monitoring. Utile pour rechercher et segmenter les données.", + "xpack.synthetics.monitorConfig.tags.label": "Balises", + "xpack.synthetics.monitorConfig.textAssertion.helpText": "Prenez en considération la page chargée lorsque le texte spécifié est rendu.", + "xpack.synthetics.monitorConfig.textAssertion.label": "Assertion de texte", + "xpack.synthetics.monitorConfig.throttling.helpText": "Simulez la régulation du réseau (téléchargement, chargement, latence). D'autres options seront ajoutées dans une prochaine version.", + "xpack.synthetics.monitorConfig.throttling.label": "Profil de connexion", + "xpack.synthetics.monitorConfig.throttling.options.default": "Par défaut", + "xpack.synthetics.monitorConfig.timeout.formatError": "Le délai d'expiration n'est pas valide.", + "xpack.synthetics.monitorConfig.timeout.greaterThan0Error": "Le délai d'expiration doit être supérieur ou égal à 0.", + "xpack.synthetics.monitorConfig.timeout.helpText": "Temps total autorisé pour tester la connexion et l'échange de données.", + "xpack.synthetics.monitorConfig.timeout.label": "Délai d'expiration en secondes", + "xpack.synthetics.monitorConfig.timeout.scheduleError": "Le délai d'expiration doit être inférieur à la fréquence du moniteur.", + "xpack.synthetics.monitorConfig.tlsVersion.label": "Protocoles TLS pris en charge", + "xpack.synthetics.monitorConfig.uploader.label": "Sélectionner ou glisser-déposer un fichier .js", + "xpack.synthetics.monitorConfig.urls.helpText": "Par exemple, le point de terminaison de votre service.", + "xpack.synthetics.monitorConfig.urls.label": "URL", + "xpack.synthetics.monitorConfig.urlsSingle.helpText": "Par exemple, https://www.elastic.co/fr/.", + "xpack.synthetics.monitorConfig.urlsSingle.label": "URL de site web", + "xpack.synthetics.monitorConfig.username.helpText": "Nom d'utilisateur pour l'authentification avec le serveur.", + "xpack.synthetics.monitorConfig.username.label": "Nom d'utilisateur", + "xpack.synthetics.monitorConfig.verificationMode.helpText": "Vérifie que le certificat fourni est signé par une autorité reconnue (CA), mais également que le nom d'hôte du serveur (ou l'adresse IP) correspond aux noms identifiés dans le certificat. Si le nom alternatif du sujet n'est pas renseigné, il renvoie une erreur.", + "xpack.synthetics.monitorConfig.verificationMode.label": "Mode de vérification", + "xpack.synthetics.monitorConfig.wait.error": "La durée d'attente n'est pas valide.", + "xpack.synthetics.monitorConfig.wait.helpText": "Durée d'attente avant l'émission d'une autre requête d'écho ICMP si aucune réponse n'est reçue.", + "xpack.synthetics.monitorConfig.wait.label": "Attendre", + "xpack.synthetics.monitorDetails.availability.label": "Disponibilité", + "xpack.synthetics.monitorDetails.brushArea.message": "Brosser une zone pour une plus haute fidélité", + "xpack.synthetics.monitorDetails.complete.label": "Terminé", + "xpack.synthetics.monitorDetails.error.label": "Erreur", + "xpack.synthetics.monitorDetails.failed.label": "Échoué", + "xpack.synthetics.monitorDetails.last24Hours": "Dernières 24 heures", + "xpack.synthetics.monitorDetails.loadingTestRuns": "Chargement des exécutions de test...", "xpack.synthetics.monitorDetails.ml.confirmAlertDeleteMessage": "Voulez-vous vraiment supprimer l'alerte pour les anomalies ?", "xpack.synthetics.monitorDetails.ml.confirmDeleteMessage": "Voulez-vous vraiment supprimer cette tâche ?", "xpack.synthetics.monitorDetails.ml.deleteJobWarning": "La suppression d'une tâche peut prendre beaucoup de temps. Elle sera supprimée en arrière-plan, et les données ne disparaîtront peut-être pas instantanément.", "xpack.synthetics.monitorDetails.ml.deleteMessage": "Suppression des tâches...", + "xpack.synthetics.monitorDetails.noDataFound": "Aucune donnée trouvée", + "xpack.synthetics.monitorDetails.skipped.label": "Ignoré", + "xpack.synthetics.monitorDetails.status": "Statut", "xpack.synthetics.monitorDetails.statusBar.pingType.browser": "Navigateur", "xpack.synthetics.monitorDetails.statusBar.pingType.http": "HTTP", "xpack.synthetics.monitorDetails.statusBar.pingType.icmp": "ICMP", "xpack.synthetics.monitorDetails.statusBar.pingType.tcp": "TCP", + "xpack.synthetics.monitorDetails.summary.duration": "Durée", + "xpack.synthetics.monitorDetails.summary.lastTenTestRuns": "10 dernières exécutions de test", + "xpack.synthetics.monitorDetails.summary.lastTestRunTitle": "Dernière exécution de test", + "xpack.synthetics.monitorDetails.summary.message": "Message", + "xpack.synthetics.monitorDetails.summary.result": "Résultat", + "xpack.synthetics.monitorDetails.summary.screenshot": "Capture d'écran", + "xpack.synthetics.monitorDetails.summary.testRuns": "Exécutions de test", + "xpack.synthetics.monitorDetails.summary.viewErrorDetails": "Afficher les détails de l'erreur", + "xpack.synthetics.monitorDetails.summary.viewHistory": "Afficher l'historique", + "xpack.synthetics.monitorDetails.summary.viewTestRun": "Afficher l'exécution de test", "xpack.synthetics.monitorDetails.title.disclaimer.description": "(BÊTA)", "xpack.synthetics.monitorDetails.title.disclaimer.link": "Afficher plus", "xpack.synthetics.monitorDetails.title.pingType.browser": "Navigateur", "xpack.synthetics.monitorDetails.title.pingType.http": "Ping HTTP", "xpack.synthetics.monitorDetails.title.pingType.icmp": "Ping ICMP", "xpack.synthetics.monitorDetails.title.pingType.tcp": "Ping TCP", + "xpack.synthetics.monitorDetails.viewHistory": "Afficher l'historique", + "xpack.synthetics.monitorErrorsTab.title": "Erreurs", + "xpack.synthetics.monitorHistoryTab.title": "Historique", + "xpack.synthetics.monitorLastRun.lastRunLabel": "Dernière exécution", "xpack.synthetics.monitorList.allMonitors": "Tous les moniteurs", "xpack.synthetics.monitorList.anomalyColumn.label": "Score d'anomalies de réponse", + "xpack.synthetics.monitorList.closeFlyoutText": "Fermer", "xpack.synthetics.monitorList.defineConnector.popover.description": "pour recevoir les alertes de statut.", "xpack.synthetics.monitorList.disableDownAlert": "Désactiver les alertes de statut", "xpack.synthetics.monitorList.downLineSeries.downLabel": "Vérifications des arrêts", "xpack.synthetics.monitorList.drawer.mostRecentRun": "Exécution de test la plus récente", "xpack.synthetics.monitorList.drawer.url": "Url", + "xpack.synthetics.monitorList.durationChart.durationSeriesName": "Durée", + "xpack.synthetics.monitorList.durationChart.previousPeriodSeriesName": "Période précédente", + "xpack.synthetics.monitorList.durationHeaderText": "Durée", "xpack.synthetics.monitorList.enabledAlerts.noAlert": "Aucune règle n'est activée pour ce moniteur.", "xpack.synthetics.monitorList.enabledAlerts.title": "Règles activées", + "xpack.synthetics.monitorList.enabledItemText": "Activé", "xpack.synthetics.monitorList.enableDownAlert": "Activer les alertes de statut", "xpack.synthetics.monitorList.errorSummary": "Résumé des erreurs", + "xpack.synthetics.monitorList.flyout.locationSelect.iconButton.label": "Ce bouton ouvre un menu contextuel qui vous permettra de modifier l'emplacement sélectionné du moniteur. Si vous modifiez l'emplacement, le menu volant affichera les indicateurs des performances du moniteur dans cet emplacement.", + "xpack.synthetics.monitorList.flyoutHeader.goToLocations": "Accéder à l'emplacement", + "xpack.synthetics.monitorList.frequencyHeaderText": "Fréquence", "xpack.synthetics.monitorList.geoName.helpLinkAnnotation": "Ajouter un emplacement", + "xpack.synthetics.monitorList.goToMonitorLinkText": "Accéder au moniteur", "xpack.synthetics.monitorList.infraIntegrationAction.container.message": "Afficher les indicateurs de conteneurs", "xpack.synthetics.monitorList.infraIntegrationAction.docker.description": "Vérifier l'interface utilisateur de l'infrastructure pour cet ID de conteneur du moniteur", "xpack.synthetics.monitorList.infraIntegrationAction.ip.ariaLabel": "Vérifier l'interface utilisateur de l'infrastructure pour cette adresse IP du moniteur", @@ -30935,7 +33991,10 @@ "xpack.synthetics.monitorList.infraIntegrationAction.kubernetes.message": "Afficher les indicateurs de pod", "xpack.synthetics.monitorList.integrationGroup.emptyMessage": "Aucune application intégrée n'est disponible", "xpack.synthetics.monitorList.invalidMonitors": "Moniteurs non valides", + "xpack.synthetics.monitorList.lastModified": "Dernière modification", + "xpack.synthetics.monitorList.lastRunHeaderText": "Dernière exécution", "xpack.synthetics.monitorList.loading": "Chargement...", + "xpack.synthetics.monitorList.locationColumnName": "Emplacement", "xpack.synthetics.monitorList.locations.expand": "Cliquer pour afficher les emplacements restants", "xpack.synthetics.monitorList.loggingIntegrationAction.container.id": "Afficher les logs du conteneur", "xpack.synthetics.monitorList.loggingIntegrationAction.container.message": "Afficher les logs du conteneur", @@ -30943,13 +34002,17 @@ "xpack.synthetics.monitorList.loggingIntegrationAction.ip.message": "Afficher les logs des hôtes", "xpack.synthetics.monitorList.loggingIntegrationAction.kubernetes.ariaLabel": "Afficher les logs de pod", "xpack.synthetics.monitorList.loggingIntegrationAction.kubernetes.message": "Afficher les logs de pod", + "xpack.synthetics.monitorList.monitorDetailsHeaderText": "Détails du moniteur", "xpack.synthetics.monitorList.monitorHistoryColumnLabel": "Historique d'indisponibilité", + "xpack.synthetics.monitorList.monitorIdItemText": "ID de moniteur", "xpack.synthetics.monitorList.monitoringStatusTitle": "Moniteurs", + "xpack.synthetics.monitorList.monitorType": "Type de moniteur", "xpack.synthetics.monitorList.nameColumnLabel": "Nom", "xpack.synthetics.monitorList.noItemForSelectedFiltersMessage": "Aucun moniteur trouvé pour les critères de filtre sélectionnés", "xpack.synthetics.monitorList.noItemMessage": "Aucun moniteur Uptime trouvé", "xpack.synthetics.monitorList.noMessage.troubleshoot": "Essayez d'utiliser une plage de dates absolues. Si les moniteurs s'affichent après cette action, il existe peut-être un problème avec l'horloge système où Heartbeat ou Kibana est installé.", "xpack.synthetics.monitorList.observabilityInvestigateColumn.popoverIconButton.label": "Examiner", + "xpack.synthetics.monitorList.projectIdHeaderText": "ID de projet", "xpack.synthetics.monitorList.redirects.openWindow": "Le lien s'ouvrira dans une nouvelle fenêtre.", "xpack.synthetics.monitorList.redirects.title": "Redirections", "xpack.synthetics.monitorList.refresh": "Actualiser", @@ -30960,12 +34023,14 @@ "xpack.synthetics.monitorList.statusColumn.failedLabel": "Échoué", "xpack.synthetics.monitorList.statusColumn.upLabel": "Opérationnel", "xpack.synthetics.monitorList.statusColumnLabel": "Statut", + "xpack.synthetics.monitorList.table.project.name": "ID de projet", "xpack.synthetics.monitorList.table.tags.name": "Balises", "xpack.synthetics.monitorList.table.url.name": "Url", "xpack.synthetics.monitorList.tags.expand": "Cliquer pour afficher les balises restantes", + "xpack.synthetics.monitorList.tagsHeaderText": "Balises", "xpack.synthetics.monitorList.testNow.AriaLabel": "Cliquer pour exécuter le test maintenant", "xpack.synthetics.monitorList.testNow.available": "L'option Tester maintenant est uniquement disponible pour les moniteurs ajoutés via Gestion des moniteurs.", - "xpack.synthetics.monitorList.testNow.available.private": "Pour l'instant, l’option Tester maintenant est désactivée pour les moniteurs d’emplacements privés.", + "xpack.synthetics.monitorList.testNow.available.private": "Vous ne pouvez pas tester actuellement les moniteurs qui s'exécutent dans des emplacements privés à la demande.", "xpack.synthetics.monitorList.testNow.label": "Tester maintenant", "xpack.synthetics.monitorList.testNow.scheduled": "Le test est déjà programmé", "xpack.synthetics.monitorList.testRunLogs": "Logs d'exécution de test", @@ -30974,9 +34039,14 @@ "xpack.synthetics.monitorList.troubleshoot.systemClockOutOfSync": "L'horloge système n'est peut-être pas synchronisée", "xpack.synthetics.monitorList.troubleshoot.tryDateRange": "Appliquer une plage de dates absolues", "xpack.synthetics.monitorList.troubleshoot.whereAreMyMonitors": "Où sont mes moniteurs ?", + "xpack.synthetics.monitorList.urlHeaderText": "URL", "xpack.synthetics.monitorList.viewInDiscover": "Afficher dans Discover", + "xpack.synthetics.monitorLocation.locationContextMenuTitleLabel": "Accéder à l'emplacement", + "xpack.synthetics.monitorLocation.locationLabel": "Emplacement", "xpack.synthetics.monitorManagement.actions": "Actions", "xpack.synthetics.monitorManagement.addAgentPolicyDesc": "Les emplacements privés nécessitent une politique d'agent. Pour ajouter un emplacement privé, vous devez d'abord créer une politique d'agent dans Fleet.", + "xpack.synthetics.monitorManagement.addEdit.createMonitorLabel": "Créer le moniteur", + "xpack.synthetics.monitorManagement.addEdit.deleteMonitorLabel": "Supprimer le moniteur", "xpack.synthetics.monitorManagement.addLocation": "Ajouter un emplacement", "xpack.synthetics.monitorManagement.addMonitorCrumb": "Ajouter un moniteur", "xpack.synthetics.monitorManagement.addMonitorError": "Impossible de charger les emplacements de services. Réessayez plus tard.", @@ -30985,6 +34055,8 @@ "xpack.synthetics.monitorManagement.addMonitorLoadingLabel": "Chargement de la liste Gestion des moniteurs", "xpack.synthetics.monitorManagement.addMonitorServiceLocationsLoadingError": "Impossible de charger les emplacements de services. Réessayez plus tard.", "xpack.synthetics.monitorManagement.addPrivateLocations": "Ajouter un emplacement privé", + "xpack.synthetics.monitorManagement.agentCallout.link": "lire les documents", + "xpack.synthetics.monitorManagement.agentCallout.title": "Exigence", "xpack.synthetics.monitorManagement.agentPolicy": "Politique d'agent", "xpack.synthetics.monitorManagement.agentPolicyNeeded": "Aucune politique d'agent trouvée", "xpack.synthetics.monitorManagement.agentsLabel": "Agents : ", @@ -30993,9 +34065,12 @@ "xpack.synthetics.monitorManagement.apiKeysDisabledToolTip": "Les clés d'API sont désactivées pour ce cluster. La Gestion des moniteurs requiert l'utilisation de clés d'API pour mettre à jour votre cluster Elasticsearch. Pour activer les clés d'API, veuillez contacter un administrateur.", "xpack.synthetics.monitorManagement.apiKeyWarning.label": "Cette clé d’API ne sera affichée qu'une seule fois. Veuillez en conserver une copie pour vos propres dossiers.", "xpack.synthetics.monitorManagement.areYouSure": "Voulez-vous vraiment supprimer cet emplacement ?", + "xpack.synthetics.monitorManagement.callout.apiKeyMissing": "La Gestion des moniteurs est actuellement désactivée en raison d'une clé d'API manquante", "xpack.synthetics.monitorManagement.callout.description.disabled": "La Gestion des moniteurs est actuellement désactivée. Pour exécuter vos moniteurs sur le service Synthetics géré par Elastic, activez la Gestion des moniteurs. Vos moniteurs existants ont été suspendus.", + "xpack.synthetics.monitorManagement.callout.description.invalidKey": "La Gestion des moniteurs est actuellement désactivée. Pour exécuter vos moniteurs dans l'un des emplacements de tests gérés globaux d'Elastic, vous devez ré-activer la Gestion des moniteurs.", "xpack.synthetics.monitorManagement.callout.disabled": "La Gestion des moniteurs est désactivée", "xpack.synthetics.monitorManagement.callout.disabled.adminContact": "Veuillez contacter votre administrateur pour activer la Gestion des moniteurs.", + "xpack.synthetics.monitorManagement.callout.disabledCallout.invalidKey": "Contactez votre administrateur pour activer la Gestion des moniteurs.", "xpack.synthetics.monitorManagement.cancelLabel": "Annuler", "xpack.synthetics.monitorManagement.cannotSaveIntegration": "Vous n'êtes pas autorisé à mettre à jour les intégrations. Des autorisations d'écriture pour les intégrations sont requises.", "xpack.synthetics.monitorManagement.closeButtonLabel": "Fermer", @@ -31007,6 +34082,8 @@ "xpack.synthetics.monitorManagement.deletedPolicy": "La politique est supprimée", "xpack.synthetics.monitorManagement.deleteLocationLabel": "Supprimer l’emplacement", "xpack.synthetics.monitorManagement.deleteMonitorLabel": "Supprimer le moniteur", + "xpack.synthetics.monitorManagement.disabledCallout.adminContact": "Contactez votre administrateur pour activer la Gestion des moniteurs.", + "xpack.synthetics.monitorManagement.disabledCallout.description.disabled": "La Gestion des moniteurs est actuellement désactivée, et vos moniteurs existants ont été suspendus. Vous pouvez activer la Gestion des moniteurs pour exécuter vos moniteurs.", "xpack.synthetics.monitorManagement.disableMonitorLabel": "Désactiver le moniteur", "xpack.synthetics.monitorManagement.discardLabel": "Annuler", "xpack.synthetics.monitorManagement.disclaimerLinkLabel": "Il n'y a aucun coût pour l'utilisation du service pour exécuter vos tests pendant la période bêta. Une politique d'utilisation équitable s'appliquera. Des coûts normaux de stockage des données s'appliquent aux résultats des tests stockés dans votre cluster Elastic.", @@ -31028,7 +34105,7 @@ "xpack.synthetics.monitorManagement.failed": "ÉCHOUÉ", "xpack.synthetics.monitorManagement.failedRun": "Impossible d'exécuter les étapes", "xpack.synthetics.monitorManagement.filter.locationLabel": "Emplacement", - "xpack.synthetics.monitorManagement.filter.placeholder": "Rechercher par nom, URL, balise ou emplacement", + "xpack.synthetics.monitorManagement.filter.placeholder": "Rechercher par nom, URL, hôte, balise, projet ou emplacement", "xpack.synthetics.monitorManagement.filter.tagsLabel": "Balises", "xpack.synthetics.monitorManagement.filter.typeLabel": "Type", "xpack.synthetics.monitorManagement.firstLocation": "Ajoutez votre premier emplacement privé", @@ -31042,6 +34119,7 @@ "xpack.synthetics.monitorManagement.getAPIKeyReducedPermissions.description": "Utilisez une clé d’API pour transmettre des moniteurs à distance à partir d'un pipeline CLI ou CD. Pour générer une clé d’API, vous devez disposer des autorisations de gérer les clés d’API et d’un accès en écriture à Uptime. Veuillez contacter votre administrateur.", "xpack.synthetics.monitorManagement.gettingStarted.label": "Lancez-vous avec Synthetic Monitoring", "xpack.synthetics.monitorManagement.heading": "Gestion des moniteurs", + "xpack.synthetics.monitorManagement.hostFieldLabel": "Hôte", "xpack.synthetics.monitorManagement.inProgress": "EN COURS", "xpack.synthetics.monitorManagement.invalidLabel": "Non valide", "xpack.synthetics.monitorManagement.label": "Gestion des moniteurs", @@ -31052,7 +34130,9 @@ "xpack.synthetics.monitorManagement.locationName": "Nom de l’emplacement", "xpack.synthetics.monitorManagement.locationsLabel": "Emplacements", "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel": "Chargement de la liste Gestion des moniteurs", + "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.callout.invalidKey": "En savoir plus", "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.callout.learnMore": "En savoir plus.", + "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.disabledCallout.learnMore": "En savoir plus", "xpack.synthetics.monitorManagement.managePrivateLocations": "Emplacements privés", "xpack.synthetics.monitorManagement.monitorAddedSuccessMessage": "Moniteur ajouté avec succès.", "xpack.synthetics.monitorManagement.monitorAdvancedOptions.dataStreamConfiguration.description": "Configurez les options de flux de données supplémentaires.", @@ -31063,6 +34143,7 @@ "xpack.synthetics.monitorManagement.monitorEditedSuccessMessage": "Moniteur mis à jour.", "xpack.synthetics.monitorManagement.monitorFailureMessage": "Impossible d'enregistrer le moniteur. Réessayez plus tard.", "xpack.synthetics.monitorManagement.monitorList.actions": "Actions", + "xpack.synthetics.monitorManagement.monitorList.disclaimer.title": "La suppression de ce moniteur ne le retirera pas de la source du projet", "xpack.synthetics.monitorManagement.monitorList.enabled": "Activé", "xpack.synthetics.monitorManagement.monitorList.locations": "Emplacements", "xpack.synthetics.monitorManagement.monitorList.monitorName": "Nom de moniteur", @@ -31094,6 +34175,8 @@ "xpack.synthetics.monitorManagement.policyHost": "Politique d'agent", "xpack.synthetics.monitorManagement.privateLabel": "Privé", "xpack.synthetics.monitorManagement.privateLocations": "Emplacements privés", + "xpack.synthetics.monitorManagement.privateLocationsNotAllowedMessage": "Vous ne disposez pas d'autorisation pour ajouter des moniteurs dans des emplacements privés. Contactez votre administrateur pour demander des droits d'accès.", + "xpack.synthetics.monitorManagement.projectDelete.docsLink": "lire notre documentation", "xpack.synthetics.monitorManagement.publicBetaDescription": "Nous avons une toute nouvelle application en préparation. En attendant, nous sommes très heureux de vous proposer un accès anticipé à notre infrastructure de test globalement gérée. Vous pourrez ainsi charger des moniteurs synthétiques à l'aide de notre nouvel enregistreur de script de type pointer-cliquer et gérer vos moniteurs avec une nouvelle interface utilisateur.", "xpack.synthetics.monitorManagement.readDocs": "lire les documents", "xpack.synthetics.monitorManagement.requestAccess": "Demander un accès", @@ -31103,6 +34186,7 @@ "xpack.synthetics.monitorManagement.saveMonitorLabel": "Enregistrer le moniteur", "xpack.synthetics.monitorManagement.selectOneOrMoreLocations": "Sélectionner un ou plusieurs emplacements", "xpack.synthetics.monitorManagement.selectPolicyHost": "Sélectionner une politique d'agent", + "xpack.synthetics.monitorManagement.selectPolicyHost.helpText": "Nous recommandons d'utiliser un seul agent Elastic par politique d'agent.", "xpack.synthetics.monitorManagement.service.error.title": "Impossible de synchroniser la configuration du moniteur", "xpack.synthetics.monitorManagement.serviceLocationsValidationError": "Au moins un emplacement de service doit être spécifié", "xpack.synthetics.monitorManagement.startAddingLocationsDescription": "Les emplacements privés vous permettent d'exploiter des moniteurs depuis vos propres locaux. Ils nécessitent un agent Elastic et une politique d'agent que vous pouvez contrôler et maintenir via Fleet.", @@ -31112,6 +34196,7 @@ "xpack.synthetics.monitorManagement.syntheticsDisableToolTip": "La désactivation de la Gestion des moniteurs arrêtera immédiatement l'exécution des moniteurs dans tous les emplacements de test et empêchera la création de nouveaux moniteurs.", "xpack.synthetics.monitorManagement.syntheticsEnabledFailure": "La Gestion des moniteurs n'a pas pu être activée. Veuillez contacter le support technique.", "xpack.synthetics.monitorManagement.syntheticsEnableLabel": "Activer", + "xpack.synthetics.monitorManagement.syntheticsEnableLabel.invalidKey": "Activer la Gestion des moniteurs", "xpack.synthetics.monitorManagement.syntheticsEnableLabel.management": "Activer la Gestion des moniteurs", "xpack.synthetics.monitorManagement.syntheticsEnableSuccess": "Gestion des moniteurs activée avec succès.", "xpack.synthetics.monitorManagement.syntheticsEnableToolTip": "Activez la Gestion des moniteurs pour créer des moniteurs légers et basés sur un navigateur réel à partir d'emplacements du monde entier.", @@ -31120,6 +34205,7 @@ "xpack.synthetics.monitorManagement.try.dismiss": "Rejeter", "xpack.synthetics.monitorManagement.try.label": "Essayer la Gestion des moniteurs", "xpack.synthetics.monitorManagement.updateMonitorLabel": "Mettre à jour le moniteur", + "xpack.synthetics.monitorManagement.urlFieldLabel": "Url", "xpack.synthetics.monitorManagement.urlRequiredLabel": "L'URL est requise", "xpack.synthetics.monitorManagement.validationError": "Votre moniteur comporte des erreurs. Corrigez-les avant de l'enregistrer.", "xpack.synthetics.monitorManagement.viewTestRunDetails": "Afficher les détails du résultat du test", @@ -31127,10 +34213,20 @@ "xpack.synthetics.monitorManagement.websiteUrlLabel": "URL de site web", "xpack.synthetics.monitorManagement.websiteUrlPlaceholder": "Entrer l'URL d'un site web", "xpack.synthetics.monitorManagement.yesLabel": "Supprimer", + "xpack.synthetics.monitorOverviewTab.title": "Aperçu", "xpack.synthetics.monitors.management.betaLabel": "Cette fonctionnalité est en version bêta et susceptible d'être modifiée. La conception et le code sont moins matures que les fonctionnalités officielles en disponibilité générale et sont fournis tels quels sans aucune garantie. Les fonctionnalités en version bêta ne sont pas soumises à l'accord de niveau de service des fonctionnalités officielles en disponibilité générale.", "xpack.synthetics.monitors.pageHeader.createButton.label": "Créer le moniteur", "xpack.synthetics.monitors.pageHeader.title": "Moniteurs", "xpack.synthetics.monitorsPage.monitorsMCrumb": "Moniteurs", + "xpack.synthetics.monitorStatus.complete": "Terminé", + "xpack.synthetics.monitorStatus.downLabel": "Arrêté", + "xpack.synthetics.monitorStatus.failed": "Échoué", + "xpack.synthetics.monitorStatus.failedLabel": "Échoué", + "xpack.synthetics.monitorStatus.pendingLabel": "En attente", + "xpack.synthetics.monitorStatus.skipped": "Ignoré", + "xpack.synthetics.monitorStatus.statusLabel": "Statut", + "xpack.synthetics.monitorStatus.succeededLabel": "Réussi", + "xpack.synthetics.monitorStatus.upLabel": "Opérationnel", "xpack.synthetics.monitorStatusBar.durationTextAriaLabel": "Durée du monitoring en millisecondes", "xpack.synthetics.monitorStatusBar.healthStatusMessageAriaLabel": "Statut du moniteur", "xpack.synthetics.monitorStatusBar.loadingMessage": "Chargement…", @@ -31147,7 +34243,17 @@ "xpack.synthetics.monitorStatusBar.timestampFromNowTextAriaLabel": "Temps depuis la dernière vérification", "xpack.synthetics.monitorStatusBar.type.ariaLabel": "Type de moniteur", "xpack.synthetics.monitorStatusBar.type.label": "Type", + "xpack.synthetics.monitorSummary.createNewMonitor": "Créer le moniteur", + "xpack.synthetics.monitorSummary.goToMonitor": "Accéder au moniteur", + "xpack.synthetics.monitorSummary.loadingMonitors": "Chargement des moniteurs", + "xpack.synthetics.monitorSummary.noOtherMonitors": "Aucun autre moniteur n'existe.", + "xpack.synthetics.monitorSummary.noResultsFound": "Aucun moniteur trouvé. Essayez de modifier votre requête.", + "xpack.synthetics.monitorSummary.otherMonitors": "Autres moniteurs", + "xpack.synthetics.monitorSummary.placeholderSearch": "Nom ou balise de moniteur", + "xpack.synthetics.monitorSummary.recentlyViewed": "Récemment consulté", "xpack.synthetics.monitorSummary.runTestManually": "Exécuter le test manuellement", + "xpack.synthetics.monitorSummary.selectMonitor": "Sélectionner un autre moniteur pour afficher ses détails", + "xpack.synthetics.monitorSummaryRoute.monitorBreadcrumb": "Moniteurs", "xpack.synthetics.navigateToAlertingButton.content": "Gérer les règles", "xpack.synthetics.navigateToAlertingUi": "Quitter Uptime et accéder à la page de gestion Alerting", "xpack.synthetics.noDataConfig.beatsCard.description": "Monitorez de façon proactive la disponibilité de vos sites et services. Recevez des alertes et corrigez les problèmes plus rapidement pour optimiser l'expérience de vos utilisateurs.", @@ -31156,13 +34262,50 @@ "xpack.synthetics.notFountPage.homeLinkText": "Retour à l'accueil", "xpack.synthetics.openAlertContextPanel.ariaLabel": "Ouvrez le panneau de contexte des règles pour choisir un type de règle", "xpack.synthetics.openAlertContextPanel.label": "Créer une règle", + "xpack.synthetics.overview.actions.disablingLabel": "Désactivation du moniteur", + "xpack.synthetics.overview.actions.editMonitor.name": "Modifier le moniteur", + "xpack.synthetics.overview.actions.enableLabelDisableMonitor": "Désactiver le moniteur", + "xpack.synthetics.overview.actions.enableLabelEnableMonitor": "Activer le moniteur", + "xpack.synthetics.overview.actions.enablingLabel": "Activation du moniteur", + "xpack.synthetics.overview.actions.goToMonitor.name": "Accéder au moniteur", + "xpack.synthetics.overview.actions.menu.title": "Actions", + "xpack.synthetics.overview.actions.openPopover.ariaLabel": "Ouvrir le menu d'actions", + "xpack.synthetics.overview.actions.quickInspect.title": "Inspection rapide", "xpack.synthetics.overview.alerts.disabled.failed": "La règle ne peut pas être désactivée !", "xpack.synthetics.overview.alerts.disabled.success": "La règle a été correctement désactivée !", "xpack.synthetics.overview.alerts.enabled.failed": "La règle ne peut pas être activée !", "xpack.synthetics.overview.alerts.enabled.success": "La règle a été correctement activée ", - "xpack.synthetics.overview.duration.label": "Durée", + "xpack.synthetics.overview.duration.label": "Moy. durée", + "xpack.synthetics.overview.grid.scrollToTop.label": "Revenir en haut de la page", + "xpack.synthetics.overview.grid.showingAllMonitors.label": "Affichage de tous les moniteurs", "xpack.synthetics.overview.heading": "Moniteurs", "xpack.synthetics.overview.monitors.label": "Moniteurs", + "xpack.synthetics.overview.noMonitorsFoundContent": "Essayez d'affiner votre recherche.", + "xpack.synthetics.overview.noMonitorsFoundHeading": "Aucun moniteur trouvé", + "xpack.synthetics.overview.overview.clearFilters": "Effacer les filtres", + "xpack.synthetics.overview.pagination.loading": "Chargement des moniteurs...", + "xpack.synthetics.overview.sortPopover.alphabetical.asc": "A -> Z", + "xpack.synthetics.overview.sortPopover.alphabetical.desc": "Z -> A", + "xpack.synthetics.overview.sortPopover.alphabetical.label": "Alphabétique", + "xpack.synthetics.overview.sortPopover.ascending.label": "Croissant", + "xpack.synthetics.overview.sortPopover.descending.label": "Décroissant", + "xpack.synthetics.overview.sortPopover.lastModified.asc": "Le plus ancien d'abord", + "xpack.synthetics.overview.sortPopover.lastModified.desc": "Le plus récent d'abord", + "xpack.synthetics.overview.sortPopover.lastModified.label": "Dernière modification", + "xpack.synthetics.overview.sortPopover.orderBy.title": "Ordre", + "xpack.synthetics.overview.sortPopover.sort.title": "Trier par", + "xpack.synthetics.overview.sortPopover.sortBy.title": "Trier par", + "xpack.synthetics.overview.sortPopover.status.asc": "D'abord vers le bas", + "xpack.synthetics.overview.sortPopover.status.desc": "D'abord vers le haut", + "xpack.synthetics.overview.sortPopover.status.label": "Statut", + "xpack.synthetics.overview.status.disabled.description": "Désactivé", + "xpack.synthetics.overview.status.down.description": "Arrêté", + "xpack.synthetics.overview.status.error.title": "Impossible d'obtenir les indicateurs de statut du moniteur", + "xpack.synthetics.overview.status.filters.disabled": "Désactivé", + "xpack.synthetics.overview.status.filters.down": "Arrêté", + "xpack.synthetics.overview.status.filters.up": "Opérationnel", + "xpack.synthetics.overview.status.headingText": "Statut actuel", + "xpack.synthetics.overview.status.up.description": "Opérationnel", "xpack.synthetics.overviewPage.overviewCrumb": "Aperçu", "xpack.synthetics.overviewPageLink.disabled.ariaLabel": "Bouton de pagination désactivé indiquant qu'aucune autre navigation ne peut être effectuée dans la liste des moniteurs.", "xpack.synthetics.overviewPageLink.next.ariaLabel": "Page de résultats suivante", @@ -31199,11 +34342,18 @@ "xpack.synthetics.pingList.timestampColumnLabel": "Horodatage", "xpack.synthetics.pluginDescription": "Monitoring synthétique", "xpack.synthetics.public.pages.mappingError.title": "Mappings Heartbeat manquants", + "xpack.synthetics.receive": "Recevoir", "xpack.synthetics.routes.baseTitle": "Synthetics - Kibana", "xpack.synthetics.routes.legacyBaseTitle": "Uptime - Kibana", "xpack.synthetics.routes.monitorManagement.betaLabel": "Cette fonctionnalité est en version bêta et susceptible d'être modifiée. La conception et le code sont moins matures que les fonctionnalités officielles en disponibilité générale et sont fournis tels quels sans aucune garantie. Les fonctionnalités en version bêta ne sont pas soumises à l'accord de niveau de service des fonctionnalités officielles en disponibilité générale.", "xpack.synthetics.seconds.label": "secondes", "xpack.synthetics.seconds.shortForm.label": "s", + "xpack.synthetics.send": "Envoyer", + "xpack.synthetics.server.project.delete.toolarge": "La charge utile de la requête de suppression est trop volumineuse. Veuillez envoyer au maximum 250 moniteurs à supprimer par requête", + "xpack.synthetics.service.projectMonitors.cannotUpdateMonitorToDifferentType": "Impossible de mettre à jour le moniteur avec un type différent.", + "xpack.synthetics.service.projectMonitors.failedToUpdateMonitor": "Impossible de créer ou de mettre à jour le moniteur", + "xpack.synthetics.service.projectMonitors.failedToUpdateMonitors": "Impossible de créer ou de mettre à jour les moniteurs", + "xpack.synthetics.service.projectMonitors.insufficientFleetPermissions": "Permissions insuffisantes. Pour configurer les emplacements privés, vous devez disposer d'autorisations d'écriture sur Fleet et sur les intégrations. Pour résoudre ce problème, veuillez générer une nouvelle clé d'API avec un utilisateur disposant des autorisations d'écriture sur Fleet et sur les intégrations.", "xpack.synthetics.settings.blank.error": "Ne peut pas être vide.", "xpack.synthetics.settings.blankNumberField.error": "Doit être un nombre.", "xpack.synthetics.settings.cannotEditText": "Actuellement, votre utilisateur possède les autorisations \"Lecture\" pour l'application Uptime. Activez un niveau d'autorisation \"Tout\" pour pouvoir modifier ces paramètres.", @@ -31214,7 +34364,21 @@ "xpack.synthetics.settings.invalid.nanError": "La valeur doit être un entier.", "xpack.synthetics.settings.noSpace.error": "Les noms d'index ne doivent pas contenir d'espace", "xpack.synthetics.settings.saveSuccess": "Paramètres enregistrés !", + "xpack.synthetics.settings.title": "Paramètres", "xpack.synthetics.settingsBreadcrumbText": "Paramètres", + "xpack.synthetics.settingsRoute.allChecks": "Toutes les vérifications", + "xpack.synthetics.settingsRoute.browserChecks": "Vérifications du navigateur", + "xpack.synthetics.settingsRoute.browserNetworkRequests": "Requêtes réseau du navigateur", + "xpack.synthetics.settingsRoute.pageHeaderTitle": "Paramètres", + "xpack.synthetics.settingsRoute.readDocs": "lire notre documentation", + "xpack.synthetics.settingsRoute.retentionCalloutTitle": "Les données synthétiques sont configurées par politique de cycle de vie d'index géré", + "xpack.synthetics.settingsRoute.table.currentSize": "Taille actuelle", + "xpack.synthetics.settingsRoute.table.dataset": "Ensemble de données", + "xpack.synthetics.settingsRoute.table.policy": "Politique", + "xpack.synthetics.settingsRoute.table.retentionPeriod": "Période de conservation", + "xpack.synthetics.settingsRoute.tableCaption": "Politiques de conservation des données synthétiques", + "xpack.synthetics.settingsTabs.alerting": "Alerting", + "xpack.synthetics.settingsTabs.dataRetention": "Conservation des données", "xpack.synthetics.snapshot.monitor": "Moniteur", "xpack.synthetics.snapshot.monitors": "Moniteurs", "xpack.synthetics.snapshot.noDataDescription": "Aucun ping dans la plage temporelle sélectionnée.", @@ -31247,6 +34411,19 @@ "xpack.synthetics.sourceConfiguration.heartbeatIndicesTitle": "Index Uptime", "xpack.synthetics.sourceConfiguration.indicesSectionTitle": "Index", "xpack.synthetics.sourceConfiguration.warningStateLabel": "Limite d'âge", + "xpack.synthetics.ssl": "SSL", + "xpack.synthetics.stackManagement": "Gestion de la Suite", + "xpack.synthetics.stepDetails.expected": "Attendus", + "xpack.synthetics.stepDetails.objectCount": "Décompte de l'objet", + "xpack.synthetics.stepDetails.objectWeight": "Poids de l'objet", + "xpack.synthetics.stepDetails.received": "Reçu", + "xpack.synthetics.stepDetails.screenshot": "Capture d'écran", + "xpack.synthetics.stepDetails.total": "Total", + "xpack.synthetics.stepDetails.totalSize": "Taille totale", + "xpack.synthetics.stepDetailsRoute.definition": "Définitions", + "xpack.synthetics.stepDetailsRoute.last24Hours": "Dernières 24 heures", + "xpack.synthetics.stepDetailsRoute.metrics": "Indicateurs", + "xpack.synthetics.stepDetailsRoute.timingsBreakdown": "Répartition des délais", "xpack.synthetics.stepList.collapseRow": "Réduire", "xpack.synthetics.stepList.expandRow": "Développer", "xpack.synthetics.stepList.stepName": "Nom de l'étape", @@ -31278,8 +34455,10 @@ "xpack.synthetics.synthetics.statusBadge.succeededMessage": "Réussi", "xpack.synthetics.synthetics.step.durationTrend": "Tendance de durée de l'étape", "xpack.synthetics.synthetics.stepDetail.nextCheckButtonText": "Vérification suivante", + "xpack.synthetics.synthetics.stepDetail.nextStepButtonText": "Suivant", "xpack.synthetics.synthetics.stepDetail.noData": "Aucune donnée n'a été trouvée pour cette étape", "xpack.synthetics.synthetics.stepDetail.previousCheckButtonText": "Vérification précédente", + "xpack.synthetics.synthetics.stepDetail.previousStepButtonText": "Précédent", "xpack.synthetics.synthetics.stepDetail.waterfall.loading": "Chargement du graphique en cascade", "xpack.synthetics.synthetics.stepDetail.waterfallNoData": "Aucune donnée de cascade n'a été trouvée pour cette étape", "xpack.synthetics.synthetics.stepDetail.waterfallUnsupported.description": "Le graphique en cascade ne peut pas être affiché. Vous utilisez peut-être une ancienne version de l'agent synthétique. Veuillez vérifier votre version et envisager d'effectuer une mise à niveau.", @@ -31328,20 +34507,35 @@ "xpack.synthetics.synthetics.waterfallChart.labels.timings.wait": "En attente (TTFB)", "xpack.synthetics.syntheticsFeatureCatalogueTitle": "Synthetics", "xpack.synthetics.syntheticsMonitors": "Uptime - Moniteur", + "xpack.synthetics.testDetails.codeExecuted": "Code exécuté", + "xpack.synthetics.testDetails.console": "Console", + "xpack.synthetics.testDetails.stackTrace": "Trace de pile", + "xpack.synthetics.testDetails.stepExecuted": "Étapes exécutées", + "xpack.synthetics.testDetails.totalDuration": "Durée totale : ", "xpack.synthetics.testRun.description": "Tester votre moniteur et vérifier les résultats avant d'enregistrer", "xpack.synthetics.testRun.pushError": "Impossible d'envoyer le moniteur vers le service.", "xpack.synthetics.testRun.pushErrorLabel": "Erreur d'envoi", "xpack.synthetics.testRun.pushing.description": "Envoi du moniteur vers le service...", "xpack.synthetics.testRun.runErrorLabel": "Erreur lors de l'exécution du test", + "xpack.synthetics.testRunDetailsRoute.page.title": "Détails de l'exécution du test", + "xpack.synthetics.timestamp.label": "@timestamp", "xpack.synthetics.title": "Uptime", "xpack.synthetics.toggleAlertButton.content": "Règle de statut du moniteur", "xpack.synthetics.toggleAlertFlyout.ariaLabel": "Ouvrir le menu volant d'ajout de règle", "xpack.synthetics.toggleTlsAlertButton.ariaLabel": "Ouvrir le menu volant de règle TLS", "xpack.synthetics.toggleTlsAlertButton.content": "Règle TLS", + "xpack.synthetics.totalDuration.metrics": "Durée de l’étape", "xpack.synthetics.uptimeFeatureCatalogueTitle": "Uptime", "xpack.synthetics.uptimeSettings.index": "Paramètres Uptime - Index", + "xpack.synthetics.wait": "Attendre", "xpack.synthetics.waterfallChart.sidebar.url.https": "https", "xpack.threatIntelligence.common.emptyPage.body3": "Pour vous lancer avec Elastic Threat Intelligence, activez une ou plusieurs intégrations Threat Intelligence depuis la page Intégrations ou bien ingérez des données avec Filebeat. Pour plus d'informations, consultez la ressource {docsLink}.", + "xpack.threatIntelligence.addToExistingCase": "Ajouter à un cas existant", + "xpack.threatIntelligence.addToNewCase": "Ajouter au nouveau cas", + "xpack.threatIntelligence.cases.eventDescription": "ajouté un indicateur de compromis", + "xpack.threatIntelligence.cases.indicatorFeedName": "Nom du fil :", + "xpack.threatIntelligence.cases.indicatorName": "Nom de l'indicateur :", + "xpack.threatIntelligence.cases.indicatorType": "Type d'indicateur :", "xpack.threatIntelligence.common.emptyPage.body1": "Elastic Threat Intelligence facilite l'analyse et l'investigation des menaces potentielles pour la sécurité en regroupant les données de plusieurs sources en un seul endroit.", "xpack.threatIntelligence.common.emptyPage.body2": "Vous pourrez consulter les données de tous les flux Threat Intelligence activés et prendre des mesures à partir de cette page.", "xpack.threatIntelligence.common.emptyPage.buttonText": "Ajouter des intégrations", @@ -31350,19 +34544,52 @@ "xpack.threatIntelligence.common.emptyPage.title": "Prise en main d’Elastic Threat Intelligence", "xpack.threatIntelligence.empty.description": "Essayer de rechercher sur une période plus longue ou de modifier votre recherche", "xpack.threatIntelligence.empty.title": "Aucun résultat ne correspond à vos critères de recherche.", + "xpack.threatIntelligence.field.@timestamp": "@timestamp", + "xpack.threatIntelligence.field.threat.feed.name": "Fil", + "xpack.threatIntelligence.field.threat.indicator.confidence": "Confiance", + "xpack.threatIntelligence.field.threat.indicator.first_seen": "Vu en premier", + "xpack.threatIntelligence.field.threat.indicator.last_seen": "Vu en dernier", + "xpack.threatIntelligence.field.threat.indicator.marking.tlp": "Marquage TLP", + "xpack.threatIntelligence.field.threat.indicator.name": "Indicateur", + "xpack.threatIntelligence.field.threat.indicator.type": "Type d’indicateur", + "xpack.threatIntelligence.indicator.barChart.popover": "Plus d'actions", + "xpack.threatIntelligence.indicator.barchartSection.title": "Tendance", + "xpack.threatIntelligence.indicator.fieldSelector.label": "Empiler par", + "xpack.threatIntelligence.indicator.fieldsTable.fieldColumnLabel": "Champ", + "xpack.threatIntelligence.indicator.fieldsTable.valueColumnLabel": "Valeur", "xpack.threatIntelligence.indicator.flyout.jsonTabLabel": "JSON", + "xpack.threatIntelligence.indicator.flyout.overviewTabLabel": "Aperçu", + "xpack.threatIntelligence.indicator.flyout.panelSubTitle": "Vu en premier : ", + "xpack.threatIntelligence.indicator.flyout.panelTitleWithOverviewTab": "Détails de l'indicateur", "xpack.threatIntelligence.indicator.flyout.tableTabLabel": "Tableau", + "xpack.threatIntelligence.indicator.flyoutOverviewTable.highlightedFields": "Champs en surbrillance", + "xpack.threatIntelligence.indicator.flyoutOverviewTable.viewAllFieldsInTable": "Afficher tous les champs dans le tableau", "xpack.threatIntelligence.indicator.flyoutTable.errorMessageBody": "Une erreur s'est produite lors de l'affichage des champs et des valeurs des indicateurs.", "xpack.threatIntelligence.indicator.flyoutTable.errorMessageTitle": "Impossible d'afficher les informations des indicateurs", - "xpack.threatIntelligence.indicator.fieldsTable.fieldColumnLabel": "Champ", - "xpack.threatIntelligence.indicator.fieldsTable.valueColumnLabel": "Valeur", "xpack.threatIntelligence.indicator.table.actionColumnLabel": "Actions", - "xpack.threatIntelligence.field.threat.feed.name": "Fil", - "xpack.threatIntelligence.field.threat.indicator.first_seen": "Vu en premier", - "xpack.threatIntelligence.field.threat.indicator.name": "Indicateur", - "xpack.threatIntelligence.field.threat.indicator.type": "Type d’indicateur", - "xpack.threatIntelligence.field.threat.indicator.last_seen": "Vu en dernier", + "xpack.threatIntelligence.indicator.table.moreActions": "Plus d'actions", "xpack.threatIntelligence.indicator.table.viewDetailsButton": "Afficher les détails", + "xpack.threatIntelligence.indicatorNameFieldDescription": "Nom d'affichage de l'indicateur généré pendant le temps d'exécution ", + "xpack.threatIntelligence.indicators.flyout.take-action.button": "Entreprendre une action", + "xpack.threatIntelligence.indicators.table.copyToClipboardLabel": "Copier dans le presse-papiers", + "xpack.threatIntelligence.inspectorFlyoutTitle": "Requêtes de recherche des indicateurs", + "xpack.threatIntelligence.inspectTitle": "Inspecter", + "xpack.threatIntelligence.investigateInTimelineButton": "Investiguer dans la chronologie", + "xpack.threatIntelligence.more-actions.popover": "Plus d'actions", + "xpack.threatIntelligence.navigation.indicatorsNavItemDescription": "Elastic Threat Intelligence vous aide à voir si vous êtes exposé ou avez été exposé à des menaces connues actuelles ou passées.", + "xpack.threatIntelligence.navigation.indicatorsNavItemKeywords": "Indicateurs", + "xpack.threatIntelligence.navigation.indicatorsNavItemLabel": "Indicateurs", + "xpack.threatIntelligence.navigation.intelligenceNavItemLabel": "Intelligence", + "xpack.threatIntelligence.paywall.body": "Démarrez un essai gratuit ou mettez à niveau votre licence vers Enterprise pour utiliser la Threat Intelligence.", + "xpack.threatIntelligence.paywall.title": "Toujours plus avec Security !", + "xpack.threatIntelligence.paywall.trial": "Démarrer un essai gratuit", + "xpack.threatIntelligence.paywall.upgrade": "Mettre à niveau", + "xpack.threatIntelligence.queryBar.filterIn": "Inclure", + "xpack.threatIntelligence.queryBar.filterOut": "Exclure", + "xpack.threatIntelligence.timeline.addToTimeline": "Ajouter à la chronologie", + "xpack.threatIntelligence.timeline.investigateInTimelineButtonIcon": "Investiguer dans la chronologie", + "xpack.threatIntelligence.updateStatus.updated": "Mis à jour", + "xpack.threatIntelligence.updateStatus.updating": "Mise à jour...", "xpack.timelines.clipboard.copy.successToastTitle": "Champ {field} copié dans le presse-papiers", "xpack.timelines.hoverActions.columnToggleLabel": "Basculer la vue {field} dans le tableau", "xpack.timelines.hoverActions.nestedColumnToggleLabel": "Le champ {field} est un objet, et il est composé de champs imbriqués qui peuvent être ajoutés en tant que colonnes", @@ -31447,6 +34674,7 @@ "xpack.transform.transformNodes.noTransformNodesCallOutBody": "Vous ne pourrez ni créer ni exécuter de transformations. {learnMoreLink}", "xpack.transform.actionDeleteTransform.bulkDeleteDestDataViewTitle": "Supprimer les vues de données de destination", "xpack.transform.actionDeleteTransform.bulkDeleteDestinationIndexTitle": "Supprimer les index de destination", + "xpack.transform.agg.filterEditorForm.jsonInvalidErrorMessage": "Le JSON n'est pas valide.", "xpack.transform.agg.popoverForm.aggLabel": "Agrégation", "xpack.transform.agg.popoverForm.aggNameAlreadyUsedError": "Une autre agrégation utilise déjà ce nom.", "xpack.transform.agg.popoverForm.aggNameInvalidCharError": "Nom invalide. Les caractères \"[\", \"]\" et \">\" ne sont pas autorisés, et le nom ne doit pas commencer ni se terminer par un caractère d'espace.", @@ -31520,6 +34748,7 @@ "xpack.transform.home.breadcrumbTitle": "Transformations", "xpack.transform.indexPreview.copyClipboardTooltip": "Copier la déclaration Dev Console de l'aperçu de l'index dans le presse-papiers.", "xpack.transform.indexPreview.copyRuntimeFieldsClipboardTooltip": "Copier la déclaration Dev Console des champs de temps d'exécution dans le presse-papiers.", + "xpack.transform.invalidRuntimeFieldMessage": "Champ d'exécution non valide", "xpack.transform.latestPreview.latestPreviewIncompleteConfigCalloutBody": "Veuillez choisir au moins une clé unique et un champ de tri.", "xpack.transform.licenseCheckErrorMessage": "La vérification de la licence a échoué", "xpack.transform.list.emptyPromptButtonText": "Créez votre première transformation", @@ -31805,11 +35034,13 @@ "xpack.triggersActionsUI.actionVariables.legacyAlertNameLabel": "Cet élément a été déclassé au profit de {variable}.", "xpack.triggersActionsUI.actionVariables.legacySpaceIdLabel": "Cet élément a été déclassé au profit de {variable}.", "xpack.triggersActionsUI.actionVariables.legacyTagsLabel": "Cet élément a été déclassé au profit de {variable}.", + "xpack.triggersActionsUI.alertsTable.alertsCountUnit": "{totalCount, plural, =1 {alerte} other {alertes}}", "xpack.triggersActionsUI.checkActionTypeEnabled.actionTypeDisabledByLicenseMessage": "Ce connecteur requiert une licence {minimumLicenseRequired}.", "xpack.triggersActionsUI.checkRuleTypeEnabled.ruleTypeDisabledByLicenseMessage": "Ce type de règle requiert une licence {minimumLicenseRequired}.", "xpack.triggersActionsUI.components.builtinActionTypes.missingSecretsValuesLabel": "Les informations sensibles ne sont pas importées. Veuillez entrer {encryptedFieldsLength, plural, one {la valeur} other {les valeurs}} pour {encryptedFieldsLength, plural, one {le champ suivant} other {les champs suivants}} {secretFieldsLabel}.", "xpack.triggersActionsUI.components.buttonGroupField.error.requiredField": "{label} est obligatoire.", "xpack.triggersActionsUI.components.deleteSelectedIdsErrorNotification.descriptionText": "Impossible de supprimer {numErrors, number} {numErrors, plural, one {{singleTitle}} other {{multipleTitle}}}", + "xpack.triggersActionsUI.components.deleteSelectedIdsPartialSuccessNotification.descriptionText": "Suppression effectuée de {numberOfSuccess, number} {numberOfSuccess, plural, one {{singleTitle}} other {{multipleTitle}}}, {numberOfErrors, number} {numberOfErrors, plural, one {{singleTitle}} other {{multipleTitle}}} erreur(s) rencontrée(s)", "xpack.triggersActionsUI.components.deleteSelectedIdsSuccessNotification.descriptionText": "Suppression de {numSuccesses, number} {numSuccesses, plural, one {{singleTitle}} other {{multipleTitle}}} effectuée", "xpack.triggersActionsUI.components.passwordField.error.requiredNameText": "{label} est obligatoire.", "xpack.triggersActionsUI.components.simpleConnectorForm.secrets.reenterValuesLabel": "Se souvenir {encryptedFieldsLength, plural, one {de la valeur} other {des valeurs}} {secretFieldsLabel}. Vous devrez {encryptedFieldsLength, plural, one {l'entrer} other {les entrer}} à nouveau chaque fois que vous modifierez le connecteur.", @@ -31865,6 +35096,7 @@ "xpack.triggersActionsUI.ruleSnoozeScheduler.untilDateSummary": "jusqu'au {date}", "xpack.triggersActionsUI.sections.actionConnectorForm.error.requireFieldText": "{label} est obligatoire.", "xpack.triggersActionsUI.sections.actionsConnectorsList.buttons.deleteLabel": "Supprimer {count}", + "xpack.triggersActionsUI.sections.actionsConnectorsList.warningText": "{connectors, plural, one {Ce connecteur est} other {Certains connecteurs sont}} actuellement en cours d'utilisation.", "xpack.triggersActionsUI.sections.actionTypeForm.actionIdLabel": "Connecteur {connectorInstance}", "xpack.triggersActionsUI.sections.actionTypeForm.addNewActionConnectorActionGroup.display": "{actionGroupName} (non pris en charge actuellement)", "xpack.triggersActionsUI.sections.actionTypeForm.existingAlertActionTypeEditTitle": "{actionConnectorName}", @@ -31879,6 +35111,9 @@ "xpack.triggersActionsUI.sections.manageLicense.manageLicenseTitle": "Licence {licenseRequired} requise", "xpack.triggersActionsUI.sections.preconfiguredConnectorForm.flyoutTitle": "{connectorName}", "xpack.triggersActionsUI.sections.ruleAdd.saveSuccessNotificationText": "Création de la règle \"{ruleName}\" effectuée", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.failure": "Impossible de mettre à jour {property} pour {failure, plural, one {# règle} other {# règles}}.", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.someSuccess": "{property} mise à jour pour {success, plural, one {# règle} other {# règles}}, erreurs rencontrées pour {failure, plural, one {# règle} other {# règles}}.", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.success": "{property} mise à jour pour {total, plural, one {# règle} other {# règles}}.", "xpack.triggersActionsUI.sections.ruleDetails.refineSearchPrompt.prompt": "Voici les {visibleDocumentSize} premiers documents correspondant à votre recherche. Veuillez l'affiner pour en voir plus.", "xpack.triggersActionsUI.sections.ruleDetails.rule.statusPanel.totalExecutions": "{executions, plural, one {# exécution} other {# exécutions}} au cours des dernières 24 heures", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.actionErrorsPlural": "{value, plural, one {action avec erreur} other {actions avec erreur}}", @@ -31898,13 +35133,25 @@ "xpack.triggersActionsUI.sections.ruleForm.error.noAuthorizedRuleTypesTitle": "Vous n'avez été autorisé à {operation} aucun type de règle", "xpack.triggersActionsUI.sections.ruleForm.error.requiredActionConnector": "L'action pour le connecteur {actionTypeId} est requis.", "xpack.triggersActionsUI.sections.rulesList.attentionBannerTitle": "Erreur détectée dans {totalStatusesError, plural, one {# règle} other {# règles}}.", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmationPlural": "Supprimer toutes les planifications en répétition pour {total, plural, one {# règle} other {# règles}} ? ", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmationSingle": "Supprimer toutes les planifications en répétition pour {ruleName} ?", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmationPlural": "Annuler la répétition de {total, plural, one {# règle} other {# règles}} ? ", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmationSingle": "Annuler la répétition de {ruleName} ?", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snoozedUntil": "Répété jusqu'à {snoozeTime}", "xpack.triggersActionsUI.sections.rulesList.hideAllErrors": "Masquer {totalStatusesError, plural, one {l'erreur} other {les erreurs}}", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeFailedDescription": "Échec : {total}", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeSucceededDescription": "Réussite : {total}", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeWarningDescription": "Avertissement : {total}", + "xpack.triggersActionsUI.sections.rulesList.removeAllSnoozeSchedules": "Retirer {count, plural, one {la planification} other {# planifications}} ?", + "xpack.triggersActionsUI.sections.rulesList.rulesListAutoRefresh.lastUpdateText": "{lastUpdateText} mis à jour", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozedTooltip": "Notifications répétées pendant {snoozeTime}", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozeScheduledTooltip": "Notifications programmées pour la répétition à partir de {schedStart}", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.intervalTooltipText": "L'intervalle de règle de {interval} est inférieur à l'intervalle minimal configuré de {minimumInterval}. Cela peut avoir un impact sur les performances d'alerting.", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleExecutionPercentileTooltip": "{percentileOrdinal} centile des {sampleLimit} dernières durées d'exécution de cette règle (mm:ss).", + "xpack.triggersActionsUI.sections.rulesList.selectAllRulesButton": "Sélectionner un total de {formattedTotalRules} {totalRules, plural, =1 {règle} other {règles}}", + "xpack.triggersActionsUI.sections.rulesList.selectedRulesButton": "Sélection de {formattedSelectedRules} {selectedRules, plural, =1 {règle} other {règles}} effectuée", "xpack.triggersActionsUI.sections.rulesList.showAllErrors": "Afficher {totalStatusesError, plural, one {l'erreur} other {les erreurs}}", + "xpack.triggersActionsUI.sections.rulesList.totalRulesLabel": "{formattedTotalRules} {totalRules, plural, =1 {règle} other {règles}}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesActiveDescription": "Actif : {totalStatusesActive}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesErrorDescription": "Erreur : {totalStatusesError}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesOkDescription": "Ok : {totalStatusesOk}", @@ -31933,11 +35180,13 @@ "xpack.triggersActionsUI.actionVariables.ruleSpaceIdLabel": "ID d'espace de la règle.", "xpack.triggersActionsUI.actionVariables.ruleTagsLabel": "Balises de la règle.", "xpack.triggersActionsUI.actionVariables.ruleTypeLabel": "Type de règle.", + "xpack.triggersActionsUI.actionVariables.ruleUrlLabel": "URL vers la page de règles Gestion de la Suite ayant généré l'alerte. La chaîne sera vide si server.publicBaseUrl n'est pas configuré.", + "xpack.triggersActionsUI.alertsSearchBar.placeholder": "Alertes de recherche (par exemple, kibana.alert.evaluation.threshold > 75)", "xpack.triggersActionsUI.alertsTable.configuration.errorBody": "Une erreur s'est produite lors du chargement du tableau d'alertes. Ce tableau ne dispose pas de la configuration nécessaire. Veuillez contacter votre administrateur pour obtenir de l'aide", "xpack.triggersActionsUI.alertsTable.configuration.errorTitle": "Impossible de charger le tableau d'alertes", "xpack.triggersActionsUI.alertsTable.lastUpdated.updated": "Mis à jour", "xpack.triggersActionsUI.alertsTable.lastUpdated.updating": "Mise à jour...", - "xpack.triggersActionsUI.appName": "Règles et connecteurs", + "xpack.triggersActionsUI.appName": "Règles", "xpack.triggersActionsUI.bulkActions.columnHeader.AriaLabel": "Sélectionner toutes les lignes", "xpack.triggersActionsUI.checkActionTypeEnabled.actionTypeDisabledByConfigMessage": "Ce connecteur est désactivé par la configuration de Kibana.", "xpack.triggersActionsUI.common.constants.comparators.groupByTypes.allDocumentsLabel": "tous les documents", @@ -31963,8 +35212,11 @@ "xpack.triggersActionsUI.components.addMessageVariables.addRuleVariableTitle": "Ajouter une variable de règle", "xpack.triggersActionsUI.components.addMessageVariables.addVariablePopoverButton": "Ajouter une variable", "xpack.triggersActionsUI.components.alertTable.useFetchAlerts.errorMessageText": "Une erreur s'est produite lors de la recherche des alertes", + "xpack.triggersActionsUI.components.alertTable.useFetchBrowserFieldsCapabilities.errorMessageText": "Une erreur s'est produite lors du chargement des champs du navigateur", + "xpack.triggersActionsUI.components.builtinActionTypes.indexAction.chooseLabel": "Choisir…", + "xpack.triggersActionsUI.components.builtinActionTypes.indexAction.indicesAndIndexPatternsLabel": "Basé sur vos vues de données", "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorButtonLabel": "Créer un connecteur", - "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyBody": "Configurer les services de messagerie électronique, Slack, Elasticsearch et tiers que Kibana exécute.", + "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyBody": "Configurez différents services tiers avec Kibana.", "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyTitle": "Créer votre premier connecteur", "xpack.triggersActionsUI.components.emptyPrompt.emptyButton": "Créer une règle", "xpack.triggersActionsUI.components.emptyPrompt.emptyDesc": "Recevoir une alerte par e-mail, Slack ou un autre connecteur lorsqu'une condition est remplie.", @@ -31985,8 +35237,11 @@ "xpack.triggersActionsUI.components.jsonEditorWithMessageVariable.noEditorErrorTitle": "Impossible d'ajouter une variable de message", "xpack.triggersActionsUI.components.simpleConnectorForm.secrets.authenticationLabel": "Authentification", "xpack.triggersActionsUI.connectors.breadcrumbTitle": "Connecteurs", + "xpack.triggersActionsUI.connectors.home.appTitle": "Connecteurs", + "xpack.triggersActionsUI.connectors.home.description": "Connectez des logiciels tiers avec vos données d'alerting.", "xpack.triggersActionsUI.data.coreQueryParams.dateStartGTdateEndErrorMessage": "[dateStart] : est postérieure à [dateEnd]", "xpack.triggersActionsUI.data.coreQueryParams.intervalRequiredErrorMessage": "[interval] : doit être spécifié si [dateStart] n'est pas égale à [dateEnd]", + "xpack.triggersActionsUI.data.coreQueryParams.invalidKQLQueryErrorMessage": "La requête de filtre n'est pas valide.", "xpack.triggersActionsUI.data.coreQueryParams.termFieldRequiredErrorMessage": "[termField] : termField requis lorsque [groupBy] est Premiers", "xpack.triggersActionsUI.data.coreQueryParams.termSizeRequiredErrorMessage": "[termSize] : termSize requis lorsque [groupBy] est Premiers", "xpack.triggersActionsUI.deleteSelectedIdsConfirmModal.cancelButtonLabel": "Annuler", @@ -32007,18 +35262,22 @@ "xpack.triggersActionsUI.fieldBrowser.viewAll": "tous", "xpack.triggersActionsUI.fieldBrowser.viewLabel": "Afficher", "xpack.triggersActionsUI.fieldBrowser.viewSelected": "sélectionné", - "xpack.triggersActionsUI.home.appTitle": "Règles et connecteurs", - "xpack.triggersActionsUI.home.breadcrumbTitle": "Règles et connecteurs", + "xpack.triggersActionsUI.home.appTitle": "Règles", + "xpack.triggersActionsUI.home.breadcrumbTitle": "Règles", "xpack.triggersActionsUI.home.docsLinkText": "Documentation", + "xpack.triggersActionsUI.home.logsTabTitle": "Logs", "xpack.triggersActionsUI.home.rulesTabTitle": "Règles", - "xpack.triggersActionsUI.home.sectionDescription": "Détecter les conditions à l'aide des règles, et entreprendre des actions à l'aide des connecteurs.", + "xpack.triggersActionsUI.home.sectionDescription": "Détectez les conditions à l'aide de règles.", "xpack.triggersActionsUI.home.TabTitle": "Alertes (utilisation interne uniquement)", "xpack.triggersActionsUI.jsonFieldWrapper.defaultLabel": "Éditeur JSON", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByConfigMessageTitle": "Cette fonctionnalité est désactivée par la configuration de Kibana.", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByLicenseLinkTitle": "Afficher les options de licence", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByLicenseMessageDescription": "Pour réactiver cette action, veuillez mettre à niveau votre licence.", - "xpack.triggersActionsUI.managementSection.displayDescription": "Détecter les conditions à l'aide des règles, et entreprendre des actions à l'aide des connecteurs.", - "xpack.triggersActionsUI.managementSection.displayName": "Règles et connecteurs", + "xpack.triggersActionsUI.logs.breadcrumbTitle": "Logs", + "xpack.triggersActionsUI.managementSection.connectors.displayDescription": "Connectez des logiciels tiers avec vos données d'alerting.", + "xpack.triggersActionsUI.managementSection.connectors.displayName": "Connecteurs", + "xpack.triggersActionsUI.managementSection.displayDescription": "Détectez les conditions à l'aide de règles.", + "xpack.triggersActionsUI.managementSection.displayName": "Règles", "xpack.triggersActionsUI.ruleDetails.actions": "Actions", "xpack.triggersActionsUI.ruleDetails.conditionsTitle": "Conditions", "xpack.triggersActionsUI.ruleDetails.definition": "Définition", @@ -32027,6 +35286,8 @@ "xpack.triggersActionsUI.ruleDetails.notifyWhen": "Notifier", "xpack.triggersActionsUI.ruleDetails.ruleType": "Type de règle", "xpack.triggersActionsUI.ruleDetails.runsEvery": "S'exécute toutes les", + "xpack.triggersActionsUI.ruleDetails.securityDetectionRule": "Règle de détection de la sécurité", + "xpack.triggersActionsUI.ruleEventLogList.showAllSpacesToggle": "Afficher les règles à partir de tous les espaces", "xpack.triggersActionsUI.rules.breadcrumbTitle": "Règles", "xpack.triggersActionsUI.ruleSnoozeScheduler.addSchedule": "Ajouter un calendrier", "xpack.triggersActionsUI.ruleSnoozeScheduler.afterOccurrencesLabel": "Après", @@ -32043,6 +35304,7 @@ "xpack.triggersActionsUI.ruleSnoozeScheduler.saveSchedule": "Enregistrer le calendrier", "xpack.triggersActionsUI.ruleSnoozeScheduler.timezoneLabel": "Fuseau horaire", "xpack.triggersActionsUI.sections.actionConnectorAdd.backButtonLabel": "Retour", + "xpack.triggersActionsUI.sections.actionConnectorAdd.closeButtonLabel": "Fermer", "xpack.triggersActionsUI.sections.actionConnectorAdd.manageLicensePlanBannerLinkTitle": "Gérer la licence", "xpack.triggersActionsUI.sections.actionConnectorAdd.saveAndTestButtonLabel": "Enregistrer et tester", "xpack.triggersActionsUI.sections.actionConnectorAdd.saveButtonLabel": "Enregistrer", @@ -32077,8 +35339,10 @@ "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actions.runConnectorDisabledDescription": "Impossible d'exécuter les connecteurs", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actions.runConnectorName": "Exécuter", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actionTypeTitle": "Type", + "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.compatibility": "Compatibilité", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.fixButtonLabel": "Corriger", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.nameTitle": "Nom", + "xpack.triggersActionsUI.sections.actionsConnectorsList.documentationButtonLabel": "Documentation", "xpack.triggersActionsUI.sections.actionsConnectorsList.filters.actionTypeIdName": "Type", "xpack.triggersActionsUI.sections.actionsConnectorsList.loadingConnectorTypesDescription": "Chargement des types de connecteurs…", "xpack.triggersActionsUI.sections.actionsConnectorsList.multipleTitle": "connecteurs", @@ -32093,6 +35357,7 @@ "xpack.triggersActionsUI.sections.actionTypeForm.actionErrorToolTip": "L’action contient des erreurs.", "xpack.triggersActionsUI.sections.actionTypeForm.actionRunWhenInActionGroup": "Exécuter quand", "xpack.triggersActionsUI.sections.actionTypeForm.addNewConnectorEmptyButton": "Ajouter un connecteur", + "xpack.triggersActionsUI.sections.addConnectorForm.flyoutHeaderCompatibility": "Compatibilité :", "xpack.triggersActionsUI.sections.addConnectorForm.selectConnectorFlyoutTitle": "Sélectionner un connecteur", "xpack.triggersActionsUI.sections.addConnectorForm.updateSuccessNotificationText": "Création de \"{connectorName}\" effectuée", "xpack.triggersActionsUI.sections.addModalConnectorForm.cancelButtonLabel": "Annuler", @@ -32102,6 +35367,10 @@ "xpack.triggersActionsUI.sections.alertsTable.alertsFlyout.reason": "Raison", "xpack.triggersActionsUI.sections.alertsTable.column.actions": "Actions", "xpack.triggersActionsUI.sections.alertsTable.leadingControl.viewDetails": "Afficher les détails", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.cancelButtonLabel": "Annuler", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.confirmConnectorCloseMessage": "Vous ne pouvez pas récupérer de modifications non enregistrées.", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.discardButtonLabel": "Abandonner les modifications", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.title": "Abandonner les modifications non enregistrées apportées au connecteur ?", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseCancelButtonText": "Annuler", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseConfirmButtonText": "Abandonner les modifications", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseMessage": "Vous ne pouvez pas récupérer de modifications non enregistrées.", @@ -32117,10 +35386,12 @@ "xpack.triggersActionsUI.sections.connectorAddInline.unableToLoadConnectorTitle'": "Impossible de charger le connecteur", "xpack.triggersActionsUI.sections.connectorAddInline.unauthorizedToCreateForEmptyConnectors": "Seuls les utilisateurs autorisés peuvent configurer un connecteur. Contactez votre administrateur.", "xpack.triggersActionsUI.sections.deprecatedTitleMessage": "(déclassé)", + "xpack.triggersActionsUI.sections.editConnectorForm.closeButtonLabel": "Fermer", "xpack.triggersActionsUI.sections.editConnectorForm.descriptionText": "Ce connecteur est en lecture seule.", "xpack.triggersActionsUI.sections.editConnectorForm.flyoutPreconfiguredTitle": "Modifier un connecteur", "xpack.triggersActionsUI.sections.editConnectorForm.preconfiguredHelpLabel": "En savoir plus sur les connecteurs préconfigurés.", "xpack.triggersActionsUI.sections.editConnectorForm.saveButtonLabel": "Enregistrer", + "xpack.triggersActionsUI.sections.editConnectorForm.saveButtonSavedLabel": "Modifications enregistrées", "xpack.triggersActionsUI.sections.editConnectorForm.tabText": "Configuration", "xpack.triggersActionsUI.sections.editConnectorForm.updateErrorNotificationText": "Impossible de mettre à jour un connecteur.", "xpack.triggersActionsUI.sections.editConnectorForm.updateSuccessNotificationText": "Mise à jour de \"{connectorName}\" effectuée", @@ -32139,6 +35410,9 @@ "xpack.triggersActionsUI.sections.ruleAdd.saveErrorNotificationText": "Impossible de créer une règle.", "xpack.triggersActionsUI.sections.ruleAddFooter.cancelButtonLabel": "Annuler", "xpack.triggersActionsUI.sections.ruleAddFooter.saveButtonLabel": "Enregistrer", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.filterByErrors": "Filtrer par règles comportant des erreurs", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.property.apiKey": "Clé d'API", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.property.snoozeSettings": "répéter les paramètres", "xpack.triggersActionsUI.sections.ruleDetails.actionWithBrokenConnectorWarningBannerEditText": "Modifier la règle", "xpack.triggersActionsUI.sections.ruleDetails.actionWithBrokenConnectorWarningBannerTitle": "Il existe un problème avec l'un des connecteurs associés à cette règle.", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.avgDurationDescription": "Durée moyenne", @@ -32148,8 +35422,11 @@ "xpack.triggersActionsUI.sections.ruleDetails.alertsList.columns.start": "Démarrer", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.columns.status": "Statut", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.ruleTypeExcessDurationMessage": "La durée dépasse le temps d'exécution attendu de la règle.", - "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.activeLabel": "Actif", - "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.allAlertsLabel": "Toutes les alertes", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.activeLabel": "Actuellement actives", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.allAlertsLabel": "Tous", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.errorLoadingBody": "Une erreur s'est produite lors du chargement du récapitulatif des alertes. Contactez votre administrateur pour obtenir de l'aide.", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.errorLoadingTitle": "Impossible de charger le récapitulatif des alertes", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.last30days": "30 derniers jours", "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.title": "Alertes", "xpack.triggersActionsUI.sections.ruleDetails.deleteRuleButtonLabel": "Supprimer la règle", "xpack.triggersActionsUI.sections.ruleDetails.disableRuleButtonLabel": "Désactiver", @@ -32164,6 +35441,7 @@ "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.apiError": "Impossible de récupérer l'historique d'exécution", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.duration": "Durée", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.erroredActions": "Actions comportant des erreurs", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.erroredActionsToolTip": "Nombre d'actions ayant échoué.", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.esSearchDuration": "Durée de la recherche ES", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.id": "Id", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.message": "Message", @@ -32171,16 +35449,22 @@ "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.openActionErrorsFlyout": "Ouvrir le menu volant des erreurs d’action", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.recoveredAlerts": "Alertes récupérées", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.response": "Réponse", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.ruleId": "ID règle", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.ruleName": "Règle", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduledActions": "Actions générées", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduledActionsToolTip": "Nombre total d'actions générées lors de l'exécution de la règle.", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduleDelay": "Retard sur la planification", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.searchPlaceholder": "Rechercher message de log d’événements", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.showAll": "Afficher tout", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.showOnlyFailures": "Afficher les échecs uniquement", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.spaceIds": "Espace", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.succeededActions": "Actions ayant réussi", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.succeededActionsToolTip": "Nombre d'actions ayant entièrement réussi.", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.timedOut": "Expiré", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.timestamp": "Horodatage", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.totalSearchDuration": "Durée de la recherche totale", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.triggeredActions": "Actions déclenchées", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.triggeredActionsToolTip": "Sous-ensemble des actions générées qui seront exécutées.", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.viewActionErrors": "Afficher les erreurs des actions", "xpack.triggersActionsUI.sections.ruleDetails.eventLogStatusFilterLabel": "Réponse", "xpack.triggersActionsUI.sections.ruleDetails.manageLicensePlanBannerLinkTitle": "Gérer la licence", @@ -32194,6 +35478,10 @@ "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.actionErrors": "Actions comportant des erreurs", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.close": "Fermer", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.message": "Message", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.actionsTooltip": "Statuts des actions pour un maximum de 10 000 exécutions de règles les plus récentes.", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.alertsTooltip": "Statuts des alertes pour un maximum de 10 000 exécutions de règles les plus récentes.", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.apiError": "Impossible de récupérer le KPI du log d'événements.", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.responseTooltip": "Réponses pour un maximum de 10 000 exécutions de règles les plus récentes.", "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogPaginationStatus.paginationResultsRangeNoResult": "0", "xpack.triggersActionsUI.sections.ruleDetails.rulesList.ruleLastExecutionDescription": "Dernière réponse", "xpack.triggersActionsUI.sections.ruleDetails.rulesList.status.active": "Actif", @@ -32202,6 +35490,7 @@ "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilter.enabledOptionText": "La règle est activée", "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilter.snoozedOptionText": "La règle s’est répétée", "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilterButton": "État de la règle", + "xpack.triggersActionsUI.sections.ruleDetails.runRuleButtonLabel": "Règle d'exécution", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastMessage": "Cette règle possède un intervalle défini au-dessous de l'intervalle minimal configuré. Cela peut avoir un impact sur les performances.", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastMessageButton": "Modifier la règle", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastTitle": "Paramètres de configuration", @@ -32228,41 +35517,61 @@ "xpack.triggersActionsUI.sections.ruleForm.loadingRuleTypeParamsDescription": "Chargement des paramètres de types de règles…", "xpack.triggersActionsUI.sections.ruleForm.loadingRuleTypesDescription": "Chargement des types de règles…", "xpack.triggersActionsUI.sections.ruleForm.renotifyFieldLabel": "Notifier", - "xpack.triggersActionsUI.sections.ruleForm.renotifyWithTooltip": "Définir la fréquence de répétition de l'action pendant que la règle est active.", + "xpack.triggersActionsUI.sections.ruleForm.renotifyWithTooltip": "Définissez à quelle fréquence les alertes doivent générer des actions.", "xpack.triggersActionsUI.sections.ruleForm.ruleNameLabel": "Nom", "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.label": "Chaque", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.description": "Les actions sont exécutées lorsque le statut de la règle change.", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.display": "Seulement lors d'un changement de statut", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.label": "Seulement lors d'un changement de statut", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.description": "Les actions se répètent selon l'intervalle des règles lorsque la règle est active.", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.display": "Chaque fois que la règle est active", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.label": "Chaque fois que la règle est active", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.description": "Actions exécutées à l'aide de l'intervalle que vous avez défini.", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.display": "Selon un intervalle d'action personnalisé", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.label": "Selon un intervalle d'action personnalisé", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.description": "Actions exécutées si le statut de l'alerte change.", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.display": "Lors de changements de statut", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.label": "Lors de changements de statut", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.description": "Les actions sont exécutées si les conditions de règle sont remplies.", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.display": "Selon les intervalles de vérification", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.label": "Selon les intervalles de vérification", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.description": "Les actions sont exécutées si les conditions de règle sont remplies.", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.display": "Selon des intervalles d'action personnalisés", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.label": "Selon des intervalles d'action personnalisés", "xpack.triggersActionsUI.sections.ruleForm.ruleTypeSelectLabel": "Sélectionner le type de règle", "xpack.triggersActionsUI.sections.ruleForm.searchPlaceholderTitle": "Rechercher", "xpack.triggersActionsUI.sections.ruleForm.solutionFilterLabel": "Filtrer par cas d'utilisation", "xpack.triggersActionsUI.sections.ruleForm.tagsFieldLabel": "Balises (facultatives)", "xpack.triggersActionsUI.sections.ruleForm.unableToLoadRuleTypesMessage": "Impossible de charger les types de règles", "xpack.triggersActionsUI.sections.rules_list.rules_tag_badge.tagTitle": "Balise", + "xpack.triggersActionsUI.sections.rulesList.ableToRunRuleSoon": "Votre règle est programmée pour s'exécuter", "xpack.triggersActionsUI.sections.rulesList.actionTypeFilterLabel": "Type d'action", "xpack.triggersActionsUI.sections.rulesList.addButton": "Ajouter", "xpack.triggersActionsUI.sections.rulesList.addRuleButtonLabel": "Créer une règle", "xpack.triggersActionsUI.sections.rulesList.addSchedule": "Ajouter un calendrier", - "xpack.triggersActionsUI.sections.rulesList.addScheduleDescription": "Créer des calendriers récurrents pour faire taire les actions pendant les temps d'arrêt prévus", + "xpack.triggersActionsUI.sections.rulesList.addScheduleDescription": "Faites taire les actions immédiatement ou programmez les indisponibilités.", "xpack.triggersActionsUI.sections.rulesList.applyCancelSnoozeButton": "Appliquer", "xpack.triggersActionsUI.sections.rulesList.applySnooze": "Appliquer", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.deleteAllTitle": "Supprimer", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.disableAllTitle": "Désactiver", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.enableAllTitle": "Activer", - "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToDeleteRulesMessage": "Impossible de supprimer la ou les règles", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToDeleteRulesMessage": "Impossible de supprimer les règles", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToSnoozeRules": "Impossible de répéter les règles ou d'annuler leur répétition", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToUpdateRuleAPIKeysMessage": "Impossible de mettre à jour les clés d'API pour les règles", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.removeSnoozeScheduleAllTitle": "Déprogrammer la répétition", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.snoozeAllTitle": "Répéter maintenant", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.snoozeScheduleAllTitle": "Programmer la répétition", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.unsnoozeAllTitle": "Déprogrammer maintenant", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.updateRuleAPIKeysTitle": "Mettre à jour les clés d'API", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteCancelButton": "Annuler", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmButton": "Supprimer", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeFailMessage": "Impossible de répéter les règles de façon groupée", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeModal.modalTitle": "Ajouter une répétition maintenant", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeScheduleFailMessage": "Impossible de répéter les règles de façon groupée", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeScheduleModal.modalTitle": "Ajouter un calendrier de répétition", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeCancelButton": "Annuler", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmButton": "Déprogrammer", "xpack.triggersActionsUI.sections.rulesList.cancelSnooze": "Annuler la répétition", "xpack.triggersActionsUI.sections.rulesList.cancelSnoozeConfirmCallout": "Seule l'occurrence actuelle d'un calendrier sera annulée.", "xpack.triggersActionsUI.sections.rulesList.cancelSnoozeConfirmText": "Reprenez la notification lorsque des alertes sont générées comme défini dans les actions de la règle.", + "xpack.triggersActionsUI.sections.rulesList.clearAllSelectionButton": "Effacer la sélection", + "xpack.triggersActionsUI.sections.rulesList.cloneFailed": "Impossible de cloner la règle", + "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.runRule": "Règle d'exécution", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snooze": "Répéter", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snoozedIndefinitely": "Répété indéfiniment", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.updateApiKey": "Mettre à jour la clé d'API", + "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.cloneRuleTitle": "Cloner la règle", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.deleteRuleTitle": "Supprimer la règle", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.disableTitle": "Désactiver", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.editTitle": "Modifier la règle", @@ -32287,7 +35596,7 @@ "xpack.triggersActionsUI.sections.rulesList.remainingSnoozeIndefinite": "Indéfiniment", "xpack.triggersActionsUI.sections.rulesList.removeAllButton": "Tout supprimer", "xpack.triggersActionsUI.sections.rulesList.removeCancelButton": "Annuler", - "xpack.triggersActionsUI.sections.rulesList.removeConfirmButton": "Tout supprimer", + "xpack.triggersActionsUI.sections.rulesList.removeConfirmButton": "Supprimer", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonDecrypting": "Une erreur s'est produite lors du déchiffrement de la règle.", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonDisabled": "La règle n'a pas pu s'exécuter, car elle a été lancée après sa désactivation.", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonLicense": "Impossible d'exécuter la règle", @@ -32297,6 +35606,10 @@ "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonUnknown": "Une erreur s'est produite pour des raisons inconnues.", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonValidate": "Une erreur s'est produite lors de la validation des paramètres de la règle.", "xpack.triggersActionsUI.sections.rulesList.ruleExecutionStatusFilterLabel": "Dernière réponse", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeFailed": "Échoué", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeFilterLabel": "Dernière réponse", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeSucceeded": "Réussi", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeWarning": "Avertissement", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.noSnoozeAppliedTooltip": "Notifier lors de la génération d'alertes", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.openSnoozePanel": "Ouvrir le panneau Répéter", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozedIndefinitelyTooltip": "Notifications répétées indéfiniment", @@ -32319,12 +35632,14 @@ "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleExecutionPercentileSelectButton": "sélectionner le centile", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleTypeTitle": "Type", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.scheduleTitle": "Intervalle", + "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selectAllAriaLabel": "Basculer la sélection de toutes les règles", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.durationTitle": "Durée", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.lastRunTitle": "Dernière exécution", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.notifyTitle": "Notifier", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.percentileTitle": "Centile", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.successRatioTitle": "Taux de réussite", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.tagsTitle": "Balises", + "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selectShowBulkActionsAriaLabel": "Afficher les actions groupées", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.stateTitle": "État", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.successRatioTitle": "Fréquence à laquelle cette règle s'exécute correctement.", "xpack.triggersActionsUI.sections.rulesList.ruleStatusActive": "Actif", @@ -32337,6 +35652,7 @@ "xpack.triggersActionsUI.sections.rulesList.ruleStatusWarning": "Avertissement", "xpack.triggersActionsUI.sections.rulesList.ruleTagFilterButton": "Balises", "xpack.triggersActionsUI.sections.rulesList.ruleTypeExcessDurationMessage": "La durée dépasse le temps d'exécution attendu de la règle.", + "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonMaxAlerts": "Limite d'alerte dépassée", "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonMaxExecutableActions": "Limite d'action dépassée", "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonUnknown": "Raison inconnue", "xpack.triggersActionsUI.sections.rulesList.searchPlaceholderTitle": "Recherche", @@ -32360,6 +35676,7 @@ "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleStatusInfoMessage": "Impossible de charger les infos de statut de règles", "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleTags": "Impossible de charger les balises de règle", "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleTypesMessage": "Impossible de charger les types de règles", + "xpack.triggersActionsUI.sections.rulesList.unableToRunRuleSoon": "Impossible de programmer l'exécution de votre règle", "xpack.triggersActionsUI.sections.rulesList.weeksLabel": "semaines", "xpack.triggersActionsUI.sections.testConnectorForm.awaitingExecutionDescription": "Lorsque vous exécutez le test, les résultats s'afficheront ici.", "xpack.triggersActionsUI.sections.testConnectorForm.createActionHeader": "Créer une action", @@ -32419,7 +35736,7 @@ "xpack.upgradeAssistant.overview.deprecationLogs.deniedPrivilegeDescription": "Les logs de déclassement continueront à être indexés, mais vous ne pourrez pas les analyser tant que vous ne disposerez pas {privilegesCount, plural, one {d'un privilège} other {de privilèges}} de lecture d'index pour : {missingPrivileges}", "xpack.upgradeAssistant.overview.logsStep.countDescription": "{deprecationCount, plural, =0 {no} other {{deprecationCount}}} {deprecationCount, plural, one {problème de déclassement} other {problèmes de déclassement}} depuis {checkpoint}.", "xpack.upgradeAssistant.overview.logsStep.missingPrivilegesDescription": "Les logs de déclassement continueront à être indexés, mais vous ne pourrez pas les analyser tant que vous ne disposerez pas {privilegesCount, plural, one {d'un privilège} other {de privilèges}} de lecture d'index pour : {missingPrivileges}", - "xpack.upgradeAssistant.overview.systemIndices.body": "Préparez les index système qui stockent des informations internes pour la mise à niveau. Tous les {hiddenIndicesLink} devant être réindexés seront affichés à l'étape suivante.", + "xpack.upgradeAssistant.overview.systemIndices.body": "Préparez les index système qui stockent des informations internes pour la mise à niveau. Cette préparation est requise uniquement lors des mises à jour des versions majeures. Tous les {hiddenIndicesLink} devant être réindexés seront affichés à l'étape suivante.", "xpack.upgradeAssistant.overview.systemIndices.migrationFailedBody": "Une erreur s'est produite lors de la migration des index système pour {feature} : {failureCause}", "xpack.upgradeAssistant.overview.verifyChanges.calloutTitle": "{warningsCount, plural, =0 {Aucun} other {{warningsCount}}} {warningsCount, plural, one {problème} other {problèmes}} de déclassement depuis {previousCheck}", "xpack.upgradeAssistant.reindex.reindexPrivilegesErrorBatch": "Vous ne disposez pas des privilèges appropriés pour réindexer \"{indexName}\".", @@ -32515,7 +35832,7 @@ "xpack.upgradeAssistant.esDeprecations.mlSnapshots.upgradeModeEnabledDocsLink": "En savoir plus", "xpack.upgradeAssistant.esDeprecations.mlSnapshots.upgradeModeEnabledErrorTitle": "Le mode de mise à niveau de Machine Learning est activé", "xpack.upgradeAssistant.esDeprecations.nodeDeprecationTypeLabel": "Nœud", - "xpack.upgradeAssistant.esDeprecations.pageDescription": "Corrigez tout problème critique avant d'effectuer la mise à niveau. Avant d'effectuer des modifications, assurez-vous de disposer d'un snapshot actuel de votre cluster. Les index créés avant la version 7.0 doivent être réindexés ou retirés, y compris les index masqués tels que ceux qui ont été utilisés pour stocker les données de Machine Learning.", + "xpack.upgradeAssistant.esDeprecations.pageDescription": "Corrigez tout problème critique avant d'effectuer la mise à niveau. Avant d'effectuer des modifications, assurez-vous de disposer d'un snapshot actuel de votre cluster.", "xpack.upgradeAssistant.esDeprecations.pageTitle": "Problèmes de déclassement Elasticsearch", "xpack.upgradeAssistant.esDeprecations.reindex.manualCellTooltipLabel": "Ce problème doit être corrigé manuellement.", "xpack.upgradeAssistant.esDeprecations.reindex.reindexCanceledText": "Réindexation annulée", @@ -32592,6 +35909,7 @@ "xpack.upgradeAssistant.overview.apiCompatibilityNoteTitle": "Appliquer les en-têtes de compatibilité d'API (facultatif)", "xpack.upgradeAssistant.overview.backupStepDescription": "Assurez-vous de disposer d'un snapshot actuel avant d'effectuer des modifications.", "xpack.upgradeAssistant.overview.backupStepTitle": "Sauvegarder vos données", + "xpack.upgradeAssistant.overview.checkUpcomingVersion": "Si vous ne travaillez pas sur la dernière version de la Suite Elastic, utilisez l'assistant de mise à niveau pour effectuer la préparation de la prochaine mise à niveau.", "xpack.upgradeAssistant.overview.cloudBackup.loadingError": "Une erreur s'est produite lors de la récupération du dernier statut de snapshot", "xpack.upgradeAssistant.overview.cloudBackup.noSnapshotMessage": "Vos données n'ont pas été sauvegardées.", "xpack.upgradeAssistant.overview.cloudBackup.retryButton": "Réessayer", @@ -32609,7 +35927,7 @@ "xpack.upgradeAssistant.overview.deprecationsCountCheckpointTitle": "Résoudre les problèmes de déclassement et vérifier vos modifications", "xpack.upgradeAssistant.overview.documentationLinkText": "Documentation", "xpack.upgradeAssistant.overview.errorLoadingUpgradeStatus": "Une erreur s'est produite lors de la récupération du statut de mise à niveau", - "xpack.upgradeAssistant.overview.fixIssuesStepDescription": "Vous devez résoudre tous les problèmes critiques de configuration Elasticsearch et Kibana avant d'effectuer la mise à niveau vers Elastic 8.x. Si vous ignorez les avertissements, des différences de comportement pourront apparaître après votre mise à niveau.", + "xpack.upgradeAssistant.overview.fixIssuesStepDescription": "Vous devez résoudre tous les problèmes critiques de configuration Elasticsearch et Kibana avant d'effectuer la mise à niveau vers la version suivante de la Suite Elastic. Si vous ignorez les avertissements, des différences de comportement pourront apparaître après votre mise à niveau.", "xpack.upgradeAssistant.overview.fixIssuesStepTitle": "Passer en revue les paramètres déclassés et résoudre les problèmes", "xpack.upgradeAssistant.overview.loadingLogsLabel": "Chargement de l'état de la collecte de logs de déclassement…", "xpack.upgradeAssistant.overview.loadingUpgradeStatus": "Chargement du statut de mise à niveau", @@ -32622,7 +35940,7 @@ "xpack.upgradeAssistant.overview.logsStep.viewLogsButtonLabel": "Afficher les logs", "xpack.upgradeAssistant.overview.observe.discoveryDescription": "Recherchez et filtrez les logs de déclassement pour comprendre les types de modifications que vous devez effectuer.", "xpack.upgradeAssistant.overview.observe.observabilityDescription": "Obtenez des informations sur les API déclassées qui sont utilisées et les applications que vous devez mettre à jour.", - "xpack.upgradeAssistant.overview.pageDescription": "Préparez-vous pour la prochaine version d'Elastic !", + "xpack.upgradeAssistant.overview.pageDescription": "Préparez-vous pour la prochaine version de la Suite Elastic !", "xpack.upgradeAssistant.overview.pageTitle": "Assistant de mise à niveau", "xpack.upgradeAssistant.overview.snapshotRestoreLink": "Créer un snapshot", "xpack.upgradeAssistant.overview.systemIndices.body.hiddenIndicesLink": "index masqués", @@ -32637,7 +35955,7 @@ "xpack.upgradeAssistant.overview.systemIndices.migrationCompleteLabel": "Migration terminée", "xpack.upgradeAssistant.overview.systemIndices.migrationFailedTitle": "Échec de la migration des index système", "xpack.upgradeAssistant.overview.systemIndices.needsMigrationLabel": "Migration requise", - "xpack.upgradeAssistant.overview.systemIndices.noMigrationNeeded": "Migration terminée", + "xpack.upgradeAssistant.overview.systemIndices.noMigrationNeeded": "Migration des index système non nécessaire.", "xpack.upgradeAssistant.overview.systemIndices.retryButtonLabel": "Réessayer la migration", "xpack.upgradeAssistant.overview.systemIndices.startButtonLabel": "Migrer les index", "xpack.upgradeAssistant.overview.systemIndices.statusTableColumn": "Statut", @@ -32646,9 +35964,9 @@ "xpack.upgradeAssistant.overview.upgradeGuideLink": "Afficher le guide de mise à niveau", "xpack.upgradeAssistant.overview.upgradeStatus.retryButton": "Réessayer", "xpack.upgradeAssistant.overview.upgradeStepCloudLink": "Mettre à niveau sur le cloud", - "xpack.upgradeAssistant.overview.upgradeStepDescription": "Une fois que vous avez résolu tous les problèmes critiques et vérifié que vos applications sont prêtes, vous pouvez effectuer la mise à niveau vers Elastic 8.x. Veillez à sauvegarder à nouveau vos données avant d'effectuer la mise à niveau.", - "xpack.upgradeAssistant.overview.upgradeStepDescriptionForCloud": "Une fois que vous avez résolu tous les problèmes critiques et vérifié que vos applications sont prêtes, vous pouvez effectuer la mise à niveau vers Elastic 8.x. Veillez à sauvegarder à nouveau vos données avant d'effectuer la mise à niveau. Mettez à niveau votre déploiement sur Elastic Cloud.", - "xpack.upgradeAssistant.overview.upgradeStepTitle": "Mettre à niveau vers Elastic 8.x", + "xpack.upgradeAssistant.overview.upgradeStepDescription": "Une fois que vous avez résolu tous les problèmes critiques et vérifié que vos applications sont prêtes, vous pouvez effectuer la mise à niveau vers la version suivante de la Suite Elastic. Veillez à sauvegarder à nouveau vos données avant d'effectuer la mise à niveau.", + "xpack.upgradeAssistant.overview.upgradeStepDescriptionForCloud": "Une fois que vous avez résolu tous les problèmes critiques et vérifié que vos applications sont prêtes, vous pouvez effectuer la mise à niveau vers la version suivante de la Suite Elastic. Veillez à sauvegarder à nouveau vos données avant d'effectuer la mise à niveau. Mettez à niveau votre déploiement sur Elastic Cloud.", + "xpack.upgradeAssistant.overview.upgradeStepTitle": "Mise à niveau de la Suite Elastic", "xpack.upgradeAssistant.overview.verifyChanges.calloutBody": "Après avoir effectué des modifications, réinitialisez le compteur et poursuivez le monitoring pour vérifier que vous n'utilisez plus de fonctionnalités déclassées.", "xpack.upgradeAssistant.overview.verifyChanges.errorToastTitle": "Impossible de supprimer le cache des logs de déclassement", "xpack.upgradeAssistant.overview.verifyChanges.loadingError": "Une erreur s'est produite lors de la récupération du nombre de logs de déclassement", @@ -32656,7 +35974,7 @@ "xpack.upgradeAssistant.overview.verifyChanges.retryButton": "Réessayer", "xpack.upgradeAssistant.overview.viewDiscoverResultsAction": "Analyser les logs dans Discover", "xpack.upgradeAssistant.overview.viewObservabilityResultsAction": "Afficher les logs de déclassement dans Observability", - "xpack.upgradeAssistant.overview.whatsNewLink": "Nouveautés de la version 8.x", + "xpack.upgradeAssistant.overview.whatsNewLink": "Consulter les points forts de la toute dernière version", "xpack.upgradeAssistant.status.allDeprecationsResolvedMessage": "Tous les avertissements de déclassement ont été résolus.", "xpack.upgradeAssistant.upgradedDescription": "Tous les nœuds Elasticsearch ont été mis à niveau. Vous pouvez maintenant mettre à niveau Kibana.", "xpack.upgradeAssistant.upgradedTitle": "Votre cluster a été mis à niveau", @@ -32873,19 +36191,21 @@ "xpack.watcher.breadcrumb.editLabel": "Modifier", "xpack.watcher.breadcrumb.listLabel": "Watcher", "xpack.watcher.breadcrumb.statusLabel": "Statut", - "xpack.watcher.constants.actionStates.acknowledgedStateText": "Reconnu", + "xpack.watcher.constants.actionStates.acknowledgedStateText": "Reconnue(s)", "xpack.watcher.constants.actionStates.configErrorStateText": "Erreur de config", "xpack.watcher.constants.actionStates.errorStateText": "Erreur", "xpack.watcher.constants.actionStates.okStateText": "OK", "xpack.watcher.constants.actionStates.throttledStateText": "Contraint", "xpack.watcher.constants.actionStates.unknownStateText": "Inconnu", - "xpack.watcher.constants.watchStateComments.acknowledgedStateCommentText": "Reconnu", + "xpack.watcher.constants.watchStateComments.acknowledgedStateCommentText": "Reconnue(s)", "xpack.watcher.constants.watchStateComments.executionFailingStateCommentText": "Exécution en échec", "xpack.watcher.constants.watchStateComments.partiallyAcknowledgedStateCommentText": "Partiellement reconnu", "xpack.watcher.constants.watchStateComments.partiallyThrottledStateCommentText": "Partiellement contraint", "xpack.watcher.constants.watchStateComments.throttledStateCommentText": "Contraint", + "xpack.watcher.constants.watchStates.activeStateText": "Actif", "xpack.watcher.constants.watchStates.configErrorStateText": "Erreur de config", "xpack.watcher.constants.watchStates.errorStateText": "Erreur", + "xpack.watcher.constants.watchStates.inactiveStateText": "Inactif", "xpack.watcher.deleteSelectedWatchesConfirmModal.cancelButtonLabel": "Annuler", "xpack.watcher.models.baseAction.selectMessageText": "Effectuez une action.", "xpack.watcher.models.baseAction.simulateButtonLabel": "Simuler cette action maintenant", @@ -32921,6 +36241,8 @@ "xpack.watcher.models.thresholdWatch.selectMessageText": "Envoyer une alerte selon une condition spécifique", "xpack.watcher.models.thresholdWatch.sendAlertOnSpecificConditionTitleDescription": "Envoyer une alerte lorsque votre condition spécifiée est remplie.", "xpack.watcher.models.thresholdWatch.typeName": "Alerte de seuil", + "xpack.watcher.models.watchStatus.idPropertyMissingBadRequestMessage": "L'argument JSON doit contenir une propriété id", + "xpack.watcher.models.watchStatus.watchStatusJsonPropertyMissingBadRequestMessage": "L'argument JSON doit contenir une propriété watchStatusJson", "xpack.watcher.models.webhookAction.selectMessageText": "Envoyer une requête à un service Web.", "xpack.watcher.models.webhookAction.simulateButtonLabel": "Envoyer la requête", "xpack.watcher.models.webhookAction.typeName": "Webhook", @@ -32943,6 +36265,7 @@ "xpack.watcher.sections.watchDetail.watchTable.errorsHeader": "Erreurs", "xpack.watcher.sections.watchDetail.watchTable.noWatchesMessage": "Aucune action à afficher", "xpack.watcher.sections.watchDetail.watchTable.stateHeader": "État", + "xpack.watcher.sections.watchDetail.watchTable.stateHeader.tooltipText": "OK, reconnu, contraint ou erreur.", "xpack.watcher.sections.watchEdit.actions.addActionButtonLabel": "Ajouter une action", "xpack.watcher.sections.watchEdit.actions.disabledOptionLabel": "Désactivé. Configurez votre elasticsearch.yml.", "xpack.watcher.sections.watchEdit.errorLoadingWatchVisualizationTitle": "Impossible de charger la visualisation de l'alerte", @@ -33065,7 +36388,10 @@ "xpack.watcher.sections.watchHistory.timeSpan.6M": "6 derniers mois", "xpack.watcher.sections.watchHistory.timeSpan.7d": "7 derniers jours", "xpack.watcher.sections.watchHistory.watchActionStatusTable.id": "Nom", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.lastExecuted": "Dernière exécution", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.lastExecuted.tooltipText": "Dernière fois que cette action a été exécutée.", "xpack.watcher.sections.watchHistory.watchActionStatusTable.state": "État", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.state.tooltipText": "OK, reconnu, contraint ou erreur.", "xpack.watcher.sections.watchHistory.watchExecutionErrorTitle": "Erreur lors du chargement de l'historique d'exécution", "xpack.watcher.sections.watchHistory.watchHistoryDetail.actionsTitle": "Actions", "xpack.watcher.sections.watchHistory.watchHistoryDetail.errorTitle": "Détails d'exécution", @@ -33073,11 +36399,15 @@ "xpack.watcher.sections.watchHistory.watchHistoryDetailsErrorTitle": "Erreur lors du chargement des détails d'exécution", "xpack.watcher.sections.watchHistory.watchTable.activateWatchLabel": "Activer", "xpack.watcher.sections.watchHistory.watchTable.commentHeader": "Commentaire", + "xpack.watcher.sections.watchHistory.watchTable.commentHeader.tooltipText": "Si l'action a été contrainte ou reconnue, ou si son exécution a échoué.", "xpack.watcher.sections.watchHistory.watchTable.deactivateWatchLabel": "Désactiver", + "xpack.watcher.sections.watchHistory.watchTable.metConditionHeader": "Condition remplie", + "xpack.watcher.sections.watchHistory.watchTable.metConditionHeader.tooltipText": "Si la condition a été remplie et une action a été entreprise.", "xpack.watcher.sections.watchHistory.watchTable.noCurrentStatus": "Aucun historique d'exécution à afficher", "xpack.watcher.sections.watchHistory.watchTable.noWatchesMessage": "Aucun statut actuel à afficher", "xpack.watcher.sections.watchHistory.watchTable.startTimeHeader": "Heure de déclenchement", "xpack.watcher.sections.watchHistory.watchTable.stateHeader": "État", + "xpack.watcher.sections.watchHistory.watchTable.stateHeader.tooltipText": "Actif ou état d'erreur.", "xpack.watcher.sections.watchList.createAdvancedWatchButtonLabel": "Créer une alerte avancée", "xpack.watcher.sections.watchList.createAdvancedWatchTooltip": "Configurez une alerte personnalisée en JSON.", "xpack.watcher.sections.watchList.createThresholdAlertButtonLabel": "Créer une alerte de seuil", @@ -33101,13 +36431,17 @@ "xpack.watcher.sections.watchList.watchTable.actionEditTooltipLabel": "Modifier", "xpack.watcher.sections.watchList.watchTable.actionHeader": "Actions", "xpack.watcher.sections.watchList.watchTable.commentHeader": "Commentaire", + "xpack.watcher.sections.watchList.watchTable.commentHeader.tooltipText": "Si des actions ont été reconnues ou contraintes, ou si leur exécution a échoué.", "xpack.watcher.sections.watchList.watchTable.disabledWatchTooltipText": "Cette alerte est en lecture seule", "xpack.watcher.sections.watchList.watchTable.idHeader": "ID", - "xpack.watcher.sections.watchList.watchTable.lastFiredHeader": "Dernier déclenchement", - "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader": "Dernier déclenchement", + "xpack.watcher.sections.watchList.watchTable.lastFiredHeader": "Dernière correspondance de la condition", + "xpack.watcher.sections.watchList.watchTable.lastFiredHeader.tooltipText": "Dernière fois où la condition a été remplie et qu'une action a été entreprise.", + "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader": "Dernière vérification", + "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader.tooltipText": "Dernière fois où la condition a été vérifiée.", "xpack.watcher.sections.watchList.watchTable.nameHeader": "Nom", "xpack.watcher.sections.watchList.watchTable.noWatchesMessage": "Aucune alerte à afficher", "xpack.watcher.sections.watchList.watchTable.stateHeader": "État", + "xpack.watcher.sections.watchList.watchTable.stateHeader.tooltipText": "Actif, inactif ou erreur.", "xpack.watcher.sections.watchStatus.actionsTabLabel": "Statuts d'action", "xpack.watcher.sections.watchStatus.executionHistoryTabLabel": "Historique d'exécution", "xpack.watcher.sections.watchStatus.loadingWatchDetailsDescription": "Chargement des détails de l'alerte…", @@ -33141,28 +36475,30 @@ "alerts.documentationTitle": "Afficher la documentation", "alerts.noPermissionsMessage": "Pour consulter les alertes, vous devez disposer de privilèges pour la fonctionnalité Alertes dans l'espace Kibana. Pour en savoir plus, contactez votre administrateur Kibana.", "alerts.noPermissionsTitle": "Privilèges de fonctionnalité Kibana requis", - "autocomplete.fieldRequiredError": "Ce champ ne peut pas être vide.", - "autocomplete.invalidDateError": "Date non valide", - "autocomplete.invalidNumberError": "Nombre non valide", - "autocomplete.loadingDescription": "Chargement...", - "autocomplete.selectField": "Veuillez d'abord sélectionner un champ...", "bfetch.disableBfetch": "Désactiver la mise en lots de requêtes", "bfetch.disableBfetchCompression": "Désactiver la compression par lots", "bfetch.disableBfetchCompressionDesc": "Vous pouvez désactiver la compression par lots. Cela permet de déboguer des requêtes individuelles, mais augmente la taille des réponses.", "bfetch.disableBfetchDesc": "Désactive la mise en lot des requêtes. Cette option augmente le nombre de requêtes HTTP depuis Kibana, mais permet de les déboguer individuellement.", + "cases.components.status.closed": "Fermé", + "cases.components.status.inProgress": "En cours", + "cases.components.status.open": "Ouvrir", "devTools.badge.betaLabel": "Bêta", "devTools.badge.betaTooltipText": "Cette fonctionnalité pourra considérablement changer dans les futures versions", "devTools.badge.readOnly.text": "Lecture seule", "devTools.badge.readOnly.tooltip": "Enregistrement impossible", "devTools.breadcrumb.homeLabel": "Outils de développement", "devTools.devToolsTitle": "Outils de développement", + "eventAnnotation.fetch.description": "Récupération d'annotations d'événement", "eventAnnotation.fetchEventAnnotations.args.annotationConfigs": "Configurations d'annotations", "eventAnnotation.fetchEventAnnotations.args.interval.help": "Intervalle à utiliser pour cette agrégation", "eventAnnotation.fetchEventAnnotations.description": "Récupérer les annotations d’événement", "eventAnnotation.group.args.annotationConfigs": "Configurations d'annotations", + "eventAnnotation.group.args.annotationConfigs.dataView.help": "Vue de données extraite avec indexPatternLoad", + "eventAnnotation.group.args.annotationGroups": "Groupe d'annotations", "eventAnnotation.group.description": "Groupe d'annotations d'événement", "eventAnnotation.manualAnnotation.args.color": "Couleur de la ligne", "eventAnnotation.manualAnnotation.args.icon": "Icône facultative utilisée pour les lignes d'annotation", + "eventAnnotation.manualAnnotation.args.id": "ID de l'annotation", "eventAnnotation.manualAnnotation.args.isHidden": "Basculer pour masquer l'annotation", "eventAnnotation.manualAnnotation.args.label": "Nom de l'annotation", "eventAnnotation.manualAnnotation.args.lineStyle": "Style de la ligne d'annotation", @@ -33171,6 +36507,26 @@ "eventAnnotation.manualAnnotation.args.time": "Horodatage de l'annotation", "eventAnnotation.manualAnnotation.defaultAnnotationLabel": "Événement", "eventAnnotation.manualAnnotation.description": "Configurer l'annotation manuelle", + "eventAnnotation.queryAnnotation.args.color": "Couleur de la ligne", + "eventAnnotation.queryAnnotation.args.field": "Champs supplémentaires de l'annotation", + "eventAnnotation.queryAnnotation.args.filter": "Filtre d'annotation", + "eventAnnotation.queryAnnotation.args.icon": "Icône facultative utilisée pour les lignes d'annotation", + "eventAnnotation.queryAnnotation.args.id": "ID de l'annotation", + "eventAnnotation.queryAnnotation.args.isHidden": "Basculer pour masquer l'annotation", + "eventAnnotation.queryAnnotation.args.label": "Nom de l'annotation", + "eventAnnotation.queryAnnotation.args.lineStyle": "Style de la ligne d'annotation", + "eventAnnotation.queryAnnotation.args.lineWidth": "Largeur de la ligne d'annotation", + "eventAnnotation.queryAnnotation.args.textField": "Nom de champ utilisé pour l'étiquette de l'annotation", + "eventAnnotation.queryAnnotation.args.textVisibility": "Visibilité de l'étiquette sur la ligne d'annotation", + "eventAnnotation.queryAnnotation.args.timeField": "Champ temporel de l'annotation", + "eventAnnotation.queryAnnotation.description": "Configurer l'annotation manuelle", + "eventAnnotation.rangeAnnotation.args.color": "Couleur de la ligne", + "eventAnnotation.rangeAnnotation.args.endTime": "Horodatage de l'annotation de plage", + "eventAnnotation.rangeAnnotation.args.id": "ID de l'annotation", + "eventAnnotation.rangeAnnotation.args.isHidden": "Basculer pour masquer l'annotation", + "eventAnnotation.rangeAnnotation.args.label": "Nom de l'annotation", + "eventAnnotation.rangeAnnotation.args.time": "Horodatage de l'annotation", + "eventAnnotation.rangeAnnotation.description": "Configurer l'annotation manuelle", "expressionHeatmap.function.args.addTooltipHelpText": "Afficher l'infobulle au survol", "expressionHeatmap.function.args.grid.isCellLabelVisible.help": "Spécifie si l'étiquette de cellule est visible ou non.", "expressionHeatmap.function.args.grid.isXAxisLabelVisible.help": "Spécifie si les étiquettes de l'axe X sont visibles ou non.", @@ -33207,6 +36563,7 @@ "expressionHeatmap.visualizationName": "Carte thermique", "expressionLegacyMetricVis.filterTitle": "Cliquer pour filtrer par champ", "expressionLegacyMetricVis.function.autoScale.help": "Activer le scaling automatique", + "expressionLegacyMetricVis.function.autoScaleMetricAlignment.help": "Alignement d'indicateur après scalage", "expressionLegacyMetricVis.function.bucket.help": "configuration des dimensions de compartiment", "expressionLegacyMetricVis.function.colorFullBackground.help": "Applique la couleur d'arrière-plan sélectionnée à l'intégralité du conteneur de visualisation", "expressionLegacyMetricVis.function.colorMode.help": "La partie de l'indicateur à colorer", @@ -33240,6 +36597,8 @@ "expressionTagcloud.functions.tagcloudHelpText": "Visualisation du nuage de balises.", "expressionTagcloud.renderer.tagcloud.displayName": "Visualisation du nuage de balises", "expressionTagcloud.renderer.tagcloud.helpDescription": "Afficher le rendu d'un nuage de balises", + "files.featureRegistry.filesFeatureName": "Fichiers", + "files.featureRegistry.filesPrivilegesTooltip": "Fournir un accès aux fichiers dans toutes les applications", "flot.pie.unableToDrawLabelsInsideCanvasErrorMessage": "Impossible de dessiner un graphique avec les étiquettes contenues dans la toile", "flot.time.aprLabel": "Avr", "flot.time.augLabel": "Août", @@ -33284,6 +36643,11 @@ "monaco.painlessLanguage.autocomplete.emitKeywordDescription": "Émettre une valeur sans rien renvoyer", "monaco.painlessLanguage.autocomplete.fieldValueDescription": "Récupérer la valeur du champ \"{fieldName}\"", "monaco.painlessLanguage.autocomplete.paramsKeywordDescription": "Accéder aux variables transmises dans le script", + "savedObjectsFinder.filterButtonLabel": "Types", + "savedObjectsFinder.titleDescription": "Titre de l'objet enregistré", + "savedObjectsFinder.titleName": "Titre", + "savedObjectsFinder.typeDescription": "Type de l'objet enregistré", + "savedObjectsFinder.typeName": "Type", "uiActions.actionPanel.more": "Plus", "uiActions.actionPanel.title": "Options", "uiActions.errors.incompatibleAction": "Action non compatible", @@ -33425,6 +36789,12 @@ "visTypeTagCloud.visParams.orientationsLabel": "Orientations", "visTypeTagCloud.visParams.showLabelToggleLabel": "Afficher l'étiquette", "visTypeTagCloud.visParams.textScaleLabel": "Échelle de texte", + "xpack.cloudChat.chatFrameTitle": "Chat", + "xpack.cloudChat.hideChatButtonLabel": "Masquer le chat", + "xpack.cloudLinks.deploymentLinkLabel": "Gérer ce déploiement", + "xpack.cloudLinks.setupGuide": "Guides de configuration", + "xpack.cloudLinks.userMenuLinks.accountLinkText": "Compte et facturation", + "xpack.cloudLinks.userMenuLinks.profileLinkText": "Modifier le profil", "xpack.dashboard.components.DashboardDrilldownConfig.chooseDestinationDashboard": "Choisir le tableau de bord de destination", "xpack.dashboard.components.DashboardDrilldownConfig.openInNewTab": "Ouvrir le tableau de bord dans un nouvel onglet", "xpack.dashboard.components.DashboardDrilldownConfig.useCurrentDateRange": "Utiliser la plage de dates du tableau de bord d'origine", diff --git a/x-pack/plugins/translations/translations/ja-JP.json b/x-pack/plugins/translations/translations/ja-JP.json index ac24d3519af44..6ade0d3df1fc4 100644 --- a/x-pack/plugins/translations/translations/ja-JP.json +++ b/x-pack/plugins/translations/translations/ja-JP.json @@ -93,6 +93,7 @@ "advancedSettings.callOutCautionTitle": "注意:不具合につながる可能性があります", "advancedSettings.categoryNames.dashboardLabel": "ダッシュボード", "advancedSettings.categoryNames.discoverLabel": "Discover", + "advancedSettings.categoryNames.enterpriseSearchLabel": "Enterprise Search", "advancedSettings.categoryNames.generalLabel": "一般", "advancedSettings.categoryNames.machineLearningLabel": "機械学習", "advancedSettings.categoryNames.notificationsLabel": "通知", @@ -128,9 +129,20 @@ "advancedSettings.searchBar.unableToParseQueryErrorMessage": "クエリをパースできません", "advancedSettings.searchBarAriaLabel": "高度な設定を検索", "advancedSettings.voiceAnnouncement.ariaLabel": "詳細設定結果情報", + "autocomplete.customOptionText": "{searchValuePlaceholder}をカスタムフィールドとして追加", + "autocomplete.fieldRequiredError": "値を空にすることはできません", + "autocomplete.fieldSpaceWarning": "警告:この値の先頭と末尾にあるスペースは表示されません。", + "autocomplete.invalidBinaryType": "バイナリフィールドは現在サポートされていません", + "autocomplete.invalidDateError": "有効な日付ではありません", + "autocomplete.invalidNumberError": "有効な数値ではありません", + "autocomplete.listsTooltipWarning": "このルールタイプで処理できないリストは無効化されます。", + "autocomplete.loadingDescription": "読み込み中...", + "autocomplete.seeDocumentation": "ドキュメントを参照", + "autocomplete.selectField": "最初にフィールドを選択してください...", "charts.advancedSettings.visualization.colorMappingText": "互換性パレットを使用して、グラフで値を特定の色にマッピング色にマッピングします。", "charts.colorPicker.setColor.screenReaderDescription": "値 {legendDataLabel} の色を設定", "charts.functions.palette.args.colorHelpText": "パレットの色です。{html} カラー名、{hex}、{hsl}、{hsla}、{rgb}、または {rgba} を使用できます。", + "charts.warning.warningLabel": "{numberWarnings, number} {numberWarnings, plural, other {件の警告}}", "charts.advancedSettings.visualization.colorMappingTextDeprecation": "この設定はサポートが終了し、将来のバージョンではサポートされません。", "charts.advancedSettings.visualization.colorMappingTitle": "カラーマッピング", "charts.advancedSettings.visualization.useLegacyTimeAxis.description": "Lens、Discover、Visualize、およびTSVBでグラフのレガシー時間軸を有効にします", @@ -173,17 +185,22 @@ "coloring.dynamicColoring.customPalette.distributeValues": "値を分散", "coloring.dynamicColoring.customPalette.distributeValuesAriaLabel": "値を分散", "coloring.dynamicColoring.customPalette.invalidMaxValue": "最大値は前の値より大きくなければなりません", + "coloring.dynamicColoring.customPalette.invalidPercentValue": "割合の値は0~100の範囲で指定する必要があります", "coloring.dynamicColoring.customPalette.invalidValueOrColor": "1つ以上の色範囲に正しくない値または色が含まれています", "coloring.dynamicColoring.customPalette.maximumStepsApplied": "ステップの最大数を適用しました", - "coloring.dynamicColoring.customPalette.maxValuePlaceholder": "最大値", - "coloring.dynamicColoring.customPalette.minValuePlaceholder": "最小値", + "coloring.dynamicColoring.customPalette.maxValuePlaceholder": "最大値なし", + "coloring.dynamicColoring.customPalette.maxValuePlaceholderPercentage": "100", + "coloring.dynamicColoring.customPalette.minValuePlaceholder": "最小値なし", + "coloring.dynamicColoring.customPalette.minValuePlaceholderPercentage": "0", "coloring.dynamicColoring.customPalette.oneColorRange": "複数の色が必要です", "coloring.dynamicColoring.customPalette.reverseColors": "色を反転", "coloring.dynamicColoring.customPalette.selectNewColor": "新しい色を選択", "coloring.dynamicColoring.customPalette.setCustomMaxValue": "カスタム最小値を設定", "coloring.dynamicColoring.customPalette.setCustomMinValue": "カスタム最大値を設定", - "coloring.dynamicColoring.customPalette.useAutoMaxValue": "最大データ値を使用", - "coloring.dynamicColoring.customPalette.useAutoMinValue": "最小データ値を使用", + "coloring.dynamicColoring.customPalette.useAutoMaxValue": "最大値がありません", + "coloring.dynamicColoring.customPalette.useAutoMaxValuePercentage": "割合の最大値を使用", + "coloring.dynamicColoring.customPalette.useAutoMinValue": "最小値がありません", + "coloring.dynamicColoring.customPalette.useAutoMinValuePercentage": "割合の最小値を使用", "coloring.dynamicColoring.customPaletteAriaLabel": "色を反転", "coloring.dynamicColoring.palettePicker.colorRangesLabel": "色の範囲", "coloring.dynamicColoring.palettePicker.label": "カラーパレット", @@ -260,6 +277,7 @@ "console.settingsPage.autocompleteLabel": "自動入力", "console.settingsPage.cancelButtonLabel": "キャンセル", "console.settingsPage.dataStreamsLabelText": "データストリーム", + "console.settingsPage.enableKeyboardShortcutsLabel": "キーボードショートカットを有効にする", "console.settingsPage.fieldsLabelText": "フィールド", "console.settingsPage.fontSizeLabel": "フォントサイズ", "console.settingsPage.historyLabel": "履歴", @@ -268,13 +286,14 @@ "console.settingsPage.keyboardShortcutsLabel": "キーボードショートカット", "console.settingsPage.pageTitle": "コンソール設定", "console.settingsPage.refreshButtonLabel": "自動入力候補の更新", - "console.settingsPage.refreshingDataDescription": "コンソールは、Elasticsearchをクエリして自動入力候補を更新します。帯域幅コストを削減するには、更新頻度を下げることをお勧めします。", + "console.settingsPage.refreshingDataDescription": "コンソールは、Elasticsearchをクエリして自動入力候補を更新します。帯域幅コストを削減するには、更新頻度を下げます。", "console.settingsPage.refreshingDataLabel": "更新頻度", "console.settingsPage.refreshInterval.everyHourTimeInterval": "毎時", "console.settingsPage.refreshInterval.onceTimeInterval": "コンソールの読み込み時に1回", "console.settingsPage.saveButtonLabel": "保存", + "console.settingsPage.saveRequestsToHistoryLabel": "リクエストを履歴に保存します", "console.settingsPage.templatesLabelText": "テンプレート", - "console.settingsPage.tripleQuotesMessage": "出力ウィンドウでは三重引用符を使用してください", + "console.settingsPage.tripleQuotesMessage": "出力では三重引用符を使用します", "console.settingsPage.wrapLongLinesLabelText": "長い行を改行", "console.splitPanel.adjustPanelSizeAriaLabel": "左右のキーを押してパネルサイズを調整します", "console.topNav.helpTabDescription": "ヘルプ", @@ -306,13 +325,61 @@ "console.welcomePage.quickTipsTitle": "今のうちにいくつか簡単なコツをお教えします", "console.welcomePage.supportedRequestFormatDescription": "リクエストの入力中、コンソールが候補を提案するので、Enter/Tabを押して確定できます。これらの候補はリクエストの構造、およびインデックス、タイプに基づくものです。", "console.welcomePage.supportedRequestFormatTitle": "コンソールは cURL と同様に、コンパクトなフォーマットのリクエストを理解できます。", + "contentManagement.inspector.metadataForm.unableToSaveDangerMessage": "{entityName}を保存できません", + "contentManagement.inspector.saveButtonLabel": "{entityName}の作成", + "contentManagement.tableList.listing.createNewItemButtonLabel": "Create {entityName}", + "contentManagement.tableList.listing.deleteButtonMessage": "{itemCount} 件の {entityName} を削除", + "contentManagement.tableList.listing.deleteConfirmModalDescription": "削除された {entityNamePlural} は復元できません。", + "contentManagement.tableList.listing.deleteSelectedConfirmModal.title": "{itemCount} 件の {entityName} を削除", + "contentManagement.tableList.listing.fetchErrorDescription": "{entityName}リストを取得できませんでした。{message}", + "contentManagement.tableList.listing.listingLimitExceededDescription": "{totalItems} 件の {entityNamePlural} がありますが、{listingLimitText} の設定により {listingLimitValue} 件までしか下の表に表示できません。", + "contentManagement.tableList.listing.listingLimitExceededDescriptionPermissions": "{advancedSettingsLink} の下でこの設定を変更できます。", + "contentManagement.tableList.listing.noAvailableItemsMessage": "利用可能な {entityNamePlural} がありません。", + "contentManagement.tableList.listing.noMatchedItemsMessage": "検索条件に一致する {entityNamePlural} がありません。", + "contentManagement.tableList.listing.table.editActionName": "{itemDescription}の編集", + "contentManagement.tableList.listing.table.inspectActionName": "{itemDescription}の検査", + "contentManagement.tableList.listing.unableToDeleteDangerMessage": "{entityName} を削除できません", + "contentManagement.tableList.tagBadge.buttonLabel": "{tagName}タグボタン。", + "contentManagement.tableList.tagFilterPanel.modifierKeyHelpText": "{modifierKeyPrefix} + 除外をクリック", + "contentManagement.inspector.cancelButtonLabel": "キャンセル", + "contentManagement.inspector.flyoutTitle": "インスペクター", + "contentManagement.inspector.metadataForm.descriptionInputLabel": "説明", + "contentManagement.inspector.metadataForm.nameInputLabel": "名前", + "contentManagement.inspector.metadataForm.nameIsEmptyError": "名前が必要です。", + "contentManagement.inspector.metadataForm.tagsLabel": "タグ", + "contentManagement.tableList.lastUpdatedColumnTitle": "最終更新", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.cancelButtonLabel": "キャンセル", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.confirmButtonLabel": "削除", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.confirmButtonLabelDeleting": "削除中", + "contentManagement.tableList.listing.fetchErrorTitle": "リストを取得できませんでした", + "contentManagement.tableList.listing.listingLimitExceeded.advancedSettingsLinkText": "高度な設定", + "contentManagement.tableList.listing.listingLimitExceededDescriptionNoPermissions": "この設定を変更するには、システム管理者に問い合わせてください。", + "contentManagement.tableList.listing.listingLimitExceededTitle": "リスティング制限超過", + "contentManagement.tableList.listing.table.actionTitle": "アクション", + "contentManagement.tableList.listing.table.editActionDescription": "編集", + "contentManagement.tableList.listing.table.inspectActionDescription": "検査", + "contentManagement.tableList.listing.tableSortSelect.headerLabel": "並べ替え基準", + "contentManagement.tableList.listing.tableSortSelect.nameAscLabel": "名前A-Z", + "contentManagement.tableList.listing.tableSortSelect.nameDescLabel": "名前Z-A", + "contentManagement.tableList.listing.tableSortSelect.updatedAtAscLabel": "更新日が古い", + "contentManagement.tableList.listing.tableSortSelect.updatedAtDescLabel": "更新日が新しい", + "contentManagement.tableList.mainColumnName": "名前、説明、タグ", + "contentManagement.tableList.tagFilterPanel.clearSelectionButtonLabelLabel": "選択した項目をクリア", + "contentManagement.tableList.tagFilterPanel.manageAllTagsLinkLabel": "タグを管理", + "contentManagement.tableList.updatedDateUnknownLabel": "最終更新日が不明です", "controls.controlGroup.ariaActions.moveControlButtonAction": "コントロール{controlTitle}を移動", + "controls.optionsList.controlAndPopover.exists": "{negate, plural, other {存在します}}", "controls.optionsList.errors.dataViewNotFound": "データビュー{dataViewId}が見つかりませんでした", + "controls.optionsList.errors.fieldNotFound": "フィールド{fieldName}が見つかりませんでした", + "controls.optionsList.popover.ariaLabel": "{fieldName}コントロールのポップオーバー", "controls.optionsList.popover.cardinalityPlaceholder": "{totalOptions}個の使用可能な{totalOptions, plural, other {オプション}}を検索", "controls.optionsList.popover.cardinalityTooltip": "{totalOptions}個のオプションを使用できます。", "controls.optionsList.popover.invalidSelectionsSectionTitle": "{invalidSelectionCount, plural, other {個の選択項目}}", "controls.optionsList.popover.invalidSelectionsTitle": "{invalidSelectionCount}個の選択されたオプションが無視されました", "controls.optionsList.popover.invalidSelectionsTooltip": "{selectedOptions}個の選択した{selectedOptions, plural, other {オプション}} {selectedOptions, plural, other {が}}無視されます。{selectedOptions, plural, other {オプションが}}データに存在しません。", + "controls.rangeSlider.errors.dataViewNotFound": "データビュー{dataViewId}が見つかりませんでした", + "controls.rangeSlider.errors.fieldNotFound": "フィールド{fieldName}が見つかりませんでした", + "controls.controlGroup.addTimeSliderControlButtonTitle": "時間スライダーコントロールを追加", "controls.controlGroup.emptyState.addControlButtonTitle": "コントロールを追加", "controls.controlGroup.emptyState.badgeText": "新規", "controls.controlGroup.emptyState.callToAction": "データのフィルタリングはコントロールによって効果的になりました。探索するデータのみを表示できます。", @@ -370,16 +437,29 @@ "controls.controlGroup.management.query.useAllSearchSettingsTitle": "時間範囲、フィルターピル、クエリバーからのクエリを適用して、コントロールグループを常にクエリと同期します", "controls.controlGroup.management.validate.subtitle": "データがないコントロール選択は自動的に無視されます。", "controls.controlGroup.management.validate.title": "ユーザー選択を検証", + "controls.controlGroup.onlyOneTimeSliderControlMsg": "コントロールグループには、すでに時間スライダーコントロールがあります。", + "controls.controlGroup.timeSlider.title": "時間スライダー", "controls.controlGroup.title": "コントロールグループ", "controls.controlGroup.toolbarButtonTitle": "コントロール", "controls.frame.error.message": "エラーが発生しました。続きを読む", + "controls.optionsList.control.excludeExists": "DOES NOT", + "controls.optionsList.control.negate": "NOT", + "controls.optionsList.control.placeholder": "すべて", + "controls.optionsList.control.separator": ",", "controls.optionsList.description": "フィールド値を選択するメニューを追加", "controls.optionsList.displayName": "オプションリスト", "controls.optionsList.editor.allowMultiselectTitle": "ドロップダウンでの複数選択を許可", - "controls.optionsList.editor.runPastTimeout": "過去のタイムアウトを実行", + "controls.optionsList.editor.hideExclude": "選択項目の実行を許可", + "controls.optionsList.editor.hideExistsQuery": "existsクエリを許可", + "controls.optionsList.editor.hideExistsQueryTooltip": "existsクエリを作成できます。このクエリは、フィールドのインデックスが作成された値を含むすべてのドキュメントを返します。", + "controls.optionsList.editor.runPastTimeout": "結果のタイムアウトを無視", + "controls.optionsList.editor.runPastTimeout.tooltip": "リストが入力されるまで待機してから、結果を表示します。この設定は大きいデータセットで有用です。ただし、結果の入力に時間がかかる場合があります。", "controls.optionsList.popover.allOptionsTitle": "すべてのオプションを表示", "controls.optionsList.popover.clearAllSelectionsTitle": "選択した項目をクリア", "controls.optionsList.popover.empty": "オプションが見つかりません", + "controls.optionsList.popover.excludeLabel": "除外", + "controls.optionsList.popover.excludeOptionsLegend": "選択項目の追加または除外", + "controls.optionsList.popover.includeLabel": "含める", "controls.optionsList.popover.invalidSelectionsAriaLabel": "すべての無視された選択項目を選択解除", "controls.optionsList.popover.loading": "オプションを読み込み中", "controls.optionsList.popover.selectedOptionsTitle": "選択したオプションのみを表示", @@ -389,6 +469,13 @@ "controls.rangeSlider.popover.clearRangeTitle": "範囲を消去", "controls.rangeSlider.popover.noAvailableDataHelpText": "表示するデータがありません。時間範囲とフィルターを調整します。", "controls.rangeSlider.popover.noDataHelpText": "選択された範囲にはデータがありません。フィルターが適用されませんでした。", + "controls.timeSlider.description": "時間範囲を選択するためのスライダーを追加", + "controls.timeSlider.displayName": "時間スライダー", + "controls.timeSlider.nextLabel": "次の時間ウィンドウ", + "controls.timeSlider.pauseLabel": "一時停止", + "controls.timeSlider.playLabel": "再生", + "controls.timeSlider.popover.clearTimeTitle": "時間選択のクリア", + "controls.timeSlider.previousLabel": "前の時間ウィンドウ", "core.chrome.browserDeprecationWarning": "このソフトウェアの将来のバージョンでは、Internet Explorerのサポートが削除されます。{link}をご確認ください。", "core.deprecations.deprecations.fetchFailedMessage": "プラグイン{domainId}の廃止予定情報を取得できません。", "core.deprecations.deprecations.fetchFailedTitle": "{domainId}の廃止予定を取得できませんでした", @@ -424,6 +511,10 @@ "core.euiDataGrid.ariaLabel": "{label}; {page}/{pageCount}ページ。", "core.euiDataGrid.ariaLabelledBy": "{page}/{pageCount}ページ。", "core.euiDataGridCell.position": "{columnId}, 列{col}, 行{row}", + "core.euiDataGridHeaderCell.sortedByAscendingFirst": "{columnId}の昇順で並べ替え", + "core.euiDataGridHeaderCell.sortedByAscendingMultiple": "、{columnId}の昇順で並べ替え", + "core.euiDataGridHeaderCell.sortedByDescendingFirst": "{columnId}の降順で並べ替え", + "core.euiDataGridHeaderCell.sortedByDescendingMultiple": "、{columnId}の降順で並べ替え", "core.euiDataGridPagination.detailedPaginationLabel": "前のグリッドのページネーション:{label}", "core.euiDatePopoverButton.outdatedTitle": "更新が必要:{title}", "core.euiFilePicker.filesSelected": "{fileCount}個のファイルが選択されました", @@ -537,13 +628,11 @@ "core.euiBasicTable.selectThisRow": "この行を選択", "core.euiBottomBar.screenReaderAnnouncement": "ドキュメントの最後には、新しいリージョンランドマークとページレベルのコントロールがあります。", "core.euiBottomBar.screenReaderHeading": "ページレベルのコントロール", + "core.euiBreadcrumb.collapsedBadge.ariaLabel": "折りたたまれたブレッドクラムを表示", "core.euiBreadcrumbs.nav.ariaLabel": "ブレッドクラム", "core.euiCardSelect.select": "選択してください", "core.euiCardSelect.selected": "利用不可", "core.euiCardSelect.unavailable": "選択済み", - "core.euiCodeBlockCopy.copy": "コピー", - "core.euiCodeBlockFullScreen.fullscreenCollapse": "縮小", - "core.euiCodeBlockFullScreen.fullscreenExpand": "拡張", "core.euiCollapsedItemActions.allActions": "すべてのアクション", "core.euiColorPicker.alphaLabel": "アルファチャネル(不透明)値", "core.euiColorPicker.closeLabel": "下矢印キーを押すと、色オプションを含むポップオーバーが開きます", @@ -584,7 +673,9 @@ "core.euiDataGrid.screenReaderNotice": "セルにはインタラクティブコンテンツが含まれます。", "core.euiDataGridCellActions.expandButtonTitle": "クリックするか enter を押すと、セルのコンテンツとインタラクトできます。", "core.euiDataGridHeaderCell.actionsPopoverScreenReaderText": "列アクションのリストを移動するには、Tabまたは上下矢印キーを押します。", - "core.euiDataGridHeaderCell.headerActions": "ヘッダーアクション", + "core.euiDataGridHeaderCell.headerActions": "クリックすると、列ヘッダーアクションが表示されます", + "core.euiDataGridHeaderCell.sortedByAscendingSingle": "昇順で並べ替えます", + "core.euiDataGridHeaderCell.sortedByDescendingSingle": "降順で並べ替えます", "core.euiDataGridPagination.paginationLabel": "前のグリッドのページネーション", "core.euiDataGridSchema.booleanSortTextAsc": "False-True", "core.euiDataGridSchema.booleanSortTextDesc": "True-False", @@ -629,6 +720,8 @@ "core.euiHeaderLinks.appNavigation": "アプリメニュー", "core.euiHeaderLinks.openNavigationMenu": "メニューを開く", "core.euiHue.label": "HSV カラーモードの「色相」値を選択", + "core.euiImageButton.closeFullScreen": "Escapeを押すか、クリックすると、画像の全画面モードが終了します。", + "core.euiImageButton.openFullScreen": "クリックすると、この画像が全画面モードで表示されます。", "core.euiLink.external.ariaLabel": "外部リンク", "core.euiLink.newTarget.screenReaderOnlyText": "(新しいタブまたはウィンドウで開く)", "core.euiLoadingChart.ariaLabel": "読み込み中", @@ -872,26 +965,76 @@ "core.ui.welcomeErrorMessage": "Elasticが正常に読み込まれませんでした。詳細はサーバーアウトプットを確認してください。", "core.ui.welcomeMessage": "Elastic の読み込み中", "customIntegrations.components.replacementAccordion.recommendationDescription": "Elasticエージェント統合が推奨されますが、Beatsも使用できます。詳細については、{link}。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.connectingText": "{api_key}と{cloud_id}を使用して、Elastic Cloudに接続できます。", + "customIntegrations.languageClients.GoElasticsearch.readme.addPackage": "パッケージを{go_file}ファイルに追加:", + "customIntegrations.languageClients.GoElasticsearch.readme.connectingText": "{api_key}と{cloud_id}を使用して、Elastic Cloudに接続できます。", + "customIntegrations.languageClients.JavaElasticsearch.readme.installMavenMsg": "プロジェクトの{pom}で、次のリポジトリ定義と依存関係を追加します。", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.configureText": "プロジェクトのルートで{filename}ファイルを作成し、次のオプションを追加します。", + "customIntegrations.languageClients.PhpElasticsearch.readme.connectingText": "{api_key}と{cloud_id}を使用して、Elastic Cloudに接続できます。ここでは、Elastic Cloud web UIを使用して、{api_key}と{cloud_id}を取得できます。", + "customIntegrations.languageClients.PythonElasticsearch.readme.connectingText": "{api_key}と{cloud_id}を使用して、Elastic Cloudに接続できます。", + "customIntegrations.languageClients.RubyElasticsearch.readme.connectingText": "{api_key}と{cloud_id}を使用して、Elastic Cloudに接続できます。ここでは、Elastic Cloud web UIを使用して、{api_key}と{cloud_id}を取得できます。クラウドIDは[このデプロイの管理]ページに表示されます。APIキーは、[セキュリティ]セクションの[管理]ページから生成できます。", + "customIntegrations.languageClients.sample.readme.configureText": "プロジェクトのルートで{filename}ファイルを作成し、次のオプションを追加します。", "customIntegrations.components.replacementAccordion.comparisonPageLinkLabel": "比較ページ", "customIntegrations.components.replacementAccordionLabel": "Beatsでも使用可能", "customIntegrations.languageclients.DotNetDescription": ".NETクライアントでElasticsearchのデータにインデックスを作成します。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.connecting": "Elastic Cloudへの接続", + "customIntegrations.languageClients.DotnetElasticsearch.readme.install": "Elasticsearch .NETクライアントをインストール", + "customIntegrations.languageClients.DotnetElasticsearch.readme.intro": "Elasticsearch .NETクライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.manually": "あるいは、プロジェクトファイル内にパッケージ参照を手動で作成できます。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.sdk": "SDKスタイルのプロジェクトの場合、Elasticsearchクライアントをインストールするには、ターミナルで次の.NET CLIコマンドを実行します。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.title": "Elasticsearch .NETクライアント", "customIntegrations.languageclients.DotNetTitle": "Elasticsearch .NETクライアント", "customIntegrations.languageclients.GoDescription": "GoクライアントでElasticsearchのデータにインデックスを作成します。", + "customIntegrations.languageClients.GoElasticsearch.readme.clone": "あるいは、リポジトリを複製します。", + "customIntegrations.languageClients.GoElasticsearch.readme.connecting": "Elastic Cloudへの接続", + "customIntegrations.languageClients.GoElasticsearch.readme.install": "Elasticsearch GOクライアントをインストール", + "customIntegrations.languageClients.GoElasticsearch.readme.intro": "Elasticsearch Goクライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.GoElasticsearch.readme.title": "Elasticsearch Goクライアント", "customIntegrations.languageclients.GoTitle": "Elasticsearch Goクライアント", "customIntegrations.languageclients.JavaDescription": "JavaクライアントでElasticsearchのデータにインデックスを作成します。", + "customIntegrations.languageClients.JavaElasticsearch.readme.connecting": "Elastic Cloudへの接続", + "customIntegrations.languageClients.JavaElasticsearch.readme.installGradle": "Jacksonを使用したGradleプロジェクトでのインストール", + "customIntegrations.languageClients.JavaElasticsearch.readme.installMaven": "Jacksonを使用したMavenプロジェクトでのインストール", + "customIntegrations.languageClients.JavaElasticsearch.readme.intro": "Elasticsearch Javaクライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.JavaElasticsearch.readme.title": "Elasticsearch Javaクライアント", "customIntegrations.languageclients.JavascriptDescription": "JavaScriptクライアントでElasticsearchのデータにインデックスを作成します。", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.apiKey": "以下のボタンを使用して、APIキーを生成します。次のステップでクライアントを設定するには、このキーが必要です。", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.configure": "Elasticsearch JavaScriptクライアントを構成する", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.createApiKey": "APIキーを作成する", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.install": "Elasticsearch JavaScriptクライアントをインストールする", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.intro": "Elasticsearch JavaScriptクライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.title": "Elasticsearch JavaScriptクライアント", "customIntegrations.languageclients.JavascriptTitle": "Elasticsearch JavaScriptクライアント", "customIntegrations.languageclients.JavaTitle": "Elasticsearch Javaクライアント", "customIntegrations.languageclients.PerlDescription": "PerlクライアントでElasticsearchのデータにインデックスを作成します。", "customIntegrations.languageclients.PerlTitle": "Elasticsearch Perlクライアント", "customIntegrations.languageclients.PhpDescription": "PHPクライアントでElasticsearchのデータにインデックスを作成します。", + "customIntegrations.languageClients.PhpElasticsearch.readme.connecting": "Elastic Cloudへの接続", + "customIntegrations.languageClients.PhpElasticsearch.readme.install": "Elasticsearch PHPクライアントをインストールする", + "customIntegrations.languageClients.PhpElasticsearch.readme.installMessage": "PHP 7.4以降では、Elasticsearch-phpを使用できます。", + "customIntegrations.languageClients.PhpElasticsearch.readme.intro": "Elasticsearch PHPクライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.PhpElasticsearch.readme.title": "Elasticsearch PHPクライアント", "customIntegrations.languageclients.PhpTitle": "Elasticsearch PHPクライアント", "customIntegrations.languageclients.PythonDescription": "PythonクライアントでElasticsearchのデータにインデックスを作成します。", + "customIntegrations.languageClients.PythonElasticsearch.readme.connecting": "Elastic Cloudへの接続", + "customIntegrations.languageClients.PythonElasticsearch.readme.install": "Elasticsearch Pythonクライアントをインストールする", + "customIntegrations.languageClients.PythonElasticsearch.readme.intro": "Elasticsearch Pythonクライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.PythonElasticsearch.readme.title": "Elasticsearch Pythonクライアント", "customIntegrations.languageclients.PythonTitle": "Elasticsearch Pythonクライアント", "customIntegrations.languageclients.RubyDescription": "RubyクライアントでElasticsearchのデータにインデックスを作成します。", + "customIntegrations.languageClients.RubyElasticsearch.readme.connecting": "Elastic Cloudへの接続", + "customIntegrations.languageClients.RubyElasticsearch.readme.install": "Elasticsearch Rubyクライアントをインストール", + "customIntegrations.languageClients.RubyElasticsearch.readme.intro": "Elasticsearch Rubyクライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.RubyElasticsearch.readme.title": "Elasticsearch Rubyクライアント", "customIntegrations.languageclients.RubyTitle": "Elasticsearch Rubyクライアント", "customIntegrations.languageclients.RustDescription": "RustクライアントでElasticsearchのデータにインデックスを作成します。", "customIntegrations.languageclients.RustTitle": "Elasticsearch Rustクライアント", + "customIntegrations.languageClients.sample.readme.apiKey": "以下のボタンを使用して、APIキーを生成します。次のステップでクライアントを設定するには、このキーが必要です。", + "customIntegrations.languageClients.sample.readme.configure": "サンプル言語クライアントを構成する", + "customIntegrations.languageClients.sample.readme.createApiKey": "APIキーを作成する", + "customIntegrations.languageClients.sample.readme.install": "サンプル言語クライアントをインストールする", + "customIntegrations.languageClients.sample.readme.intro": "サンプル言語クライアントを起動するには、いくつかの手順が必要です。", + "customIntegrations.languageClients.sample.readme.title": "Elasticsearchサンプルクライアント", "customIntegrations.placeholders.EsfDescription": "AWS Serverless Application Repositoryで提供されているAWS Lambdaアプリケーションを使用して、ログを収集します。", "customIntegrations.placeholders.EsfTitle": "AWS Serverless Application Repository", "dashboard.addPanel.savedObjectAddedToContainerSuccessMessageTitle": "{savedObjectName} が追加されました", @@ -900,6 +1043,7 @@ "dashboard.listing.unsaved.discardAria": "{title}への変更を破棄", "dashboard.listing.unsaved.editAria": "{title}の編集を続行", "dashboard.listing.unsaved.unsavedChangesTitle": "次の{dash}には保存されていない変更があります。", + "dashboard.loadingError.dashboardGridErrorMessage": "ダッシュボードを読み込めません:{message}", "dashboard.loadingError.errorMessage": "保存されたダッシュボードの読み込み中にエラーが発生しました:{message}", "dashboard.noMatchRoute.bannerText": "ダッシュボードアプリケーションはこのルート{route}を認識できません。", "dashboard.panel.addToLibrary.successMessage": "パネル {panelTitle} は Visualize ライブラリに追加されました", @@ -937,6 +1081,7 @@ "dashboard.dashboardAppBreadcrumbsTitle": "ダッシュボード", "dashboard.dashboardPageTitle": "ダッシュボード", "dashboard.dashboardWasSavedSuccessMessage": "ダッシュボード「{dashTitle}」が保存されました。", + "dashboard.deleteError.toastDescription": "ダッシュボードの削除中にエラーが発生しました", "dashboard.discardChangesConfirmModal.cancelButtonLabel": "キャンセル", "dashboard.discardChangesConfirmModal.confirmButtonLabel": "変更を破棄", "dashboard.discardChangesConfirmModal.discardChangesDescription": "変更を破棄すると、元に戻すことはできません。", @@ -974,6 +1119,7 @@ "dashboard.listing.unsaved.discardTitle": "変更を破棄", "dashboard.listing.unsaved.editTitle": "編集を続行", "dashboard.listing.unsaved.loading": "読み込み中", + "dashboard.loadURLError.PanelTooOld": "7.3より古いバージョンで作成されたURLからはパネルを読み込めません", "dashboard.migratedChanges": "一部のパネルは正常に最新バージョンに更新されました。", "dashboard.noMatchRoute.bannerTitleText": "ページが見つかりません", "dashboard.panel.AddToLibrary": "ライブラリに保存", @@ -985,6 +1131,11 @@ "dashboard.panel.copyToDashboard.goToDashboard": "コピーしてダッシュボードを開く", "dashboard.panel.copyToDashboard.newDashboardOptionLabel": "新規ダッシュボード", "dashboard.panel.copyToDashboard.title": "ダッシュボードにコピー", + "dashboard.panel.filters": "パネルフィルター", + "dashboard.panel.filters.modal.closeButton": "閉じる", + "dashboard.panel.filters.modal.editButton": "フィルターを編集", + "dashboard.panel.filters.modal.filtersTitle": "フィルター", + "dashboard.panel.filters.modal.queryTitle": "クエリ", "dashboard.panel.LibraryNotification": "Visualize ライブラリ通知", "dashboard.panel.libraryNotification.ariaLabel": "ライブラリ情報を表示し、このパネルのリンクを解除します", "dashboard.panel.libraryNotification.toolTip": "このパネルを編集すると、他のダッシュボードに影響する場合があります。このパネルのみを変更するには、ライブラリからリンクを解除します。", @@ -994,6 +1145,7 @@ "dashboard.panel.unlinkFromLibrary": "ライブラリからのリンクを解除", "dashboard.placeholder.factory.displayName": "プレースホルダー", "dashboard.savedDashboard.newDashboardTitle": "新規ダッシュボード", + "dashboard.snapshotShare.longUrlWarning": "このダッシュボードの1つ以上のパネルが変更されました。スナップショットを生成する前に、ダッシュボードを保存してください。", "dashboard.solutionToolbar.addPanelButtonLabel": "ビジュアライゼーションを作成", "dashboard.solutionToolbar.editorMenuButtonLabel": "タイプを選択してください", "dashboard.topNav.cloneModal.cancelButtonLabel": "キャンセル", @@ -1005,6 +1157,7 @@ "dashboard.topNav.labsConfigDescription": "ラボ", "dashboard.topNav.options.hideAllPanelTitlesSwitchLabel": "パネルタイトルを表示", "dashboard.topNav.options.syncColorsBetweenPanelsSwitchLabel": "パネル全体でカラーパレットを同期", + "dashboard.topNav.options.syncCursorBetweenPanelsSwitchLabel": "パネル全体でカーソルを同期", "dashboard.topNav.options.syncTooltipsBetweenPanelsSwitchLabel": "パネル間でツールチップを同期", "dashboard.topNav.options.useMarginsBetweenPanelsSwitchLabel": "パネルの間に余白を使用", "dashboard.topNav.saveModal.descriptionFormRowLabel": "説明", @@ -1030,13 +1183,14 @@ "dashboard.unsavedChangesBadge": "保存されていない変更", "dashboard.urlWasRemovedInSixZeroWarningMessage": "URL「dashboard/create」は6.0で廃止されました。ブックマークを更新してください。", "data.advancedSettings.autocompleteIgnoreTimerangeText": "このプロパティを無効にすると、現在の時間範囲からではなく、データセットからオートコンプリートの候補を取得します。{learnMoreLink}", - "data.advancedSettings.autocompleteValueSuggestionMethodText": "KQL自動入力で値の候補をクエリするために使用される方法。terms_enumを選択すると、Elasticsearch用語enum APIを使用して、自動入力候補のパフォーマンスを改善します。terms_aggを選択すると、Elasticsearch用語アグリゲーションを使用します。{learnMoreLink}", + "data.advancedSettings.autocompleteValueSuggestionMethodText": "KQL自動入力で値の候補をクエリするために使用される方法。terms_enumを選択すると、Elasticsearch用語enum APIを使用して、自動入力候補のパフォーマンスを改善します。(terms_enumはドキュメントレベルのセキュリティと互換性がありません。) terms_aggを選択すると、Elasticsearch用語アグリゲーションを使用します。{learnMoreLink}", "data.advancedSettings.courier.customRequestPreferenceText": "{setRequestReferenceSetting} が {customSettingValue} に設定されている時に使用される {requestPreferenceLink} です。", "data.advancedSettings.courier.maxRequestsText": "Kibanaから送信された_msearchリクエストに使用される{maxRequestsLink}設定を管理します。この構成を無効にしてElasticsearchのデフォルトを使用するには、0に設定します。", "data.advancedSettings.query.allowWildcardsText": "設定すると、クエリ句の頭に*が使えるようになります。現在クエリバーで実験的クエリ機能が有効になっている場合にのみ適用されます。基本的なLuceneクエリでリーディングワイルドカードを無効にするには、{queryStringOptionsPattern}を使用します。", "data.advancedSettings.query.queryStringOptionsText": "Luceneクエリ文字列パーサーの{optionsLink}。「{queryLanguage}」が{luceneLanguage}に設定されているときにのみ使用されます。", "data.advancedSettings.sortOptionsText": "Elasticsearch の並べ替えパラメーターの {optionsLink}", "data.advancedSettings.timepicker.quickRangesText": "時間フィルターのクイックセクションに表示される範囲のリストです。それぞれのオブジェクトに「開始」、「終了」({acceptedFormatsLink}を参照)、「表示」(表示するタイトル)が含まれるオブジェクトの配列です。", + "data.advancedSettings.timepicker.timeDefaultsDescription": "時間フィルターが選択されずにKibanaが起動した際に使用される時間フィルターです。「from」と「to」を含むオブジェクトでなければなりません({acceptedFormatsLink}を参照)。", "data.aggTypes.buckets.ranges.rangesFormatMessage": "{gte} {from} と {lt} {to}", "data.aggTypes.buckets.ranges.rangesFormatMessageArrowRight": "{from} → {to}", "data.filter.filterBar.fieldNotFound": "フィールド{key}がデータビュー{dataView}で見つかりません", @@ -1095,6 +1249,8 @@ "data.search.searchSource.indexPatternIdDescription": "{kibanaIndexPattern} インデックス内の ID です。", "data.search.searchSource.queryTimeValue": "{queryTime}ms", "data.search.searchSource.requestTimeValue": "{requestTime}ms", + "data.search.statusError": "検索{searchId}は{errorCode}ステータスで完了しました", + "data.search.statusThrow": "ID {searchId}の検索の検索ステータスでエラー\"{message}\"が発生しました(statusCode: {errorCode})", "data.search.timeBuckets.dayLabel": "{amount, plural, other {# 日}}", "data.search.timeBuckets.hourLabel": "{amount, plural, other {# 時間}}", "data.search.timeBuckets.millisecondLabel": "{amount, plural, other {# ミリ秒}}", @@ -1222,6 +1378,8 @@ "data.mgmt.searchSessions.status.label.expired": "期限切れ", "data.mgmt.searchSessions.status.label.inProgress": "進行中", "data.mgmt.searchSessions.status.message.cancelled": "ユーザーがキャンセル", + "data.mgmt.searchSessions.status.message.error": "1つ以上の検索を完了できませんでした。原因のエラーを表示するには、[検査]アクションを使用してください。", + "data.mgmt.searchSessions.status.message.unknownError": "不明なエラー", "data.mgmt.searchSessions.table.headerExpiration": "有効期限", "data.mgmt.searchSessions.table.headerName": "名前", "data.mgmt.searchSessions.table.headerStarted": "作成済み", @@ -1745,6 +1903,8 @@ "data.search.functions.esaggs.index.help": "indexPatternLoad で取得されたデータビュー", "data.search.functions.esaggs.metricsAtAllLevels.help": "各バケットレベルでメトリックがある列が含まれるかどうか", "data.search.functions.esaggs.partialRows.help": "一部のデータのみを含む行を返すかどうか", + "data.search.functions.esaggs.probability.help": "ドキュメントが集約されたデータに含まれる確率。無作為抽出器を使用します。", + "data.search.functions.esaggs.samplerSeed.help": "ドキュメントの無作為抽出を生成するシード。無作為抽出器を使用します。", "data.search.functions.esaggs.timeFields.help": "クエリに対して解決された時間範囲を取得する時刻フィールドを指定します", "data.search.functions.existsFilter.field.help": "フィルタリングするフィールドを指定します。「field」関数を使用します。", "data.search.functions.existsFilter.help": "Kibana existsフィルターを作成", @@ -1897,27 +2057,28 @@ "data.triggers.applyFilterTitle": "フィルターを適用", "dataViews.deprecations.scriptedFieldsMessage": "スクリプト化されたフィールドを使用する{numberOfIndexPatternsWithScriptedFields}データビュー({titlesPreview}...)があります。スクリプト化されたフィールドは廃止予定であり、今後は削除されます。ランタイムフィールドを使用してください。", "dataViews.fetchFieldErrorTitle": "データビューのフィールド取得中にエラーが発生 {title}(ID:{id})", + "dataViews.aliasLabel": "エイリアス", + "dataViews.dataStreamLabel": "データストリーム", "dataViews.deprecations.scriptedFields.manualStepOneMessage": "[スタック管理]>[Kibana]>[データビュー]に移動します。", "dataViews.deprecations.scriptedFields.manualStepTwoMessage": "ランタイムフィールドを使用するには、スクリプト化されたフィールドがある{numberOfIndexPatternsWithScriptedFields}データビューを更新します。ほとんどの場合、既存のスクリプトを移行するには、「return ;」から「emit();」に変更する必要があります。1つ以上のスクリプト化されたフィールドがあるデータビュー:{allTitles}", "dataViews.deprecations.scriptedFieldsTitle": "スクリプト化されたフィールドを使用しているデータビューが見つかりました。", + "dataViews.frozenLabel": "凍結", "dataViews.functions.dataViewLoad.help": "データビューを読み込みます", "dataViews.functions.dataViewLoad.id.help": "読み込むデータビューID", - "dataViews.indexPatternLoad.error.kibanaRequest": "サーバーでこの検索を実行するには、KibanaRequest が必要です。式実行パラメーターに要求オブジェクトを渡してください。", - "dataViews.unableWriteLabel": "データビューを書き込めません。このデータビューへの最新の変更を取得するには、ページを更新してください。", - "dataViews.aliasLabel": "エイリアス", - "dataViews.dataStreamLabel": "データストリーム", - "dataViews.frozenLabel": "凍結", "dataViews.indexLabel": "インデックス", + "dataViews.indexPatternLoad.error.kibanaRequest": "サーバーでこの検索を実行するには、KibanaRequest が必要です。式実行パラメーターに要求オブジェクトを渡してください。", "dataViews.rollupLabel": "ロールアップ", + "dataViews.unableWriteLabel": "データビューを書き込めません。このデータビューへの最新の変更を取得するには、ページを更新してください。", "discover.advancedSettings.disableDocumentExplorerDescription": "クラシックビューではなく、新しい{documentExplorerDocs}を使用するには、このオプションをオフにします。ドキュメントエクスプローラーでは、データの並べ替え、列のサイズ変更、全画面表示といった優れた機能を使用できます。", "discover.advancedSettings.discover.showFieldStatisticsDescription": "{fieldStatisticsDocs}を有効にすると、数値フィールドの最大/最小値やジオフィールドの地図といった詳細が表示されます。この機能はベータ段階で、変更される可能性があります。", "discover.advancedSettings.discover.showMultifieldsDescription": "拡張ドキュメントビューに{multiFields}が表示されるかどうかを制御します。ほとんどの場合、マルチフィールドは元のフィールドと同じです。「searchFieldsFromSource」がオフのときにのみこのオプションを使用できます。", - "discover.advancedSettings.enableSQLDescription": "{technicalPreviewLabel} このパッチプレビュー機能は実験段階です。本番の保存された検索やダッシュボードでは、この機能を信頼しないでください。この設定により、Discoverでテキストベースのクエリ言語としてSQLを使用できます。このエクスペリエンスに関するフィードバックがございましたら、{link}からお問い合わせください", + "discover.advancedSettings.enableSQLDescription": "{technicalPreviewLabel} このパッチプレビュー機能は実験段階です。本番の保存された検索、可視化、またはダッシュボードでは、この機能を信頼しないでください。この設定により、DiscoverとLensでテキストベースのクエリ言語としてSQLを使用できます。このエクスペリエンスに関するフィードバックがございましたら、{link}からお問い合わせください", "discover.context.contextOfTitle": "#{anchorId}の周りのドキュメント", "discover.context.newerDocumentsWarning": "アンカーよりも新しいドキュメントは{docCount}件しか見つかりませんでした。", "discover.context.olderDocumentsWarning": "アンカーよりも古いドキュメントは{docCount}件しか見つかりませんでした。", "discover.context.pageTitle": "#{anchorId}の周りのドキュメント", "discover.contextViewRoute.errorMessage": "ID {dataViewId}の一致するデータビューが見つかりません", + "discover.doc.failedToLocateDataView": "ID {dataViewId}に一致するデータビューがありません。", "discover.doc.pageTitle": "1つのドキュメント - #{id}", "discover.doc.somethingWentWrongDescription": "{indexName}が見つかりません。", "discover.docTable.limitedSearchResultLabel": "{resultCount}件の結果のみが表示されます。検索結果を絞り込みます。", @@ -1956,6 +2117,9 @@ "discover.searchGenerationWithDescription": "検索{searchTitle}で生成されたテーブル", "discover.searchGenerationWithDescriptionGrid": "検索{searchTitle}で生成されたテーブル({searchDescription})", "discover.selectedDocumentsNumber": "{nr}個のドキュメントが選択されました", + "discover.showingDefaultDataViewWarningDescription": "デフォルトデータビューを表示しています:\"{loadedDataViewTitle}\" ({loadedDataViewId})", + "discover.showingSavedDataViewWarningDescription": "保存されたデータビューを表示しています:\"{ownDataViewTitle}\" ({ownDataViewId})", + "discover.singleDocRoute.errorMessage": "ID {dataViewId}の一致するデータビューが見つかりません", "discover.topNav.optionsPopover.currentViewMode": "{viewModeLabel}: {currentViewMode}", "discover.utils.formatHit.moreFields": "および{count} more {count, plural, other {個のフィールド}}", "discover.valueIsNotConfiguredDataViewIDWarningTitle": "{stateVal}は設定されたデータビューIDではありません", @@ -1996,6 +2160,8 @@ "discover.advancedSettings.sampleSizeTitle": "テーブルごとの最大行数", "discover.advancedSettings.searchOnPageLoadText": "Discover の最初の読み込み時に検索を実行するかを制御します。この設定は、保存された検索の読み込み時には影響しません。", "discover.advancedSettings.searchOnPageLoadTitle": "ページの読み込み時の検索", + "discover.advancedSettings.showLegacyFieldStatsText": "シャードごとに5,000レコードではなく、500レコードを使用して、サイドバーのフィールドの上位の値を計算するには、このオプションをオンにします。", + "discover.advancedSettings.showLegacyFieldStatsTitle": "上位の値の計算", "discover.advancedSettings.sortDefaultOrderText": "Discover アプリのデータビューに基づく時刻のデフォルトの並べ替え方向をコントロールします。", "discover.advancedSettings.sortDefaultOrderTitle": "デフォルトの並べ替え方向", "discover.advancedSettings.sortOrderAsc": "昇順", @@ -2008,6 +2174,10 @@ "discover.badge.readOnly.text": "読み取り専用", "discover.badge.readOnly.tooltip": "検索を保存できません", "discover.clearSelection": "選択した項目をクリア", + "discover.confirmDataViewSave.cancel": "キャンセル", + "discover.confirmDataViewSave.message": "選択したアクションでは、保存されたデータビューが必要です。", + "discover.confirmDataViewSave.saveAndContinue": "保存して続行", + "discover.confirmDataViewSave.title": "データビューを保存", "discover.context.breadcrumb": "周りのドキュメント", "discover.context.failedToLoadAnchorDocumentDescription": "アンカードキュメントの読み込みに失敗しました", "discover.context.failedToLoadAnchorDocumentErrorDescription": "アンカードキュメントの読み込みに失敗しました。", @@ -2026,9 +2196,12 @@ "discover.contextViewRoute.errorTitle": "エラーが発生しました", "discover.controlColumnHeader": "列の制御", "discover.copyToClipboardJSON": "ドキュメントをクリップボードにコピー(JSON)", + "discover.dataViewPersist.message": "'{dataViewName}'が保存されました", + "discover.dataViewPersistError.title": "データビューを作成できません", "discover.discoverBreadcrumbTitle": "Discover", "discover.discoverDefaultSearchSessionName": "Discover", "discover.discoverDescription": "ドキュメントにクエリをかけたりフィルターを適用することで、データをインタラクティブに閲覧できます。", + "discover.discoverError.missingIdParamError": "URLクエリ文字列のIDが見つかりません。", "discover.discoverError.title": "このページを読み込めません", "discover.discoverSubtitle": "インサイトを検索して見つけます。", "discover.discoverTitle": "Discover", @@ -2212,6 +2385,8 @@ "discover.helpMenu.appName": "Discover", "discover.inspectorRequestDataTitleDocuments": "ドキュメント", "discover.inspectorRequestDescriptionDocument": "このリクエストはElasticsearchにクエリをかけ、ドキュメントを取得します。", + "discover.invalidFiltersWarnToast.description": "一部の適用されたフィルターのデータビューID参照は、現在のデータビューとは異なります。", + "discover.invalidFiltersWarnToast.title": "別のインデックス参照", "discover.json.codeEditorAriaLabel": "Elasticsearch ドキュメントの JSON ビューのみを読み込む", "discover.json.copyToClipboardLabel": "クリップボードにコピー", "discover.loadingDocuments": "ドキュメントを読み込み中", @@ -2247,7 +2422,9 @@ "discover.notifications.invalidTimeRangeText": "指定された時間範囲が無効です。(開始:'{from}'、終了:'{to}')", "discover.notifications.invalidTimeRangeTitle": "無効な時間範囲", "discover.notifications.notSavedSearchTitle": "検索「{savedSearchTitle}」は保存されませんでした。", + "discover.notifications.notUpdatedSavedSearchTitle": "検索'{savedSearchTitle}'はsavedDataViewで更新されませんでした。", "discover.notifications.savedSearchTitle": "検索「{savedSearchTitle}」が保存されました。", + "discover.notifications.updateSavedSearchTitle": "検索'{savedSearchTitle}'は保存されたデータビューで更新されました", "discover.openOptionsPopover.classicDiscoverText": "クラシック", "discover.openOptionsPopover.documentExplorerText": "ドキュメントエクスプローラー", "discover.openOptionsPopover.gotToSettings": "Discover設定を表示", @@ -2259,6 +2436,7 @@ "discover.sampleData.viewLinkLabel": "Discover", "discover.savedSearch.savedObjectName": "保存検索", "discover.savedSearchEmbeddable.action.viewSavedSearch.displayName": "Discoverで開く", + "discover.searchingTitle": "検索中", "discover.selectColumnHeader": "列を選択", "discover.showAllDocuments": "すべてのドキュメントを表示", "discover.showErrorMessageAgain": "エラーメッセージを表示", @@ -2268,6 +2446,7 @@ "discover.sourceViewer.errorMessage": "現在データを取得できませんでした。タブを更新して、再試行してください。", "discover.sourceViewer.errorMessageTitle": "エラーが発生しました", "discover.sourceViewer.refresh": "更新", + "discover.textBasedLanguages.visualize.label": "Lensで可視化", "discover.toggleSidebarAriaLabel": "サイドバーを切り替える", "discover.topNav.openOptionsPopover.documentExplorerDisabledHint": "Discoverの新しいドキュメントエクスプローラーでは、データの並べ替え、列のサイズ変更、全画面表示といった優れた機能をご利用いただけます。高度な設定で表示モードを変更できます。", "discover.topNav.openOptionsPopover.documentExplorerEnabledHint": "高度な設定でクラシックDiscoverビューに戻すことができます。", @@ -2275,6 +2454,8 @@ "discover.topNav.openSearchPanel.noSearchesFoundDescription": "一致する検索が見つかりませんでした。", "discover.topNav.openSearchPanel.openSearchTitle": "検索を開く", "discover.topNav.optionsPopover.discoverViewModeLabel": "Discover表示モード", + "discover.topNav.saveModal.storeTimeWithSearchToggleDescription": "この検索を使用するときには、時間フィルターを更新し、現在の選択に合わせて間隔を更新します。", + "discover.topNav.saveModal.storeTimeWithSearchToggleLabel": "保存された検索で時間を保存", "discover.uninitializedRefreshButtonText": "データを更新", "discover.uninitializedText": "クエリを作成、フィルターを追加、または[更新]をクリックして、現在のクエリの結果を取得します。", "discover.uninitializedTitle": "検索開始", @@ -2400,6 +2581,50 @@ "esUi.viewApiRequest.closeButtonLabel": "閉じる", "esUi.viewApiRequest.copyToClipboardButton": "クリップボードにコピー", "esUi.viewApiRequest.openInConsoleButton": "コンソールで開く", + "exceptionList-components.empty.viewer.state.empty.viewer_button": "{exceptionType}例外を作成", + "exceptionList-components.exception_list_header_edit_modal_name": "Edit {listName}", + "exceptionList-components.exception_list_header_linked_rules": "{noOfRules}個のルールに関連付け", + "exceptionList-components.exceptions.card.exceptionItem.affectedRules": "{numRules} {numRules, plural, other {個のルール}}に影響", + "exceptionList-components.exceptions.exceptionItem.card.deleteItemButton": "{listType}例外の削除", + "exceptionList-components.exceptions.exceptionItem.card.editItemButton": "{listType}例外の編集", + "exceptionList-components.exceptions.exceptionItem.card.showCommentsLabel": "{comments, plural, other {件のコメント}}を表示({comments})", + "exceptionList-components.empty.viewer.state.empty_search.body": "検索を変更してください", + "exceptionList-components.empty.viewer.state.empty_search.search.title": "検索条件と一致する結果がありません。", + "exceptionList-components.empty.viewer.state.empty.body": "ルールには例外がありません。最初のルール例外を作成", + "exceptionList-components.empty.viewer.state.empty.title": "このルールに例外を追加", + "exceptionList-components.empty.viewer.state.error_body": "例外アイテムの読み込みエラーが発生しました。ヘルプについては、管理者にお問い合わせください。", + "exceptionList-components.empty.viewer.state.error_title": "例外アイテムを読み込めません", + "exceptionList-components.exception_list_header_breadcrumb": "ルール例外", + "exceptionList-components.exception_list_header_delete_action": "例外リストの削除", + "exceptionList-components.exception_list_header_description": "説明を追加", + "exceptionList-components.exception_list_header_description_textbox": "説明", + "exceptionList-components.exception_list_header_description_textboxexceptionList-components.exception_list_header_name_required_eror": "リスト名を空にすることはできません", + "exceptionList-components.exception_list_header_edit_modal_cancel_button": "キャンセル", + "exceptionList-components.exception_list_header_edit_modal_save_button": "保存", + "exceptionList-components.exception_list_header_export_action": "例外リストのエクスポート", + "exceptionList-components.exception_list_header_list_id": "リスト ID", + "exceptionList-components.exception_list_header_manage_rules_button": "ルールの管理", + "exceptionList-components.exception_list_header_name": "名前を追加", + "exceptionList-components.exception_list_header_Name_textbox": "名前", + "exceptionList-components.exceptions.exceptionItem.card.conditions.and": "AND", + "exceptionList-components.exceptions.exceptionItem.card.conditions.existsOperator": "存在する", + "exceptionList-components.exceptions.exceptionItem.card.conditions.existsOperator.not": "存在しない", + "exceptionList-components.exceptions.exceptionItem.card.conditions.linux": "Linux", + "exceptionList-components.exceptions.exceptionItem.card.conditions.listOperator": "に含まれる", + "exceptionList-components.exceptions.exceptionItem.card.conditions.listOperator.not": "に含まれない", + "exceptionList-components.exceptions.exceptionItem.card.conditions.macos": "Mac", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchAnyOperator": "is one of", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchAnyOperator.not": "is not one of", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchOperator": "IS", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchOperator.not": "IS NOT", + "exceptionList-components.exceptions.exceptionItem.card.conditions.nestedOperator": "がある", + "exceptionList-components.exceptions.exceptionItem.card.conditions.os": "OS", + "exceptionList-components.exceptions.exceptionItem.card.conditions.wildcardDoesNotMatchOperator": "一致しない", + "exceptionList-components.exceptions.exceptionItem.card.conditions.wildcardMatchesOperator": "一致", + "exceptionList-components.exceptions.exceptionItem.card.conditions.windows": "Windows", + "exceptionList-components.exceptions.exceptionItem.card.createdLabel": "作成済み", + "exceptionList-components.exceptions.exceptionItem.card.metaDetailsBy": "グループ基準", + "exceptionList-components.exceptions.exceptionItem.card.updatedLabel": "更新しました", "expressionError.renderer.debug.helpDescription": "デバッグアウトプットをフォーマットされた {JSON} としてレンダリングします", "expressionError.errorComponent.description": "表現が失敗し次のメッセージが返されました:", "expressionError.errorComponent.title": "おっと!表現が失敗しました", @@ -2446,13 +2671,16 @@ "expressionMetric.renderer.metric.displayName": "メトリック", "expressionMetric.renderer.metric.helpDescription": "ラベルの上に数字をレンダリングします", "expressionMetricVis.errors.unsupportedColumnFormat": "メトリック視覚化式 - サポートされていない列形式:\"{id}\"", + "expressionMetricVis.trendA11yTitle": "経時的な{dataTitle}。", "expressionMetricVis.function.breakdownBy.help": "サブカテゴリのラベルを含むディメンション。", "expressionMetricVis.function.color.help": "静的ビジュアライゼーション色を提供します。パレットで上書きされます。", "expressionMetricVis.function.dimension.maximum": "最高", "expressionMetricVis.function.dimension.metric": "メトリック", "expressionMetricVis.function.dimension.secondaryMetric": "副メトリック", "expressionMetricVis.function.dimension.splitGroup": "グループを分割", + "expressionMetricVis.function.dimension.timeField": "時間フィールド", "expressionMetricVis.function.help": "メトリックビジュアライゼーション", + "expressionMetricVis.function.inspectorTableId.help": "インスペクターテーブルのID", "expressionMetricVis.function.max.help.": "最大値を含むディメンション。", "expressionMetricVis.function.metric.help": "主メトリック。", "expressionMetricVis.function.minTiles.help": "入力データに関係なく、メトリックグリッドのタイルの最小数を指定します。", @@ -2462,11 +2690,20 @@ "expressionMetricVis.function.secondaryMetric.help": "副メトリック(主メトリックの上に表示)。", "expressionMetricVis.function.secondaryPrefix.help": "secondaryMetricの前に表示される任意のテキスト。", "expressionMetricVis.function.subtitle.help": "1つのメトリックのサブタイトル。breakdownByが指定される場合は上書きされます。", + "expressionMetricVis.function.trendline.help": "任意のトレンドライン構成", + "expressionMetricVis.trendA11yDescription": "主要なメトリックの経時的な傾向を示す折れ線グラフ。", + "expressionMetricVis.trendline.function.breakdownBy.help": "サブカテゴリのラベルを含むディメンション。", + "expressionMetricVis.trendline.function.help": "メトリックビジュアライゼーション", + "expressionMetricVis.trendline.function.inspectorTableId.help": "インスペクターテーブルのID", + "expressionMetricVis.trendline.function.metric.help": "主メトリック。", + "expressionMetricVis.trendline.function.table.help": "データテーブル", + "expressionMetricVis.trendline.function.timeField.help": "トレンドラインの時間フィールド", "expressionPartitionVis.legend.filterOptionsLegend": "{legendDataLabel}、フィルターオプション", "expressionPartitionVis.negativeValuesFound": "{chartType}グラフは負の値では表示できません。", - "expressionPartitionVis.reusable.function.errors.moreThenNumberBuckets": "{maxLength}を超えるバケットはサポートされません", + "expressionPartitionVis.reusable.function.errors.moreThenNumberBuckets": "{maxLength}を超えるバケットはサポートされません。", "expressionPartitionVis.legend.filterForValueButtonAriaLabel": "値でフィルター", "expressionPartitionVis.legend.filterOutValueButtonAriaLabel": "値を除外", + "expressionPartitionVis.metricToLabel.help": "ラベリングする列IDのJSONキー値のペア", "expressionPartitionVis.partitionLabels.function.args.last_level.help": "マルチレイヤーの円/ドーナツグラフでのみ上位ラベルを表示", "expressionPartitionVis.partitionLabels.function.args.percentDecimals.help": "割合として値に表示される10進数を定義します", "expressionPartitionVis.partitionLabels.function.args.position.help": "ラベル位置を定義します", @@ -2567,6 +2804,7 @@ "expressions.functions.math.emptyDatatableErrorMessage": "空のデータベース", "expressions.functions.math.emptyExpressionErrorMessage": "空の表現", "expressions.functions.math.executionFailedErrorMessage": "数式の実行に失敗しました。列名を確認してください", + "expressions.functions.mathColumn.args.castColumnsHelpText": "式を適用する前に、数値に変換する列のID", "expressions.functions.mathColumn.args.copyMetaFromHelpText": "設定されている場合、指定した列IDのメタオブジェクトが指定したターゲット列にコピーされます。列が存在しない場合は失敗し、エラーは表示されません。", "expressions.functions.mathColumn.args.idHelpText": "結果の列のIDです。一意でなければなりません。", "expressions.functions.mathColumn.args.nameHelpText": "結果の列の名前です。名前は一意である必要はありません。", @@ -2617,7 +2855,10 @@ "expressionShape.renderer.progress.helpDescription": "基本進捗状況をレンダリング", "expressionShape.renderer.shape.displayName": "形状", "expressionShape.renderer.shape.helpDescription": "基本的な図形をレンダリングします", + "expressionXY.annotations.skippedCount": "+{value}以上…", "expressionXY.legend.filterOptionsLegend": "{legendDataLabel}、フィルターオプション", + "expressionXY.annotation.label": "ラベル", + "expressionXY.annotation.time": "時間", "expressionXY.annotationLayer.annotations.help": "注釈", "expressionXY.annotationLayer.help": "xyグラフで注釈レイヤーを構成", "expressionXY.annotationLayer.simpleView.help": "詳細を表示/非表示", @@ -2636,6 +2877,7 @@ "expressionXY.axisConfig.showTitle.help": "軸のタイトルを表示", "expressionXY.axisConfig.title.help": "軸のタイトル", "expressionXY.axisConfig.truncate.help": "切り捨てる前の記号の数", + "expressionXY.axisExtentConfig.enforce.help": "範囲パラメーターを適用します。", "expressionXY.axisExtentConfig.extentMode.help": "範囲モード", "expressionXY.axisExtentConfig.help": "xyグラフの軸範囲を構成", "expressionXY.axisExtentConfig.lowerBound.help": "下界", @@ -2669,7 +2911,9 @@ "expressionXY.decorationConfig.lineWidth.help": "基準線の幅", "expressionXY.decorationConfig.textVisibility.help": "基準線のラベルの表示", "expressionXY.layer.columnToLabel.help": "ラベリングする列IDのJSONキー値のペア", + "expressionXY.layeredXyVis.annotations.help": "注釈", "expressionXY.layeredXyVis.layers.help": "視覚的な系列のレイヤー", + "expressionXY.layeredXyVis.singleTable.help": "すべてのレイヤーが1つのデータテーブルを使用します", "expressionXY.layers.layerId.help": "レイヤーID", "expressionXY.layers.table.help": "表", "expressionXY.legend.filterForValueButtonAriaLabel": "値でフィルター", @@ -2714,6 +2958,7 @@ "expressionXY.reusable.function.xyVis.errors.pointsRadiusForNonLineOrAreaChartError": "pointsRadiusは折れ線グラフまたは面グラフでのみ適用できます。", "expressionXY.reusable.function.xyVis.errors.showPointsForNonLineOrAreaChartError": "showPointsは折れ線グラフまたは面グラフでのみ適用できます。", "expressionXY.reusable.function.xyVis.errors.timeMarkerForNotTimeChartsError": "現在時刻マーカーを設定できるのは、時系列グラフのみです", + "expressionXY.reusable.function.xyVis.errors.valueLabelsForNotBarChartsError": "valueLabels引数は棒グラフでのみ適用できます。", "expressionXY.xAxisConfigFn.help": "xyグラフのx軸設定を構成", "expressionXY.xyChart.emptyXLabel": "(空)", "expressionXY.xyChart.iconSelect.alertIconLabel": "アラート", @@ -2728,6 +2973,7 @@ "expressionXY.xyChart.iconSelect.mapMarkerLabel": "マップマーカー", "expressionXY.xyChart.iconSelect.mapPinLabel": "マップピン", "expressionXY.xyChart.iconSelect.noIconLabel": "なし", + "expressionXY.xyChart.iconSelect.starFilledLabel": "塗りつぶされた星", "expressionXY.xyChart.iconSelect.starLabel": "星", "expressionXY.xyChart.iconSelect.tagIconLabel": "タグ", "expressionXY.xyChart.iconSelect.triangleIconLabel": "三角形", @@ -2744,7 +2990,10 @@ "expressionXY.xyVis.hideEndzones.help": "部分データの終了ゾーンマーカーを非表示", "expressionXY.xyVis.legend.help": "チャートの凡例を構成します。", "expressionXY.xyVis.logDatatable.breakDown": "内訳の基準", + "expressionXY.xyVis.logDatatable.markSize": "マークサイズ", "expressionXY.xyVis.logDatatable.metric": "縦軸", + "expressionXY.xyVis.logDatatable.splitColumn": "分割列の基準", + "expressionXY.xyVis.logDatatable.splitRow": "行分割の基準", "expressionXY.xyVis.logDatatable.x": "横軸", "expressionXY.xyVis.markSizeRatio.help": "折れ線グラフと面グラフの点の比率を指定します", "expressionXY.xyVis.orderBucketsBySum.help": "バケットを合計で並べ替え", @@ -2839,6 +3088,87 @@ "fieldFormats.url.types.audio": "音声", "fieldFormats.url.types.img": "画像", "fieldFormats.url.types.link": "リンク", + "guidedOnboarding.dropdownPanel.completeGuideFlyoutDescription": "Elastic {guideName}ガイドを完了しました。", + "guidedOnboarding.dropdownPanel.progressValueLabel": "{stepCount}ステップ", + "guidedOnboarding.guidedSetupStepButtonLabel": "ステップガイド:ステップ{stepNumber}", + "guidedOnboarding.dropdownPanel.backToGuidesLink": "ガイドに戻る", + "guidedOnboarding.dropdownPanel.completedLabel": "完了", + "guidedOnboarding.dropdownPanel.completeGuideError": "ガイドを更新できません。しばらくたってから再試行してください。", + "guidedOnboarding.dropdownPanel.completeGuideFlyoutTitle": "やりました!", + "guidedOnboarding.dropdownPanel.continueStepButtonLabel": "続行", + "guidedOnboarding.dropdownPanel.elasticButtonLabel": "Elasticの使用を続ける", + "guidedOnboarding.dropdownPanel.footer.exitGuideButtonLabel": "ガイドを終了", + "guidedOnboarding.dropdownPanel.footer.feedback": "フィードバックを作成する", + "guidedOnboarding.dropdownPanel.footer.support": "ヘルプが必要な場合", + "guidedOnboarding.dropdownPanel.markDoneStepButtonLabel": "マーク完了", + "guidedOnboarding.dropdownPanel.progressLabel": "進捗", + "guidedOnboarding.dropdownPanel.startStepButtonLabel": "開始", + "guidedOnboarding.dropdownPanel.stepHandlerError": "ガイドを更新できません。しばらくたってから再試行してください。", + "guidedOnboarding.guidedSetupButtonLabel": "セットアップガイド", + "guidedOnboarding.guidedSetupRedirectButtonLabel": "セットアップガイド", + "guidedOnboarding.observabilityGuide.addDataStep.descriptionList.item2": "Elastic Kubernetes統合を追加します。", + "guidedOnboarding.observabilityGuide.addDataStep.title": "データを追加して検証", + "guidedOnboarding.observabilityGuide.description": "Elastic統合では、Kubernetes環境をすばやく可視化できます。ログ、メトリック、トレースを深く分析し、能動的に問題を検出し、解決のためのアクションを実行できます。", + "guidedOnboarding.observabilityGuide.documentationLink": "詳細", + "guidedOnboarding.observabilityGuide.title": "Kubernetesインフラストラクチャーの監視", + "guidedOnboarding.observabilityGuide.tourObservabilityStep.description": "その他のElasticオブザーバビリティを理解して、さらに多くの統合を探りましょう。", + "guidedOnboarding.observabilityGuide.tourObservabilityStep.title": "Elasticオブザーバビリティのガイド", + "guidedOnboarding.observabilityGuide.viewDashboardStep.description": "Kubernetesインフラストラクチャーメトリックをストリーム、可視化、分析します。", + "guidedOnboarding.observabilityGuide.viewDashboardStep.manualCompletionPopoverDescription": "Kubernetes統合に含まれるこれらの組み込まれたダッシュボードをご検討ください。準備ができたら、[セットアップガイド]ボタンをクリックして続行します。", + "guidedOnboarding.observabilityGuide.viewDashboardStep.manualCompletionPopoverTitle": "Kubernetesダッシュボードを見る", + "guidedOnboarding.observabilityGuide.viewDashboardStep.title": "Kubernetesメトリックを見る", + "guidedOnboarding.quitGuideModal.cancelButtonLabel": "キャンセル", + "guidedOnboarding.quitGuideModal.deactivateGuideError": "ガイドを更新できません。しばらくたってから再試行してください。", + "guidedOnboarding.quitGuideModal.modalDescription": "[ヘルプ]メニューを使用すると、いつでもセットアップガイドを再開できます。", + "guidedOnboarding.quitGuideModal.modalTitle": "このガイドを終了しますか?", + "guidedOnboarding.quitGuideModal.quitButtonLabel": "ガイドを終了", + "guidedOnboarding.searchGuide.addDataStep.description1": "インジェスチョン方法を選択", + "guidedOnboarding.searchGuide.addDataStep.description2": "新しいElasticsearchインデックスを作成します。", + "guidedOnboarding.searchGuide.addDataStep.description3": "インジェスチョン設定を構成します。", + "guidedOnboarding.searchGuide.addDataStep.title": "データの追加", + "guidedOnboarding.searchGuide.description": "Elasticのすぐに使えるWebクローラー、コネクター、堅牢なAPIを使用すると、データ検索エクスペリエンスをカスタマイズできます。組み込まれた検索分析から深いインサイトを取り込み、結果を整理して、関連性を最適化します。", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item1": "ElasticのSearch UIフレームワークの詳細をご覧ください。", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item2": "ElasticsearchのSearch UIチュートリアルをお試しください。", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item3": "顧客、従業員、ユーザー向けに世界クラスの検索エクスペリエンスを構築できます。", + "guidedOnboarding.searchGuide.searchExperienceStep.manualCompletionPopoverDescription": "Search UIを使用して、世界クラスの検索エクスペリエンスを構築する方法についてご覧ください。準備ができたら、[セットアップガイド]ボタンをクリックして続行します。", + "guidedOnboarding.searchGuide.searchExperienceStep.manualCompletionPopoverTitle": "Search UIを見る", + "guidedOnboarding.searchGuide.searchExperienceStep.title": "検索エクスペリエンスを構築", + "guidedOnboarding.searchGuide.title": "データを検索", + "guidedOnboarding.securityGuide.addDataStep.description1": "Elastic Defendを選択して、データを追加します。", + "guidedOnboarding.securityGuide.addDataStep.description2": "データに問題がないことを確認します。", + "guidedOnboarding.securityGuide.addDataStep.title": "Elastic Defendでデータを追加", + "guidedOnboarding.securityGuide.alertsStep.description1": "アラートを表示してトリアージします。", + "guidedOnboarding.securityGuide.alertsStep.description2": "ケースを作成します。", + "guidedOnboarding.securityGuide.alertsStep.manualCompletion.description": "作成したケースを確認したら、ここをクリックして続行してください。", + "guidedOnboarding.securityGuide.alertsStep.manualCompletion.title": "ツアーを続ける", + "guidedOnboarding.securityGuide.alertsStep.title": "アラートとケースの管理", + "guidedOnboarding.securityGuide.description": "Elasticのアウトオブボックス統合を使用すると、すばやく設定できます。", + "guidedOnboarding.securityGuide.rulesStep.description1": "事前構築済みルールを読み込みます。", + "guidedOnboarding.securityGuide.rulesStep.description2": "任意のルールを選択します。", + "guidedOnboarding.securityGuide.rulesStep.manualCompletion.description": "任意のルールを有効化した後に、ここをクリックして続行してください。", + "guidedOnboarding.securityGuide.rulesStep.manualCompletion.title": "ツアーを続ける", + "guidedOnboarding.securityGuide.rulesStep.title": "ルールをオンにする", + "guidedOnboarding.securityGuide.title": "Elastic Securityセットアップガイド", + "guidedOnboardingPackage.gettingStarted.guideCard.stepsLabel": "{progress}ステップ", + "guidedOnboardingPackage.gettingStarted.guideCard.continueGuide.buttonLabel": "続行", + "guidedOnboardingPackage.gettingStarted.guideCard.observability.cardDescription": "ログとメトリックを統合して、Kubernetesインフラストラクチャーを監視できます。", + "guidedOnboardingPackage.gettingStarted.guideCard.observability.cardTitle": "Kubernetesインフラストラクチャーの監視", + "guidedOnboardingPackage.gettingStarted.guideCard.progress.completedLabel": "完了", + "guidedOnboardingPackage.gettingStarted.guideCard.progress.inProgressLabel": "進行中", + "guidedOnboardingPackage.gettingStarted.guideCard.search.cardDescription": "Webサイト、アプリケーション、workplaceコンテンツなどに合った、検索エクスペリエンスを作成します。", + "guidedOnboardingPackage.gettingStarted.guideCard.search.cardTitle": "データを検索", + "guidedOnboardingPackage.gettingStarted.guideCard.security.cardDescription": "SIEM、エンドポイントセキュリティ、クラウドセキュリティを統合することで、環境を脅威から守ります。", + "guidedOnboardingPackage.gettingStarted.guideCard.security.cardTitle": "環境を保護", + "guidedOnboardingPackage.gettingStarted.guideCard.startGuide.buttonLabel": "ガイドを表示", + "guidedOnboardingPackage.gettingStarted.linkCard.buttonLabel": "統合を表示", + "guidedOnboardingPackage.gettingStarted.linkCard.observability.cardDescription": "組み込まれた統合を使用して、アプリケーション、インフラストラクチャー、ユーザーデータを追加します。", + "guidedOnboardingPackage.gettingStarted.linkCard.observability.cardTitle": "データの監視", + "guidedOnboardingPackage.gettingStarted.observability.betaBadgeLabel": "監視", + "guidedOnboardingPackage.gettingStarted.observability.iconName": "オブザーバビリティロゴ", + "guidedOnboardingPackage.gettingStarted.search.betaBadgeLabel": "検索", + "guidedOnboardingPackage.gettingStarted.search.iconName": "エンタープライズ サーチロゴ", + "guidedOnboardingPackage.gettingStarted.security.betaBadgeLabel": "セキュリティ", + "guidedOnboardingPackage.gettingStarted.security.iconName": "セキュリティロゴ", "home.loadTutorials.requestFailedErrorMessage": "リクエスト失敗、ステータスコード:{status}", "home.tutorial.addDataToKibanaDescription": "{integrationsLink}を追加するほかに、サンプルデータを試したり、独自のデータをアップロードしたりできます。", "home.tutorial.noTutorialLabel": "チュートリアル {tutorialId} が見つかりません", @@ -2890,13 +3220,13 @@ "home.tutorials.common.filebeatCloudInstructions.config.osxTextPre": "{path} を変更して Elastic Cloud への接続情報を設定します:", "home.tutorials.common.filebeatCloudInstructions.config.rpmTextPre": "{path} を変更して Elastic Cloud への接続情報を設定します:", "home.tutorials.common.filebeatCloudInstructions.config.windowsTextPre": "{path} を変更して Elastic Cloud への接続情報を設定します:", - "home.tutorials.common.filebeatEnableInstructions.debTextPost": "「/etc/filebeat/modules.d/{moduleName}.yml」ファイルで設定を変更します。", + "home.tutorials.common.filebeatEnableInstructions.debTextPost": "「/etc/filebeat/modules.d/{moduleName}.yml」ファイルで設定を変更します。1つ以上のファイルセットを有効にする必要があります。", "home.tutorials.common.filebeatEnableInstructions.debTitle": "{moduleName} モジュールを有効にし構成します", - "home.tutorials.common.filebeatEnableInstructions.osxTextPost": "「modules.d/{moduleName}.yml」」ファイルで設定を変更します。", + "home.tutorials.common.filebeatEnableInstructions.osxTextPost": "「modules.d/{moduleName}.yml」」ファイルで設定を変更します。1つ以上のファイルセットを有効にする必要があります。", "home.tutorials.common.filebeatEnableInstructions.osxTitle": "{moduleName} モジュールを有効にし構成します", - "home.tutorials.common.filebeatEnableInstructions.rpmTextPost": "「/etc/filebeat/modules.d/{moduleName}.yml」ファイルで設定を変更します。", + "home.tutorials.common.filebeatEnableInstructions.rpmTextPost": "「/etc/filebeat/modules.d/{moduleName}.yml」ファイルで設定を変更します。1つ以上のファイルセットを有効にする必要があります。", "home.tutorials.common.filebeatEnableInstructions.rpmTitle": "{moduleName} モジュールを有効にし構成します", - "home.tutorials.common.filebeatEnableInstructions.windowsTextPost": "「modules.d/{moduleName}.yml」」ファイルで設定を変更します。", + "home.tutorials.common.filebeatEnableInstructions.windowsTextPost": "「modules.d/{moduleName}.yml」」ファイルで設定を変更します。1つ以上のファイルセットを有効にする必要があります。", "home.tutorials.common.filebeatEnableInstructions.windowsTextPre": "「{path}」フォルダから次のファイルを実行します:", "home.tutorials.common.filebeatEnableInstructions.windowsTitle": "{moduleName} モジュールを有効にし構成します", "home.tutorials.common.filebeatInstructions.config.debTextPostMarkdown": "{passwordTemplate} が「Elastic」ユーザーのパスワード、{esUrlTemplate} が Elasticsearch の URL、{kibanaUrlTemplate} が Kibana の URL です。Elasticsearchで生成されたデフォルトの証明書を使用して[SSLを構成]({configureSslUrl})するには、{esCertFingerprintTemplate}でフィンガープリントを追加します。\n\n> **_重要:_** 設定済みの「elastic」ユーザーは、本番環境のクライアントを保護する目的で使用しないでください。許可されたユーザーまたはAPIキーを設定し、パスワードは構成ファイルで公開しないでください。[Learn more]({linkUrl})。", @@ -3073,20 +3403,26 @@ "home.tutorials.zookeeperMetrics.longDescription": "「{moduleName}」Metricbeat モジュールは、Zookeeper サーバーからメトリックを取得します。 [詳細]({learnMoreLink})。", "home.tutorials.zscalerLogs.longDescription": "これは、Syslog またはファイルで Zscaler NSS ログを受信するためのモジュールです。[詳細]({learnMoreLink})。", "home.addData.addDataButtonLabel": "統合の追加", + "home.addData.guidedOnboardingLinkLabel": "セットアップガイド", "home.addData.sampleDataButtonLabel": "サンプルデータを試す", "home.addData.sectionTitle": "統合を追加して開始する", - "home.addData.text": "データの操作を開始するには、多数の取り込みオプションのいずれかを使用します。アプリまたはサービスからデータを収集するか、ファイルをアップロードします。独自のデータを使用する準備ができていない場合は、サンプルデータセットを追加してください。", + "home.addData.text": "データの操作を開始するには、多数の取り込みオプションのいずれかを使用します。アプリまたはサービスからデータを収集するか、ファイルをアップロードします。独自のデータを使用する準備ができていない場合は、サンプルデータセットを利用してください。", "home.addData.uploadFileButtonLabel": "ファイルをアップロード", - "home.breadcrumbs.gettingStartedTitle": "はじめに", + "home.breadcrumbs.gettingStartedTitle": "セットアップガイド", "home.breadcrumbs.homeTitle": "ホーム", "home.breadcrumbs.integrationsAppTitle": "統合", "home.exploreButtonLabel": "独りで閲覧", "home.exploreYourDataDescription": "すべてのステップを終えたら、データ閲覧準備の完了です。", - "home.guidedOnboarding.gettingStarted.skip.buttonLabel": "いいえ、結構です。自分で探します。", - "home.guidedOnboarding.gettingStarted.useCaseSelectionSubtitle": "まず、スタートとしてクイックガイドを表示すると、どのようにElasticでデータに対して高度な操作を実行するのかを確認できます。", + "home.guidedOnboarding.gettingStarted.activateGuide.errorMessage": "ガイドを開始できません。しばらくたってから再試行してください。", + "home.guidedOnboarding.gettingStarted.errorSectionDescription": "ガイド状態の読み込みエラーが発生しました。しばらくたってから再試行してください。", + "home.guidedOnboarding.gettingStarted.errorSectionRefreshButton": "更新", + "home.guidedOnboarding.gettingStarted.errorSectionTitle": "ガイド状態を読み込めません", + "home.guidedOnboarding.gettingStarted.loadingIndicator": "セットアップガイドの状態を読み込んでいます...", + "home.guidedOnboarding.gettingStarted.skip.buttonLabel": "別の操作を行う(スキップ)", + "home.guidedOnboarding.gettingStarted.useCaseSelectionSubtitle": "データを最大限に活用するには、ガイドを選択してください。", "home.guidedOnboarding.gettingStarted.useCaseSelectionTitle": "最初に何をしたいですか?", "home.header.title": "ようこそホーム", - "home.letsStartDescription": "任意のソースからクラスターにデータを追加して、リアルタイムでデータを分析して可視化します。当社のソリューションを使用すれば、どこからでも検索を追加し、エコシステムを監視して、セキュリティの脅威から保護することができます。", + "home.letsStartDescription": "任意のソースからクラスターにデータを追加して、リアルタイムでデータを分析して可視化します。当社のソリューションを使用すれば、どこからでも検索を追加し、エコシステムを監視して、セキュリティの脅威から防御することができます。", "home.letsStartTitle": "統合を追加して開始する", "home.loadTutorials.unableToLoadErrorMessage": "チュートリアルが読み込めません。", "home.manageData.devToolsButtonLabel": "開発ツール", @@ -3681,6 +4017,7 @@ "indexPatternEditor.editDataView.editConfirmationModal.modalDescription": "このデータビューを変更すると、それに依存している他のオブジェクトが破損する可能性があります。", "indexPatternEditor.editor.flyoutCloseButtonLabel": "閉じる", "indexPatternEditor.editor.flyoutEditButtonLabel": "保存", + "indexPatternEditor.editor.flyoutEditUnpersistedButtonLabel": "保存せずに続行して使用", "indexPatternEditor.editor.flyoutExploreButtonLabel": "保存せずに使用", "indexPatternEditor.editor.flyoutExploreButtonTitle": "保存されたオブジェクトを作成せずにこのデータビューを使用", "indexPatternEditor.editor.flyoutSaveButtonLabel": "データビューをKibanaに保存", @@ -3704,6 +4041,7 @@ "indexPatternEditor.form.customIndexPatternIdLabel": "カスタムデータビューID", "indexPatternEditor.form.nameAriaLabel": "名前フィールド(任意)", "indexPatternEditor.form.titleAriaLabel": "インデックスパターンフィールド", + "indexPatternEditor.goToManagementPage": "設定を管理して、フィールド詳細を表示", "indexPatternEditor.loadingHeader": "一致するインデックスを検索中…", "indexPatternEditor.requireTimestampOption.ValidationErrorMessage": "タイムスタンプフィールドを選択します。", "indexPatternEditor.rollupDataView.createIndex.noMatchError": "ロールアップデータビューエラー:ロールアップインデックスの 1 つと一致している必要があります", @@ -3769,6 +4107,8 @@ "indexPatternFieldEditor.duration.showSuffixLabel": "接尾辞を表示", "indexPatternFieldEditor.duration.showSuffixLabel.short": "短縮サフィックスを使用", "indexPatternFieldEditor.durationErrorMessage": "小数部分の桁数は0から20までの間で指定する必要があります", + "indexPatternFieldEditor.editor.compositeFieldsCount": "生成されたフィールド", + "indexPatternFieldEditor.editor.compositeRefreshTypes": "リセット", "indexPatternFieldEditor.editor.flyoutCancelButtonLabel": "キャンセル", "indexPatternFieldEditor.editor.flyoutDefaultTitle": "フィールドを作成", "indexPatternFieldEditor.editor.flyoutEditFieldTitle": "「{fieldName}」フィールドの編集", @@ -3796,6 +4136,7 @@ "indexPatternFieldEditor.editor.form.scriptEditor.compileErrorMessage": "Painlessスクリプトのコンパイルエラー", "indexPatternFieldEditor.editor.form.scriptEditorAriaLabel": "スクリプトエディター", "indexPatternFieldEditor.editor.form.scriptEditorPainlessValidationMessage": "無効なPainlessスクリプトです。", + "indexPatternFieldEditor.editor.form.subFieldParentInfo": "フィールド値は'{parentName}'で定義されます", "indexPatternFieldEditor.editor.form.typeSelectAriaLabel": "タイプ選択", "indexPatternFieldEditor.editor.form.validations.customLabelIsRequiredErrorMessage": "フィールドにラベルを付けます。", "indexPatternFieldEditor.editor.form.validations.nameIsRequiredErrorMessage": "名前が必要です。", @@ -3804,6 +4145,7 @@ "indexPatternFieldEditor.editor.form.validations.scriptIsRequiredErrorMessage": "フィールド値を設定するには、スクリプトが必要です。", "indexPatternFieldEditor.editor.form.validations.starCharacterNotAllowedValidationErrorMessage": "フィールド名には*を使用できません。", "indexPatternFieldEditor.editor.form.valueTitle": "値を設定", + "indexPatternFieldEditor.editor.runtimeFieldsEditor.existCompositeNamesValidationErrorMessage": "この名前のランタイム複合要素はすでに存在します。", "indexPatternFieldEditor.editor.runtimeFieldsEditor.existRuntimeFieldNamesValidationErrorMessage": "この名前のフィールドはすでに存在します。", "indexPatternFieldEditor.fieldPreview.documentIdField.label": "ドキュメントID", "indexPatternFieldEditor.fieldPreview.documentIdField.loadDocumentsFromCluster": "クラスターからドキュメントを読み込む", @@ -3877,6 +4219,7 @@ "indexPatternManagement.editDataView.deleteWarning": "データビュー{dataViewName}は削除されます。この操作は元に戻すことができません。", "indexPatternManagement.editDataView.deleteWarningWithNamespaces": "共有されているすべてのスペースからデータビュー{dataViewName}を削除します。この操作は元に戻すことができません。", "indexPatternManagement.editHeader": "{fieldName}を編集", + "indexPatternManagement.editIndexPattern.couldNotLoadMessage": "ID {objectId}のデータビューを読み込めませんでした。新規作成してください。", "indexPatternManagement.editIndexPattern.deprecation": "スクリプトフィールドは廃止予定です。代わりに{runtimeDocs}を使用してください。", "indexPatternManagement.editIndexPattern.fields.conflictModal.description": "{fieldName}フィールドの型がインデックス全体で変更され、検索、視覚化、他の分析で使用できない可能性があります。", "indexPatternManagement.editIndexPattern.list.DateHistogramDelaySummary": "遅延:{delay},", @@ -3954,6 +4297,7 @@ "indexPatternManagement.editDataView.setDefaultAria": "デフォルトのデータビューに設定します。", "indexPatternManagement.editDataView.setDefaultTooltip": "デフォルトに設定", "indexPatternManagement.editIndexPattern.badge.securityDataViewTitle": "セキュリティデータビュー", + "indexPatternManagement.editIndexPattern.couldNotLoadTitle": "データビューを読み込めません", "indexPatternManagement.editIndexPattern.deleteButton": "削除", "indexPatternManagement.editIndexPattern.fields.addFieldButtonLabel": "フィールドの追加", "indexPatternManagement.editIndexPattern.fields.conflictModal.closeBtn": "閉じる", @@ -3989,6 +4333,8 @@ "indexPatternManagement.editIndexPattern.fields.table.primaryTimeAriaLabel": "プライマリ時間フィールド", "indexPatternManagement.editIndexPattern.fields.table.primaryTimeTooltip": "このフィールドはイベントの発生時刻を表します。", "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitle": "ランタイムフィールド", + "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitleComposite": "複合ランタイムフィールド", + "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitleCompositeSubfield": "複合ランタイムサブフィールド", "indexPatternManagement.editIndexPattern.fields.table.searchableDescription": "これらのフィールドはフィルターバーで使用できます", "indexPatternManagement.editIndexPattern.fields.table.searchableHeader": "検索可能", "indexPatternManagement.editIndexPattern.fields.table.typeHeader": "型", @@ -4279,6 +4625,9 @@ "kibana-react.pageFooter.makeDefaultRouteLink": "これをランディングページにする", "kibana-react.solutionNav.collapsibleLabel": "サイドナビゲーションを折りたたむ", "kibana-react.solutionNav.openLabel": "サイドナビゲーションを開く", + "languageDocumentationPopover.header": "{language}リファレンス", + "languageDocumentationPopover.tooltip": "{lang}リファレンス", + "languageDocumentationPopover.searchPlaceholder": "検索", "management.landing.header": "Stack Management {version}へようこそ", "management.breadcrumb": "スタック管理", "management.landing.subhead": "インデックス、データビュー、保存されたオブジェクト、Kibanaの設定、その他を管理します。", @@ -4371,6 +4720,12 @@ "savedObjects.advancedSettings.perPageTitle": "ページごとのオブジェクト数", "savedObjects.confirmModal.cancelButtonLabel": "キャンセル", "savedObjects.confirmModal.overwriteButtonLabel": "上書き", + "savedObjects.finder.filterButtonLabel": "タイプ", + "savedObjects.finder.searchPlaceholder": "検索…", + "savedObjects.finder.sortAsc": "昇順", + "savedObjects.finder.sortAuto": "ベストマッチ", + "savedObjects.finder.sortButtonLabel": "並べ替え", + "savedObjects.finder.sortDesc": "降順", "savedObjects.overwriteRejectedDescription": "上書き確認が拒否されました", "savedObjects.saveDuplicateRejectedDescription": "重複ファイルの保存確認が拒否されました", "savedObjects.saveModal.cancelButtonLabel": "キャンセル", @@ -4521,6 +4876,7 @@ "savedObjectsManagement.view.indexPatternDoesNotExistErrorMessage": "このオブジェクトに関連付けられたデータビューは現在存在しません。", "savedObjectsManagement.view.savedObjectProblemErrorMessage": "この保存されたオブジェクトに問題があります", "savedObjectsManagement.view.savedSearchDoesNotExistErrorMessage": "このオブジェクトに関連付けられた保存された検索は現在存在しません。", + "savedSearch.legacyURLConflict.errorMessage": "この検索にはレガシーエイリアスと同じURLがあります。このエラーを解決するには、エイリアスを無効にしてください:{json}", "share.contextMenuTitle": "この {objectType} を共有", "share.urlPanel.canNotShareAsSavedObjectHelpText": "{objectType} が保存されるまで保存されたオブジェクトを共有することはできません。", "share.urlPanel.savedObjectDescription": "この URL を共有することで、他のユーザーがこの {objectType} の最も最近保存されたバージョンを読み込めるようになります。", @@ -4553,9 +4909,10 @@ "share.urlService.redirect.RedirectManager.missingParamVersion": "ロケーターパラメーターバージョンが指定されていません。URLで「v」検索パラメーターを指定します。これはロケーターパラメーターが生成されたときのKibanaのリリースバージョンです。", "sharedUXPackages.noDataPage.intro": "データを追加して開始するか、{solution}については{link}をご覧ください。", "sharedUXPackages.noDataPage.welcomeTitle": "Elastic {solution}へようこそ。", - "sharedUXPackages.noDataPage.intro.link": "詳細", "sharedUXPackages.solutionNav.mobileTitleText": "{solutionName} {menuText}", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.selectedStatusMessage": "{count, plural, other {# ユーザーが選択されました}}", "sharedUXPackages.buttonToolbar.buttons.addFromLibrary.libraryButtonLabel": "ライブラリから追加", + "sharedUXPackages.buttonToolbar.toolbar.errorToolbarText": "120以上のボタンがあります。ボタンの数を制限することを検討してください。", "sharedUXPackages.card.noData.description": "Elasticエージェントを使用すると、シンプルで統一された方法でコンピューターからデータを収集するできます。", "sharedUXPackages.card.noData.noPermission.description": "この統合はまだ有効ではありません。管理者にはオンにするために必要なアクセス権があります。", "sharedUXPackages.card.noData.noPermission.title": "管理者にお問い合わせください", @@ -4566,6 +4923,7 @@ "sharedUXPackages.noDataConfig.addIntegrationsTitle": "統合の追加", "sharedUXPackages.noDataConfig.analytics": "分析", "sharedUXPackages.noDataConfig.analyticsPageTitle": "Analyticsへようこそ!", + "sharedUXPackages.noDataPage.intro.link": "詳細", "sharedUXPackages.noDataViewsPrompt.addDataViewText": "データビューを作成", "sharedUXPackages.noDataViewsPrompt.dataViewExplanation": "データビューは、探索するElasticsearchデータを特定します。昨日からのログデータ、ログデータを含むすべてのインデックスなど、1つ以上のデータストリーム、インデックス、インデックスエイリアスをデータビューで参照できます。", "sharedUXPackages.noDataViewsPrompt.learnMore": "詳細について", @@ -4577,6 +4935,9 @@ "sharedUXPackages.solutionNav.collapsibleLabel": "サイドナビゲーションを折りたたむ", "sharedUXPackages.solutionNav.menuText": "メニュー", "sharedUXPackages.solutionNav.openLabel": "サイドナビゲーションを開く", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.clearButtonLabel": "すべてのユーザーを削除", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.searchPlaceholder": "検索", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.suggestedLabel": "候補", "telemetry.callout.appliesSettingTitle": "この設定に加えた変更は {allOfKibanaText} に適用され、自動的に保存されます。", "telemetry.telemetryBannerDescription": "Elastic Stackの改善にご協力ください使用状況データの収集は現在無効です。使用状況データの収集を有効にすると、製品とサービスを管理して改善することができます。詳細については、{privacyStatementLink}をご覧ください。", "telemetry.telemetryConfigAndLinkDescription": "使用状況データの収集を有効にすると、製品とサービスを管理して改善することができます。詳細については、{privacyStatementLink}をご覧ください。", @@ -4875,8 +5236,77 @@ "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateSyntaxHelpLinkText": "構文ヘルプ", "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateVariablesFilterPlaceholderText": "変数をフィルター", "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateVariablesHelpLinkText": "ヘルプ", + "unifiedFieldList.fieldListGrouped.fieldSearchForAvailableFieldsLiveRegion": "{availableFields}使用可能な{availableFields, plural, other {フィールド}}。", + "unifiedFieldList.fieldListGrouped.fieldSearchForEmptyFieldsLiveRegion": "{emptyFields}空の{emptyFields, plural, other {フィールド}}。", + "unifiedFieldList.fieldListGrouped.fieldSearchForMetaFieldsLiveRegion": "{metaFields}メタ{metaFields, plural, other {フィールド}}。", + "unifiedFieldList.fieldListGrouped.fieldSearchForSelectedFieldsLiveRegion": "{selectedFields}選択した{selectedFields, plural, other {フィールド}}。", + "unifiedFieldList.fieldPopover.addFieldToWorkspaceLabel": "\"{field}\"フィールドを追加", + "unifiedFieldList.fieldStats.bucketPercentageTooltip": "{formattedPercentage} ({count, plural, other {# レコード}})", + "unifiedFieldList.fieldStats.calculatedFromSampleRecordsLabel": "{sampledDocumentsFormatted}サンプル{sampledDocuments, plural, other {レコード}}から計算されました。", + "unifiedFieldList.fieldStats.calculatedFromTotalRecordsLabel": "{totalDocumentsFormatted} {totalDocuments, plural, other {レコード}}から計算されました。", + "unifiedFieldList.fieldStats.filterOutValueButtonAriaLabel": "{field}を除外:\"{value}\"", + "unifiedFieldList.fieldStats.filterValueButtonAriaLabel": "{field}を除外:\"{value}\"", + "unifiedFieldList.fieldStats.noFieldDataInSampleDescription": "{sampledDocumentsFormatted}サンプル{sampledDocuments, plural, other {レコード}}のフィールドデータがありません。", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.deprecation": "この設定はサポートが終了し、8.6以降ではサポートされません。", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.description": "有効な場合、インデックスマッピングを使用するのではなく、ドキュメントサンプリングを使用して、Lensフィールドリストのフィールドの存在(使用可能または空)を決定します。", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.title": "フィールド存在サンプリングを使用", + "unifiedFieldList.fieldList.noFieldsCallout.noDataLabel": "フィールドがありません。", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.extendTimeBullet": "時間範囲を拡張中", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.fieldTypeFilterBullet": "別のフィールドフィルターを使用", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.globalFiltersBullet": "グローバルフィルターを変更", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.tryText": "試行対象:", + "unifiedFieldList.fieldList.noFieldsCallout.noFieldsLabel": "このデータビューにはフィールドがありません。", + "unifiedFieldList.fieldList.noFieldsCallout.noFilteredFieldsLabel": "選択したフィルターと一致するフィールドはありません。", + "unifiedFieldList.fieldPopover.addExistsFilterLabel": "フィールド表示のフィルター", + "unifiedFieldList.fieldPopover.deleteFieldLabel": "データビューフィールドを削除", + "unifiedFieldList.fieldPopover.editFieldLabel": "データビューフィールドを編集", + "unifiedFieldList.fieldsAccordion.existenceErrorAriaLabel": "存在の取り込みに失敗しました", + "unifiedFieldList.fieldsAccordion.existenceErrorLabel": "フィールド情報を読み込めません", + "unifiedFieldList.fieldsAccordion.existenceTimeoutAriaLabel": "存在の取り込みがタイムアウトしました", + "unifiedFieldList.fieldsAccordion.existenceTimeoutLabel": "フィールド情報に時間がかかりすぎました", + "unifiedFieldList.fieldStats.countLabel": "カウント", + "unifiedFieldList.fieldStats.displayToggleLegend": "次のどちらかを切り替えます:", + "unifiedFieldList.fieldStats.emptyStringValueLabel": "(空)", + "unifiedFieldList.fieldStats.examplesLabel": "例", + "unifiedFieldList.fieldStats.fieldDistributionLabel": "分布", + "unifiedFieldList.fieldStats.fieldTimeDistributionLabel": "時間分布", + "unifiedFieldList.fieldStats.noFieldDataDescription": "現在の選択のフィールドデータがありません。", + "unifiedFieldList.fieldStats.notAvailableForThisFieldDescription": "このフィールドは分析できません。", + "unifiedFieldList.fieldStats.otherDocsLabel": "その他", + "unifiedFieldList.fieldStats.topValuesLabel": "トップの値", + "unifiedFieldList.fieldVisualizeButton.label": "可視化", + "unifiedFieldList.useGroupedFields.allFieldsLabel": "すべてのフィールド", + "unifiedFieldList.useGroupedFields.availableFieldsLabel": "利用可能なフィールド", + "unifiedFieldList.useGroupedFields.emptyFieldsLabel": "空のフィールド", + "unifiedFieldList.useGroupedFields.emptyFieldsLabelHelp": "空のフィールドには、フィルターに基づく値が含まれていませんでした。", + "unifiedFieldList.useGroupedFields.metaFieldsLabel": "メタフィールド", + "unifiedFieldList.useGroupedFields.noAvailableDataLabel": "データを含むフィールドはありません。", + "unifiedFieldList.useGroupedFields.noEmptyDataLabel": "空のフィールドがありません。", + "unifiedFieldList.useGroupedFields.noMetaDataLabel": "メタフィールドがありません。", + "unifiedFieldList.useGroupedFields.selectedFieldsLabel": "スクリプトフィールド", + "unifiedHistogram.bucketIntervalTooltip": "この間隔は選択された時間範囲に表示される{bucketsDescription}が作成されるため、{bucketIntervalDescription}にスケーリングされています。", + "unifiedHistogram.histogramTimeRangeIntervalDescription": "(間隔値: {value})", + "unifiedHistogram.hitsPluralTitle": "{formattedHits} {hits, plural, other {一致}}", + "unifiedHistogram.partialHits": "≥{formattedHits} {hits, plural, other {一致}}", + "unifiedHistogram.timeIntervalWithValue": "時間間隔:{timeInterval}", + "unifiedHistogram.bucketIntervalTooltip.tooLargeBucketsText": "大きすぎるバケット", + "unifiedHistogram.bucketIntervalTooltip.tooManyBucketsText": "バケットが多すぎます", + "unifiedHistogram.chartOptions": "グラフオプション", + "unifiedHistogram.chartOptionsButton": "グラフオプション", + "unifiedHistogram.editVisualizationButton": "ビジュアライゼーションを編集", + "unifiedHistogram.hideChart": "グラフを非表示", + "unifiedHistogram.histogramOfFoundDocumentsAriaLabel": "検出されたドキュメントのヒストグラム", + "unifiedHistogram.histogramTimeRangeIntervalAuto": "自動", + "unifiedHistogram.hitCountSpinnerAriaLabel": "読み込み中の最終一致件数", + "unifiedHistogram.resetChartHeight": "デフォルトの高さにリセット", + "unifiedHistogram.showChart": "グラフを表示", + "unifiedHistogram.timeIntervals": "時間間隔", + "unifiedHistogram.timeIntervalWithValueWarning": "警告", + "unifiedSearch.filter.filterBar.filterActionsMessage": "フィルター:{innerText}。他のフィルターアクションを使用するには選択してください。", "unifiedSearch.filter.filterBar.filterItemBadgeIconAriaLabel": "{filter}を削除", + "unifiedSearch.filter.filterBar.filterString": "フィルター:{innerText}。", "unifiedSearch.filter.filterBar.labelWarningInfo": "フィールド{fieldName}は現在のビューに存在しません", + "unifiedSearch.filter.filtersBuilder.delimiterLabel": "{conditionType}", "unifiedSearch.kueryAutocomplete.andOperatorDescription": "{bothArguments} が true であることを条件とする", "unifiedSearch.kueryAutocomplete.equalOperatorDescription": "一部の値に{equals}", "unifiedSearch.kueryAutocomplete.existOperatorDescription": "いずれかの形式中に{exists}", @@ -4886,6 +5316,7 @@ "unifiedSearch.kueryAutocomplete.lessThanOrEqualOperatorDescription": "が一部の値{lessThanOrEqualTo}", "unifiedSearch.kueryAutocomplete.orOperatorDescription": "{oneOrMoreArguments} が true であることを条件とする", "unifiedSearch.query.queryBar.comboboxAriaLabel": "{pageType} ページの検索とフィルタリング", + "unifiedSearch.query.queryBar.indexPattern.createForMatchingIndices": "{indicesLength, plural,\n one {# 一致するインデックス}\n other {# 一致するインデックス}}を探索", "unifiedSearch.query.queryBar.KQLNestedQuerySyntaxInfoText": "ネストされたフィールドをクエリされているようです。ネストされたクエリに対しては、ご希望の結果により異なる方法で KQL 構文を構築することができます。詳細については、{link}をご覧ください。", "unifiedSearch.query.queryBar.searchInputAriaLabel": "{pageType} ページの検索とフィルタリングを行うには入力を開始してください", "unifiedSearch.query.queryBar.searchInputPlaceholder": "{language}構文を使用してデータをフィルタリング", @@ -4986,6 +5417,12 @@ "unifiedSearch.filter.filterEditor.valueSelectPlaceholder": "値を選択", "unifiedSearch.filter.filterEditor.valuesSelectLabel": "値", "unifiedSearch.filter.filterEditor.valuesSelectPlaceholder": "値を選択", + "unifiedSearch.filter.filtersBuilder.addAndFilterGroupButtonIcon": "ANDを使用してフィルターグループを追加", + "unifiedSearch.filter.filtersBuilder.addOrFilterGroupButtonIcon": "ORを使用してフィルターグループを追加", + "unifiedSearch.filter.filtersBuilder.deleteFilterGroupButtonIcon": "フィルターグループの削除", + "unifiedSearch.filter.filtersBuilder.fieldSelectPlaceholder": "フィールドを選択", + "unifiedSearch.filter.filtersBuilder.operatorSelectPlaceholderSelect": "選択してください", + "unifiedSearch.filter.filtersBuilder.operatorSelectPlaceholderWaiting": "待機中", "unifiedSearch.filter.options.addFilterButtonLabel": "フィルターを追加します", "unifiedSearch.filter.options.applyAllFiltersButtonLabel": "すべてに適用", "unifiedSearch.filter.options.clearllFiltersButtonLabel": "すべて消去", @@ -5020,6 +5457,7 @@ "unifiedSearch.query.queryBar.indexPattern.findDataView": "データビューを検索", "unifiedSearch.query.queryBar.indexPattern.findFilterSet": "保存されたクエリを検索", "unifiedSearch.query.queryBar.indexPattern.manageFieldButton": "このデータビューを管理", + "unifiedSearch.query.queryBar.indexPattern.temporaryDataviewLabel": "一時", "unifiedSearch.query.queryBar.indexPattern.textBasedLangSwitchWarning": "データビューを切り替えると、現在のSQLクエリが削除されます。この検索を保存すると、作業内容が失われないことが保証されます。", "unifiedSearch.query.queryBar.indexPattern.textBasedLanguagesLabel": "テキストベースのクエリ言語", "unifiedSearch.query.queryBar.indexPattern.textBasedLanguagesTransitionModalBody": "データビューを切り替えると、現在のSQLクエリが削除されます。この検索を保存すると、作業内容が失われないことが保証されます。", @@ -5034,6 +5472,7 @@ "unifiedSearch.query.queryBar.luceneLanguageName": "Lucene", "unifiedSearch.query.queryBar.searchInputPlaceholderForText": "データのフィルタリング", "unifiedSearch.query.queryBar.syntaxOptionsTitle": "構文オプション", + "unifiedSearch.query.queryBar.textBasedLanguagesTechPreviewLabel": "テクニカルプレビュー", "unifiedSearch.query.textBasedLanguagesEditor.aggregateFunctions": "集計関数", "unifiedSearch.query.textBasedLanguagesEditor.aggregateFunctionsDocumentationDescription": "複数の入力値のセットから単一の結果を計算するための関数。Elasticsearch SQLでは、集計関数は(明示的または暗黙的な)グループ化を行った場合にのみ使用できます。", "unifiedSearch.query.textBasedLanguagesEditor.comparisonOperators": "比較演算子", @@ -5109,6 +5548,12 @@ "unifiedSearch.switchLanguage.buttonText": "言語の切り替えボタン。", "unifiedSearch.triggers.updateFilterReferencesTrigger": "フィルター参照を更新", "unifiedSearch.triggers.updateFilterReferencesTriggerDescription": "フィルター参照を更新", + "userProfileComponents.userProfilesSelectable.limitReachedMessage": "最大{count, plural, other {# ユーザー}}を選択しました", + "userProfileComponents.userProfilesSelectable.selectedStatusMessage": "{count, plural, other {# ユーザーが選択されました}}", + "userProfileComponents.userProfilesSelectable.clearButtonLabel": "すべてのユーザーを削除", + "userProfileComponents.userProfilesSelectable.defaultOptionsLabel": "候補", + "userProfileComponents.userProfilesSelectable.nullOptionLabel": "ユーザーがありません", + "userProfileComponents.userProfilesSelectable.searchPlaceholder": "検索", "visDefaultEditor.agg.disableAggButtonTooltip": "{schemaTitle} {aggTitle} アグリゲーションを無効にする", "visDefaultEditor.agg.enableAggButtonTooltip": "{schemaTitle} {aggTitle} アグリゲーションを有効にする", "visDefaultEditor.agg.errorsAriaLabel": "{schemaTitle} {aggTitle} アグリゲーションにエラーがあります", @@ -5430,6 +5875,7 @@ "visTypeTimeseries.annotationsEditor.ignorePanelFiltersLabel": "パネルフィルターを無視しますか?", "visTypeTimeseries.annotationsEditor.queryStringLabel": "クエリ文字列", "visTypeTimeseries.annotationsEditor.rowTemplateLabel": "行テンプレート(必須)", + "visTypeTimeseries.annotationsEditor.timeFieldLabel": "時間フィールド", "visTypeTimeseries.calculateLabel.bucketScriptsLabel": "バケットスクリプト", "visTypeTimeseries.calculateLabel.countLabel": "カウント", "visTypeTimeseries.calculateLabel.filterRatioLabel": "フィルターレート", @@ -5559,6 +6005,7 @@ "visTypeTimeseries.indexPatternSelect.switchModePopover.areaLabel": "データビュー選択モードを構成", "visTypeTimeseries.indexPatternSelect.switchModePopover.title": "データビューモード", "visTypeTimeseries.indexPatternSelect.switchModePopover.useKibanaIndices": "Kibanaデータビューを使用", + "visTypeTimeseries.indexPatternSelect.updateIndex": "入力したデータビューで可視化を更新", "visTypeTimeseries.kbnVisTypes.metricsDescription": "時系列データの高度な分析を実行します。", "visTypeTimeseries.kbnVisTypes.metricsTitle": "TSVB", "visTypeTimeseries.lastValueModeIndicator.lastValue": "最終値", @@ -5969,6 +6416,7 @@ "visTypeVislib.vislib.tooltip.valueLabel": "値", "visTypeXy.controls.pointSeries.seriesAccordionAriaLabel": "{agg} オプションを切り替える", "visTypeXy.controls.pointSeries.valueAxes.toggleOptionsAriaLabel": "{axisName} オプションを切り替える", + "visTypeXy.allDocsTitle": "すべてのドキュメント", "visTypeXy.area.areaDescription": "軸と線の間のデータを強調します。", "visTypeXy.area.areaTitle": "エリア", "visTypeXy.area.groupTitle": "系列を分割", @@ -6224,517 +6672,126 @@ "xpack.actions.serverSideErrors.predefinedActionDeleteDisabled": "あらかじめ構成されたアクション{id}は削除できません。", "xpack.actions.serverSideErrors.predefinedActionUpdateDisabled": "あらかじめ構成されたアクション{id}は更新できません。", "xpack.actions.serverSideErrors.unavailableLicenseErrorMessage": "現時点でライセンス情報を入手できないため、アクションタイプ {actionTypeId} は無効です。", + "xpack.actions.subActionsFramework.urlValidationError": "URLの検証エラー:{message}", "xpack.actions.urlAllowedHostsConfigurationError": "ターゲット{field}「{value}」はKibana構成xpack.actions.allowedHostsに追加されていません", "xpack.actions.alertHistoryEsIndexConnector.name": "アラート履歴Elasticsearchインデックス", "xpack.actions.appName": "アクション", "xpack.actions.availableConnectorFeatures.alerting": "アラート", "xpack.actions.availableConnectorFeatures.cases": "ケース", + "xpack.actions.availableConnectorFeatures.compatibility.alertingRules": "アラートルール", + "xpack.actions.availableConnectorFeatures.compatibility.cases": "ケース", "xpack.actions.availableConnectorFeatures.securitySolution": "セキュリティソリューション", "xpack.actions.availableConnectorFeatures.uptime": "アップタイム", + "xpack.actions.builtin.cases.jiraTitle": "Jira", "xpack.actions.featureRegistry.actionsFeatureName": "アクションとコネクター", "xpack.actions.savedObjects.goToConnectorsButtonText": "コネクターに移動", "xpack.actions.serverSideErrors.unavailableLicenseInformationErrorMessage": "グラフを利用できません。現在ライセンス情報が利用できません。", - "xpack.stackConnectors.casesWebhook.configurationError": "ケースWebフックアクションの構成エラー:{err}", - "xpack.stackConnectors.casesWebhook.configurationErrorNoHostname": "ケースWebフックアクションの構成エラー:{url}を解析できません:{err}", - "xpack.stackConnectors.casesWebhook.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", - "xpack.stackConnectors.resilient.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", - "xpack.stackConnectors.serviceNow.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", - "xpack.stackConnectors.serviceNow.configuration.apiValidateMissingOAuthFieldError": "isOAuth = {isOAuth}のときには、{field}を指定する必要があります", - "xpack.stackConnectors.serviceNow.configuration.apiValidateOAuthFieldError": "isOAuth = {isOAuth}のときには、{field}を指定しないでください", - "xpack.stackConnectors.email.customViewInKibanaMessage": "このメッセージは Kibana によって送信されました。[{kibanaFooterLinkText}]({link})。", - "xpack.stackConnectors.jira.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", - "xpack.stackConnectors.pagerduty.invalidTimestampErrorMessage": "タイムスタンプ\"{timestamp}\"の解析エラー", - "xpack.stackConnectors.pagerduty.missingDedupkeyErrorMessage": "eventActionが「{eventAction}」のときにはDedupKeyが必要です", - "xpack.stackConnectors.pagerduty.configurationError": "pagerduty アクションの設定エラー:{message}", - "xpack.stackConnectors.pagerduty.postingRetryErrorMessage": "pagerduty イベントの投稿エラー:http status {status}、後ほど再試行", - "xpack.stackConnectors.pagerduty.postingUnexpectedErrorMessage": "pagerduty イベントの投稿エラー:予期せぬステータス {status}", - "xpack.stackConnectors.pagerduty.timestampParsingFailedErrorMessage": "タイムスタンプの解析エラー \"{timestamp}\":{message}", - "xpack.stackConnectors.slack.errorPostingRetryDateErrorMessage": "slack メッセージの投稿エラー、 {retryString} で再試行", - "xpack.stackConnectors.slack.configurationError": "slack アクションの設定エラー:{message}", - "xpack.stackConnectors.slack.unexpectedHttpResponseErrorMessage": "slack からの予期せぬ http 応答:{httpStatus} {httpStatusText}", - "xpack.stackConnectors.swimlane.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", - "xpack.stackConnectors.teams.errorPostingRetryDateErrorMessage": "Microsoft Teams メッセージの投稿エラーです。{retryString} に再試行します", - "xpack.stackConnectors.teams.configurationError": "Teams アクションの設定エラー:{message}", - "xpack.stackConnectors.webhook.invalidResponseRetryDateErrorMessage": "Webフックの呼び出しエラー、{retryString} に再試行", - "xpack.stackConnectors.webhook.configurationError": "Web フックアクションの構成中にエラーが発生:{message}", - "xpack.stackConnectors.webhook.configurationErrorNoHostname": "Webフックアクションの構成エラーです。URLを解析できません。{err}", - "xpack.stackConnectors.xmatters.postingRetryErrorMessage": "xMattersフローのトリガーエラー:HTTPステータス{status}。しばらくたってから再試行してください", - "xpack.stackConnectors.xmatters.unexpectedStatusErrorMessage": "xMattersフローのトリガーエラー:予期しないステータス{status}", - "xpack.stackConnectors.xmatters.configurationError": "xMattersアクションの設定エラー:{message}", - "xpack.stackConnectors.xmatters.configurationErrorNoHostname": "xMattersアクションの構成エラー:URLを解析できません:{err}", - "xpack.stackConnectors.xmatters.hostnameNotAllowed": "{message}", - "xpack.stackConnectors.xmatters.invalidUrlError": "無効なsecretsUrl:{err}", - "xpack.stackConnectors.casesWebhook.title": "Webフック - ケース管理", - "xpack.stackConnectors.jira.title": "Jira", - "xpack.stackConnectors.resilient.title": "IBM Resilient", - "xpack.stackConnectors.casesWebhook.invalidUsernamePassword": "ユーザーとパスワードの両方を指定する必要があります", - "xpack.stackConnectors.serviceNow.configuration.apiBasicAuthCredentialsError": "ユーザーとパスワードの両方を指定する必要があります", - "xpack.stackConnectors.serviceNow.configuration.apiCredentialsError": "基本認証資格情報またはOAuth資格情報を指定する必要があります。", - "xpack.stackConnectors.serviceNow.configuration.apiOAuthCredentialsError": "clientSecretおよびprivateKeyの両方を指定する必要があります", - "xpack.stackConnectors.email.errorSendingErrorMessage": "エラー送信メールアドレス", - "xpack.stackConnectors.email.kibanaFooterLinkText": "Kibana を開く", - "xpack.stackConnectors.email.sentByKibanaMessage": "このメッセージは Kibana によって送信されました。", - "xpack.stackConnectors.email.title": "メール", - "xpack.stackConnectors.esIndex.errorIndexingErrorMessage": "エラーインデックス作成ドキュメント", - "xpack.stackConnectors.esIndex.title": "インデックス", - "xpack.stackConnectors.pagerduty.postingErrorMessage": "pagerduty イベントの投稿エラー", - "xpack.stackConnectors.pagerduty.title": "PagerDuty", - "xpack.stackConnectors.serverLog.errorLoggingErrorMessage": "メッセージのロギングエラー", - "xpack.stackConnectors.serverLog.title": "サーバーログ", - "xpack.stackConnectors.serviceNowITOM.title": "ServiceNow ITOM", - "xpack.stackConnectors.serviceNowITSM.title": "ServiceNow ITSM", - "xpack.stackConnectors.serviceNowSIR.title": "ServiceNow SecOps", - "xpack.stackConnectors.serviceNow.title": "ServiceNow", - "xpack.stackConnectors.slack.errorPostingErrorMessage": "slack メッセージの投稿エラー", - "xpack.stackConnectors.slack.errorPostingRetryLaterErrorMessage": "slack メッセージの投稿エラー、後ほど再試行", - "xpack.stackConnectors.slack.configurationErrorNoHostname": "slack アクションの構成エラー:Web フック URL からホスト名をパースできません", - "xpack.stackConnectors.slack.unexpectedNullResponseErrorMessage": "Slack から予期せぬ null 応答", - "xpack.stackConnectors.slack.title": "Slack", - "xpack.stackConnectors.swimlane.title": "スイムレーン", - "xpack.stackConnectors.teams.errorPostingRetryLaterErrorMessage": "Microsoft Teams メッセージの投稿エラーです。しばらくたってから再試行します", - "xpack.stackConnectors.teams.invalidResponseErrorMessage": "Microsoft Teams への投稿エラーです。無効な応答です", - "xpack.stackConnectors.teams.configurationErrorNoHostname": "Teams アクションの構成エラー:Web フック URL からホスト名をパースできません", - "xpack.stackConnectors.teams.unreachableErrorMessage": "Microsoft Teams への投稿エラーです。予期しないエラーです", - "xpack.stackConnectors.teams.title": "Microsoft Teams", - "xpack.stackConnectors.webhook.invalidResponseErrorMessage": "Webフックの呼び出しエラー、無効な応答", - "xpack.stackConnectors.webhook.invalidResponseRetryLaterErrorMessage": "Webフックの呼び出しエラー、後ほど再試行", - "xpack.stackConnectors.webhook.invalidUsernamePassword": "ユーザーとパスワードの両方を指定する必要があります", - "xpack.stackConnectors.webhook.requestFailedErrorMessage": "Webフックの呼び出しエラー。要求が失敗しました", - "xpack.stackConnectors.webhook.unreachableErrorMessage": "webhookの呼び出しエラー、予期せぬエラー", - "xpack.stackConnectors.webhook.title": "Web フック", - "xpack.stackConnectors.xmatters.invalidUsernamePassword": "ユーザーとパスワードの両方を指定する必要があります。", - "xpack.stackConnectors.xmatters.missingConfigUrl": "有効なconfigUrlを指定してください", - "xpack.stackConnectors.xmatters.missingPassword": "有効なパスワードを指定してください", - "xpack.stackConnectors.xmatters.missingSecretsUrl": "有効なsecretsUrlとAPIキーを指定してください", - "xpack.stackConnectors.xmatters.missingUser": "有効なユーザー名を指定してください", - "xpack.stackConnectors.xmatters.noSecretsProvided": "認証するには、secretsUrlリンクまたはユーザー/パスワードを指定してください", - "xpack.stackConnectors.xmatters.noUserPassWhenSecretsUrl": "URL認証ではユーザー/パスワードを使用できません。有効なsecretsUrlを指定するか、基本認証を使用してください。", - "xpack.stackConnectors.xmatters.postingErrorMessage": "xMattersワークフローのトリガーエラー", - "xpack.stackConnectors.xmatters.shouldNotHaveConfigUrl": "usesBasicがfalseのときには、configUrlを指定しないでください", - "xpack.stackConnectors.xmatters.shouldNotHaveSecretsUrl": "usesBasicがtrueのときには、secretsUrlを指定しないでください", - "xpack.stackConnectors.xmatters.shouldNotHaveUsernamePassword": "usesBasicがfalseのときには、ユーザー名とパスワードを指定しないでください", - "xpack.stackConnectors.xmatters.title": "xMatters", - "xpack.stackConnectors.components.index.error.badIndexOverrideValue": "アラート履歴インデックスの先頭は\"{alertHistoryPrefix}\"でなければなりません。", - "xpack.stackConnectors.components.email.error.invalidEmail": "電子メールアドレス{email}が無効です。", - "xpack.stackConnectors.components.email.error.notAllowed": "電子メールアドレス{email}が許可されていません。", - "xpack.stackConnectors.components.index.preconfiguredIndexHelpText": "ドキュメントは{alertHistoryIndex}インデックスにインデックスされます。", - "xpack.stackConnectors.components.jira.unableToGetIssueMessage": "ID {id}の問題を取得できません", - "xpack.stackConnectors.components.pagerDuty.error.invalidTimestamp": "タイムスタンプは、{nowShortFormat}や{nowLongFormat}などの有効な日付でなければなりません。", - "xpack.stackConnectors.components.serviceNow.apiInfoError": "アプリケーション情報の取得を試みるときの受信ステータス:{status}", - "xpack.stackConnectors.components.serviceNow.appInstallationInfo": "{update} {create} ", - "xpack.stackConnectors.components.serviceNow.updateSuccessToastTitle": "{connectorName}コネクターが更新されました", - "xpack.stackConnectors.components.serviceNow.apiUrlHelpLabel": "任意のServiceNowインスタンスへの完全なURLを入力します。ない場合は、{instance}。", - "xpack.stackConnectors.components.serviceNow.appRunning": "更新を実行する前に、ServiceNowアプリストアからElasticアプリをインストールする必要があります。アプリをインストールするには、{visitLink}", - "xpack.stackConnectors.components.swimlane.unableToGetApplicationMessage": "id {id}のアプリケーションフィールドを取得できません", - "xpack.stackConnectors.components.casesWebhook.commentsTextAreaFieldLabel": "追加のコメント", - "xpack.stackConnectors.components.casesWebhook.descriptionTextAreaFieldLabel": "説明", - "xpack.stackConnectors.components.casesWebhook.tagsFieldLabel": "タグ", - "xpack.stackConnectors.components.casesWebhook.titleFieldLabel": "概要(必須)", - "xpack.stackConnectors.components.casesWebhook.addHeaderButton": "追加", - "xpack.stackConnectors.components.casesWebhook.addVariable": "変数を追加", - "xpack.stackConnectors.components.casesWebhook.authenticationLabel": "認証", - "xpack.stackConnectors.components.casesWebhook.caseCommentDesc": "Kibanaケースコメント", - "xpack.stackConnectors.components.casesWebhook.caseDescriptionDesc": "Kibanaケース説明", - "xpack.stackConnectors.components.casesWebhook.caseTagsDesc": "Kibanaケースタグ", - "xpack.stackConnectors.components.casesWebhook.caseTitleDesc": "Kibanaケースタイトル", - "xpack.stackConnectors.components.casesWebhook.createCommentJsonHelp": "コメントを作成するJSONオブジェクト。変数セレクターを使用して、ケースデータをペイロードに追加します。", - "xpack.stackConnectors.components.casesWebhook.createCommentJsonTextFieldLabel": "コメントオブジェクトを作成", - "xpack.stackConnectors.components.casesWebhook.createCommentMethodTextFieldLabel": "コメントメソッドを作成", - "xpack.stackConnectors.components.casesWebhook.createCommentUrlHelp": "コメントをケースに追加するためのAPI URL。", - "xpack.stackConnectors.components.casesWebhook.createCommentUrlTextFieldLabel": "コメントURLを作成", - "xpack.stackConnectors.components.casesWebhook.createIncidentJsonHelpText": "ケースを作成するJSONオブジェクト。変数セレクターを使用して、ケースデータをペイロードに追加します。", - "xpack.stackConnectors.components.casesWebhook.createIncidentJsonTextFieldLabel": "ケースオブジェクトを作成", - "xpack.stackConnectors.components.casesWebhook.createIncidentMethodTextFieldLabel": "ケースメソッドを作成", - "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyHelpText": "外部ケースIDを含むケース対応の作成のJSONキー", - "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyTextFieldLabel": "ケース対応ケースキーを作成", - "xpack.stackConnectors.components.casesWebhook.createIncidentUrlTextFieldLabel": "ケースURLを作成", - "xpack.stackConnectors.components.casesWebhook.deleteHeaderButton": "削除", - "xpack.stackConnectors.components.casesWebhook.docLink": "Webフックの構成 - ケース管理コネクター。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentIncidentText": "コメントオブジェクトの作成は有効なJSONでなければなりません。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentUrlText": "コメントURLの作成はURL形式でなければなりません。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentText": "ケースオブジェクトの作成は必須であり、有効なJSONでなければなりません。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateUrlText": "ケースURLの作成は必須です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentUrlText": "ケースURLの取得は必須です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateIncidentText": "ケースオブジェクトの更新は必須であり、有効なJSONでなければなりません。", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateUrlText": "ケースURLの更新は必須です。", - "xpack.stackConnectors.components.casesWebhook.externalIdDesc": "外部システムID", - "xpack.stackConnectors.components.casesWebhook.externalTitleDesc": "外部システムタイトル", - "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyHelp": "外部ケースタイトルを含むケース対応の取得のJSONキー", - "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyTextFieldLabel": "ケース対応の取得の外部タイトルキー", - "xpack.stackConnectors.components.casesWebhook.getIncidentUrlHelp": "外部システムからケース詳細JSONを取得するAPI URL。変数セレクターを使用して、外部システムIDをURLに追加します。", - "xpack.stackConnectors.components.casesWebhook.getIncidentUrlTextFieldLabel": "ケースURLを取得", - "xpack.stackConnectors.components.casesWebhook.hasAuthSwitchLabel": "この Web フックの認証が必要です", - "xpack.stackConnectors.components.casesWebhook.httpHeadersTitle": "使用中のヘッダー", - "xpack.stackConnectors.components.casesWebhook.jsonCodeEditorAriaLabel": "コードエディター", - "xpack.stackConnectors.components.casesWebhook.jsonFieldLabel": "JSON", - "xpack.stackConnectors.components.casesWebhook.keyTextFieldLabel": "キー", - "xpack.stackConnectors.components.casesWebhook.next": "次へ", - "xpack.stackConnectors.components.casesWebhook.passwordTextFieldLabel": "パスワード", - "xpack.stackConnectors.components.casesWebhook.previous": "前へ", - "xpack.stackConnectors.components.casesWebhook.selectMessageText": "ケース管理Webサービスにリクエストを送信します。", - "xpack.stackConnectors.components.casesWebhook.step1": "コネクターを設定", - "xpack.stackConnectors.components.casesWebhook.step2": "ケースを作成", - "xpack.stackConnectors.components.casesWebhook.step2Description": "外部システムでケースを作成するフィールドを設定します。必要なフィールドを判断するには、サービスのAPIドキュメントを確認してください", - "xpack.stackConnectors.components.casesWebhook.step3": "ケース情報を取得", - "xpack.stackConnectors.components.casesWebhook.step3Description": "外部システムでコメントをケースに追加するフィールドを設定します。一部のシステムでは、ケースでの更新の作成と同じメソッドの場合があります。必要なフィールドを判断するには、サービスのAPIドキュメントを確認してください。", - "xpack.stackConnectors.components.casesWebhook.step4": "コメントと更新", - "xpack.stackConnectors.components.casesWebhook.step4a": "ケースで更新を作成", - "xpack.stackConnectors.components.casesWebhook.step4aDescription": "外部システムでケースの更新を作成するフィールドを設定します。一部のシステムでは、ケースへのコメントの追加と同じメソッドの場合があります。", - "xpack.stackConnectors.components.casesWebhook.step4b": "ケースでコメントを追加", - "xpack.stackConnectors.components.casesWebhook.step4bDescription": "外部システムでコメントをケースに追加するフィールドを設定します。一部のシステムでは、ケースでの更新の作成と同じメソッドの場合があります。", - "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonHelpl": "ケースを更新するJSONオブジェクト。変数セレクターを使用して、ケースデータをペイロードに追加します。", - "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonTextFieldLabel": "ケースオブジェクトを更新", - "xpack.stackConnectors.components.casesWebhook.updateIncidentMethodTextFieldLabel": "ケースメソッドを更新", - "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlHelp": "ケースを更新するAPI URL。", - "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlTextFieldLabel": "ケースURLを更新", - "xpack.stackConnectors.components.casesWebhook.userTextFieldLabel": "ユーザー名", - "xpack.stackConnectors.components.casesWebhook.valueTextFieldLabel": "値", - "xpack.stackConnectors.components.casesWebhook.viewHeadersSwitch": "HTTP ヘッダーを追加", - "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlHelp": "外部システムでケースを表示するURL。変数セレクターを使用して、外部システムIDまたは外部システムタイトルをURLに追加します。", - "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlTextFieldLabel": "外部ケース表示URL", - "xpack.stackConnectors.components.serviceNow.requiredShortDescTextField": "短い説明が必要です。", - "xpack.stackConnectors.components.email.exchangeForm.clientIdHelpLabel": "クライアントIDの構成", - "xpack.stackConnectors.components.email.exchangeForm.clientSecretHelpLabel": "クライアントシークレットの構成", - "xpack.stackConnectors.components.email.exchangeForm.tenantIdHelpLabel": "テナントIDの構成", - "xpack.stackConnectors.components.email.connectorTypeTitle": "メールに送信", - "xpack.stackConnectors.components.email.amazonSesServerTypeLabel": "Amazon SES", - "xpack.stackConnectors.components.email.configureAccountsHelpLabel": "電子メールアカウントの構成", - "xpack.stackConnectors.components.email.elasticCloudServerTypeLabel": "Elastic Cloud", - "xpack.stackConnectors.components.email.exchangeServerTypeLabel": "MS Exchange Server", - "xpack.stackConnectors.components.email.gmailServerTypeLabel": "Gmail", - "xpack.stackConnectors.components.email.otherServerTypeLabel": "その他", - "xpack.stackConnectors.components.email.outlookServerTypeLabel": "Outlook", - "xpack.stackConnectors.components.email.selectMessageText": "サーバーからメールを送信します。", - "xpack.stackConnectors.components.email.updateErrorNotificationText": "サービス構成を取得できません", - "xpack.stackConnectors.components.index.error.badIndexOverrideSuffix": "アラート履歴インデックスには有効なサフィックスを含める必要があります。", - "xpack.stackConnectors.components.email.error.invalidPortText": "ポートが無効です。", - "xpack.stackConnectors.components.email.error.requiredAuthUserNameText": "ユーザー名が必要です。", - "xpack.stackConnectors.components.email.error.requiredClientIdText": "クライアントIDは必須です。", - "xpack.stackConnectors.components.index.error.requiredDocumentJson": "ドキュメントが必要です。有効なJSONオブジェクトにしてください。", - "xpack.stackConnectors.components.email.error.requiredEntryText": "To、Cc、または Bcc のエントリーがありません。 1 つ以上のエントリーが必要です。", - "xpack.stackConnectors.components.email.error.requiredFromText": "送信元が必要です。", - "xpack.stackConnectors.components.email.error.requiredHostText": "ホストが必要です。", - "xpack.stackConnectors.components.email.error.requiredMessageText": "メッセージが必要です。", - "xpack.stackConnectors.components.email.error.requiredPortText": "ポートが必要です。", - "xpack.stackConnectors.components.serverLog.error.requiredServerLogMessageText": "メッセージが必要です。", - "xpack.stackConnectors.components.email.error.requiredServiceText": "サービスは必須です。", - "xpack.stackConnectors.components.email.error.requiredSubjectText": "件名が必要です。", - "xpack.stackConnectors.components.email.error.requiredTenantIdText": "テナントIDは必須です。", - "xpack.stackConnectors.components.webhook.error.requiredWebhookBodyText": "本文が必要です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredWebhookSummaryText": "タイトルが必要です。", - "xpack.stackConnectors.components.index.connectorTypeTitle": "データをインデックスする", - "xpack.stackConnectors.components.index.configureIndexHelpLabel": "インデックスコネクターを構成しています。", - "xpack.stackConnectors.components.index.connectorSectionTitle": "インデックスを書き出す", - "xpack.stackConnectors.components.index.definedateFieldTooltip": "この時間フィールドをドキュメントにインデックスが作成された時刻に設定します。", - "xpack.stackConnectors.components.index.defineTimeFieldLabel": "各ドキュメントの時刻フィールドを定義", - "xpack.stackConnectors.components.index.documentsFieldLabel": "インデックスするドキュメント", - "xpack.stackConnectors.components.index.error.notValidIndexText": "インデックスは有効ではありません。", - "xpack.stackConnectors.components.index.executionTimeFieldLabel": "時間フィールド", - "xpack.stackConnectors.components.index.howToBroadenSearchQueryDescription": "* で検索クエリの範囲を広げます。", - "xpack.stackConnectors.components.index.indexDocumentHelpLabel": "インデックスドキュメントの例。", - "xpack.stackConnectors.components.index.indicesToQueryLabel": "インデックス", - "xpack.stackConnectors.components.index.jsonDocAriaLabel": "コードエディター", - "xpack.stackConnectors.components.index.preconfiguredIndex": "Elasticsearchインデックス", - "xpack.stackConnectors.components.index.preconfiguredIndexDocLink": "ドキュメントを表示します。", - "xpack.stackConnectors.components.index.refreshLabel": "更新インデックス", - "xpack.stackConnectors.components.index.refreshTooltip": "影響を受けるシャードを更新し、この処理を検索できるようにします。", - "xpack.stackConnectors.components.index.selectMessageText": "データを Elasticsearch にインデックスしてください。", - "xpack.stackConnectors.components.jira.connectorTypeTitle": "Jira", - "xpack.stackConnectors.components.jira.apiTokenTextFieldLabel": "APIトークン", - "xpack.stackConnectors.components.jira.apiUrlTextFieldLabel": "URL", - "xpack.stackConnectors.components.jira.commentsTextAreaFieldLabel": "追加のコメント", - "xpack.stackConnectors.components.jira.descriptionTextAreaFieldLabel": "説明", - "xpack.stackConnectors.components.jira.emailTextFieldLabel": "メールアドレス", - "xpack.stackConnectors.components.jira.impactSelectFieldLabel": "ラベル", - "xpack.stackConnectors.components.jira.labelsSpacesErrorMessage": "ラベルにはスペースを使用できません。", - "xpack.stackConnectors.components.jira.parentIssueSearchLabel": "親問題", - "xpack.stackConnectors.components.jira.projectKey": "プロジェクトキー", - "xpack.stackConnectors.components.jira.requiredSummaryTextField": "概要が必要です。", - "xpack.stackConnectors.components.jira.searchIssuesComboBoxAriaLabel": "入力して検索", - "xpack.stackConnectors.components.jira.searchIssuesComboBoxPlaceholder": "入力して検索", - "xpack.stackConnectors.components.jira.searchIssuesLoading": "読み込み中...", - "xpack.stackConnectors.components.jira.selectMessageText": "Jira でインシデントを作成します。", - "xpack.stackConnectors.components.jira.severitySelectFieldLabel": "優先度", - "xpack.stackConnectors.components.jira.summaryFieldLabel": "概要(必須)", - "xpack.stackConnectors.components.jira.unableToGetFieldsMessage": "フィールドを取得できません", - "xpack.stackConnectors.components.jira.unableToGetIssuesMessage": "問題を取得できません", - "xpack.stackConnectors.components.jira.unableToGetIssueTypesMessage": "問題タイプを取得できません", - "xpack.stackConnectors.components.jira.urgencySelectFieldLabel": "問題タイプ", - "xpack.stackConnectors.components.pagerDuty.connectorTypeTitle": "PagerDuty に送信", - "xpack.stackConnectors.components.pagerDuty.apiUrlInvalid": "無効なAPI URL", - "xpack.stackConnectors.components.pagerDuty.apiUrlTextFieldLabel": "API URL(任意)", - "xpack.stackConnectors.components.pagerDuty.classFieldLabel": "クラス(任意)", - "xpack.stackConnectors.components.pagerDuty.componentTextFieldLabel": "コンポーネント(任意)", - "xpack.stackConnectors.components.pagerDuty.dedupKeyTextFieldLabel": "DedupKey(任意)", - "xpack.stackConnectors.components.pagerDuty.dedupKeyTextRequiredFieldLabel": "DedupKey", - "xpack.stackConnectors.components.pagerDuty.error.requiredDedupKeyText": "インシデントを解決または確認するときには、DedupKeyが必要です。", - "xpack.stackConnectors.components.pagerDuty.error.requiredRoutingKeyText": "統合キー/ルーティングキーが必要です。", - "xpack.stackConnectors.components.pagerDuty.error.requiredSummaryText": "概要が必要です。", - "xpack.stackConnectors.components.pagerDuty.eventActionSelectFieldLabel": "イベントアクション", - "xpack.stackConnectors.components.pagerDuty.eventSelectAcknowledgeOptionLabel": "承認", - "xpack.stackConnectors.components.pagerDuty.eventSelectResolveOptionLabel": "解決", - "xpack.stackConnectors.components.pagerDuty.eventSelectTriggerOptionLabel": "トリガー", - "xpack.stackConnectors.components.pagerDuty.groupTextFieldLabel": "グループ(任意)", - "xpack.stackConnectors.components.pagerDuty.routingKeyNameHelpLabel": "PagerDuty アカウントを構成します", - "xpack.stackConnectors.components.pagerDuty.routingKeyTextFieldLabel": "統合キー", - "xpack.stackConnectors.components.pagerDuty.selectMessageText": "PagerDuty でイベントを送信します。", - "xpack.stackConnectors.components.pagerDuty.severitySelectCriticalOptionLabel": "重大", - "xpack.stackConnectors.components.pagerDuty.severitySelectErrorOptionLabel": "エラー", - "xpack.stackConnectors.components.pagerDuty.severitySelectFieldLabel": "重要度(任意)", - "xpack.stackConnectors.components.pagerDuty.severitySelectInfoOptionLabel": "情報", - "xpack.stackConnectors.components.pagerDuty.severitySelectWarningOptionLabel": "警告", - "xpack.stackConnectors.components.pagerDuty.sourceTextFieldLabel": "ソース(任意)", - "xpack.stackConnectors.components.pagerDuty.summaryFieldLabel": "まとめ", - "xpack.stackConnectors.components.pagerDuty.timestampTextFieldLabel": "タイムスタンプ(任意)", - "xpack.stackConnectors.components.resilient.connectorTypeTitle": "Resilient", - "xpack.stackConnectors.components.resilient.apiKeyId": "APIキーID", - "xpack.stackConnectors.components.resilient.apiKeySecret": "APIキーシークレット", - "xpack.stackConnectors.components.resilient.apiUrlTextFieldLabel": "URL", - "xpack.stackConnectors.components.resilient.commentsTextAreaFieldLabel": "追加のコメント", - "xpack.stackConnectors.components.resilient.descriptionTextAreaFieldLabel": "説明", - "xpack.stackConnectors.components.resilient.nameFieldLabel": "名前(必須)", - "xpack.stackConnectors.components.resilient.orgId": "組織 ID", - "xpack.stackConnectors.components.resilient.requiredNameTextField": "名前が必要です。", - "xpack.stackConnectors.components.resilient.selectMessageText": "IBM Resilient でインシデントを作成します。", - "xpack.stackConnectors.components.resilient.severity": "深刻度", - "xpack.stackConnectors.components.resilient.unableToGetIncidentTypesMessage": "インシデントタイプを取得できません", - "xpack.stackConnectors.components.resilient.unableToGetSeverityMessage": "深刻度を取得できません", - "xpack.stackConnectors.components.resilient.urgencySelectFieldLabel": "インシデントタイプ", - "xpack.stackConnectors.components.serverLog.connectorTypeTitle": "サーバーログに送信", - "xpack.stackConnectors.components.serverLog.logLevelFieldLabel": "レベル", - "xpack.stackConnectors.components.serverLog.logMessageFieldLabel": "メッセージ", - "xpack.stackConnectors.components.serverLog.selectMessageText": "Kibana ログにメッセージを追加します。", - "xpack.stackConnectors.components.serviceNow.apiUrlTextFieldLabel": "ServiceNowインスタンスURL", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout": "Elastic ServiceNowアプリがインストールされていません", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.content": "ServiceNowアプリストアに移動し、アプリケーションをインストールしてください", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.errorMessage": "エラーメッセージ", - "xpack.stackConnectors.components.serviceNow.authenticationLabel": "認証", - "xpack.stackConnectors.components.serviceNow.cancelButtonText": "キャンセル", - "xpack.stackConnectors.components.serviceNow.categoryTitle": "カテゴリー", - "xpack.stackConnectors.components.serviceNow.clientIdTextFieldLabel": "クライアントID", - "xpack.stackConnectors.components.serviceNow.clientSecretTextFieldLabel": "クライアントシークレット", - "xpack.stackConnectors.components.serviceNow.commentsTextAreaFieldLabel": "追加のコメント", - "xpack.stackConnectors.components.serviceNow.confirmButtonText": "更新", - "xpack.stackConnectors.components.serviceNow.correlationDisplay": "相関関係表示(オプション)", - "xpack.stackConnectors.components.serviceNow.correlationID": "相関関係ID(オプション)", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutCreate": "または新規作成します。", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutMigrate": "このコネクターを更新します", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutTitle": "このコネクターは廃止予定です", - "xpack.stackConnectors.components.serviceNow.descriptionTextAreaFieldLabel": "説明", - "xpack.stackConnectors.components.serviceNow.eventClassTextAreaFieldLabel": "ソースインスタンス", - "xpack.stackConnectors.components.serviceNow.fetchErrorMsg": "取得できませんでした。ServiceNowインスタンスのURLまたはCORS公正を確認します。", - "xpack.stackConnectors.components.serviceNow.impactSelectFieldLabel": "インパクト", - "xpack.stackConnectors.components.serviceNow.installationCalloutTitle": "このコネクターを使用するには、まずServiceNowアプリストアからElasticアプリをインストールします。", - "xpack.stackConnectors.components.serviceNow.invalidApiUrlTextField": "URL が無効です。", - "xpack.stackConnectors.components.serviceNow.keyIdTextFieldLabel": "JWT VerifierキーID", - "xpack.stackConnectors.components.serviceNow.messageKeyTextAreaFieldLabel": "メッセージキー", - "xpack.stackConnectors.components.serviceNow.metricNameTextAreaFieldLabel": "メトリック名", - "xpack.stackConnectors.components.serviceNow.nodeTextAreaFieldLabel": "ノード", - "xpack.stackConnectors.components.serviceNow.passwordTextFieldLabel": "パスワード", - "xpack.stackConnectors.components.serviceNow.prioritySelectFieldLabel": "優先度", - "xpack.stackConnectors.components.serviceNow.privateKeyPassLabelHelpText": "これは、秘密鍵でパスワードを設定した場合にのみ必要です", - "xpack.stackConnectors.components.serviceNow.privateKeyPassTextFieldLabel": "秘密鍵パスワード", - "xpack.stackConnectors.components.serviceNow.privateKeyTextFieldLabel": "秘密鍵", - "xpack.stackConnectors.components.serviceNow.requiredClientIdTextField": "クライアントIDは必須です。", - "xpack.stackConnectors.components.serviceNow.requiredKeyIdTextField": "JWT VerifierキーIDは必須です。", - "xpack.stackConnectors.components.serviceNow.requiredPrivateKeyTextField": "秘密鍵は必須です。", - "xpack.stackConnectors.components.serviceNow.requiredSeverityTextField": "重要度は必須です。", - "xpack.stackConnectors.components.serviceNow.requiredUserIdentifierTextField": "ユーザーIDは必須です。", - "xpack.stackConnectors.components.serviceNow.requiredUsernameTextField": "ユーザー名が必要です。", - "xpack.stackConnectors.components.serviceNow.resourceTextAreaFieldLabel": "リソース", - "xpack.stackConnectors.components.serviceNow.setupDevInstance": "開発者インスタンスを設定", - "xpack.stackConnectors.components.serviceNow.severityRequiredSelectFieldLabel": "重要度(必須)", - "xpack.stackConnectors.components.serviceNow.severitySelectFieldLabel": "深刻度", - "xpack.stackConnectors.components.serviceNow.snInstanceLabel": "ServiceNowインスタンス", - "xpack.stackConnectors.components.serviceNow.sourceTextAreaFieldLabel": "送信元", - "xpack.stackConnectors.components.serviceNow.subcategoryTitle": "サブカテゴリー", - "xpack.stackConnectors.components.serviceNow.title": "インシデント", - "xpack.stackConnectors.components.serviceNow.titleFieldLabel": "短い説明(必須)", - "xpack.stackConnectors.components.serviceNow.typeTextAreaFieldLabel": "型", - "xpack.stackConnectors.components.serviceNow.unableToGetChoicesMessage": "選択肢を取得できません", - "xpack.stackConnectors.components.serviceNow.unknown": "不明", - "xpack.stackConnectors.components.serviceNow.updateCalloutText": "コネクターが更新されました。", - "xpack.stackConnectors.components.serviceNow.updateFormCredentialsTitle": "認証資格情報を入力", - "xpack.stackConnectors.components.serviceNow.updateFormInstallTitle": "Elastic ServiceNowアプリをインストール", - "xpack.stackConnectors.components.serviceNow.updateFormTitle": "ServiceNowコネクターを更新", - "xpack.stackConnectors.components.serviceNow.updateFormUrlTitle": "ServiceNowインスタンスURLを入力", - "xpack.stackConnectors.components.serviceNow.urgencySelectFieldLabel": "緊急", - "xpack.stackConnectors.components.serviceNow.useOAuth": "OAuth認証を使用", - "xpack.stackConnectors.components.serviceNow.userEmailTextFieldLabel": "ユーザーID", - "xpack.stackConnectors.components.serviceNow.usernameTextFieldLabel": "ユーザー名", - "xpack.stackConnectors.components.serviceNow.visitSNStore": "ServiceNowアプリストアにアクセス", - "xpack.stackConnectors.components.serviceNow.warningMessage": "このコネクターのすべてのインスタンスが更新され、元に戻せません。", - "xpack.stackConnectors.components.serviceNow.correlationIDHelpLabel": "インシデントを更新するID", - "xpack.stackConnectors.components.serviceNowITOM.connectorTypeTitle": "ServiceNow ITOM", - "xpack.stackConnectors.components.serviceNowITOM.event": "イベント", - "xpack.stackConnectors.components.serviceNowITOM.selectMessageText": "ServiceNow ITOMでイベントを作成します。", - "xpack.stackConnectors.components.serviceNowITSM.connectorTypeTitle": "ServiceNow ITSM", - "xpack.stackConnectors.components.serviceNowITSM.selectMessageText": "ServiceNow ITSMでインシデントを作成します。", - "xpack.stackConnectors.components.serviceNowSIR.connectorTypeTitle": "ServiceNow SecOps", - "xpack.stackConnectors.components.serviceNowSIR.selectMessageText": "ServiceNow SecOpsでインシデントを作成します。", - "xpack.stackConnectors.components.serviceNowSIR.title": "セキュリティインシデント", - "xpack.stackConnectors.components.serviceNowSIR.correlationIDHelpLabel": "インシデントを更新するID", - "xpack.stackConnectors.components.slack.connectorTypeTitle": "Slack に送信", - "xpack.stackConnectors.components.slack.error.invalidWebhookUrlText": "Web フック URL が無効です。", - "xpack.stackConnectors.components.slack.messageTextAreaFieldLabel": "メッセージ", - "xpack.stackConnectors.components.slack.selectMessageText": "Slack チャネルにメッセージを送信します。", - "xpack.stackConnectors.components.slack.webhookUrlHelpLabel": "Slack Web フック URL を作成", - "xpack.stackConnectors.components.slack.webhookUrlTextFieldLabel": "Web フック URL", - "xpack.stackConnectors.components.swimlane.unableToGetApplicationFieldsMessage": "アプリケーションフィールドを取得できません", - "xpack.stackConnectors.components.swimlane.connectorTypeTitle": "Swimlaneレコードを作成", - "xpack.stackConnectors.components.swimlane.alertIdFieldLabel": "アラートID", - "xpack.stackConnectors.components.swimlane.apiTokenNameHelpLabel": "Swimlane APIトークンを指定", - "xpack.stackConnectors.components.swimlane.apiTokenTextFieldLabel": "APIトークン", - "xpack.stackConnectors.components.swimlane.apiUrlTextFieldLabel": "API Url", - "xpack.stackConnectors.components.swimlane.appIdTextFieldLabel": "アプリケーションID", - "xpack.stackConnectors.components.swimlane.caseIdFieldLabel": "ケースID", - "xpack.stackConnectors.components.swimlane.caseNameFieldLabel": "ケース名", - "xpack.stackConnectors.components.swimlane.commentsFieldLabel": "コメント", - "xpack.stackConnectors.components.swimlane.configureConnectionLabel": "API接続を構成", - "xpack.stackConnectors.components.swimlane.connectorType": "コネクタータイプ", - "xpack.stackConnectors.components.swimlane.descriptionFieldLabel": "説明", - "xpack.stackConnectors.components.swimlane.emptyMappingWarningDesc": "このコネクターを選択できません。必要なアラートフィールドマッピングがありません。このコネクターを編集して、必要なフィールドマッピングを追加するか、タイプがアラートのコネクターを選択できます。", - "xpack.stackConnectors.components.swimlane.emptyMappingWarningTitle": "このコネクターにはフィールドマッピングがありません。", - "xpack.stackConnectors.components.swimlane.error.requiredAlertID": "アラートIDは必須です。", - "xpack.stackConnectors.components.swimlane.error.requiredAppIdText": "アプリIDは必須です。", - "xpack.stackConnectors.components.swimlane.error.requiredCaseID": "ケースIDは必須です。", - "xpack.stackConnectors.components.swimlane.error.requiredCaseName": "ケース名は必須です。", - "xpack.stackConnectors.components.swimlane.error.requiredComments": "コメントは必須です。", - "xpack.stackConnectors.components.swimlane.error.requiredDescription": "説明が必要です。", - "xpack.stackConnectors.components.swimlane.error.requiredRuleName": "ルール名は必須です。", - "xpack.stackConnectors.components.swimlane.error.requiredSeverity": "重要度は必須です。", - "xpack.stackConnectors.components.swimlane.invalidApiUrlTextField": "URL が無効です。", - "xpack.stackConnectors.components.swimlane.mappingTitleTextFieldLabel": "フィールドマッピングを構成", - "xpack.stackConnectors.components.swimlane.nextStep": "次へ", - "xpack.stackConnectors.components.swimlane.nextStepHelpText": "フィールドマッピングが構成されていない場合、Swimlaneコネクタータイプはすべてに設定されます。", - "xpack.stackConnectors.components.swimlane.prevStep": "戻る", - "xpack.stackConnectors.components.swimlane.ruleNameFieldLabel": "ルール名", - "xpack.stackConnectors.components.swimlane.selectMessageText": "Swimlaneでレコードを作成", - "xpack.stackConnectors.components.swimlane.severityFieldLabel": "深刻度", - "xpack.stackConnectors.components.teams.connectorTypeTitle": "メッセージを Microsoft Teams チャネルに送信します。", - "xpack.stackConnectors.components.teams.error.invalidWebhookUrlText": "Web フック URL が無効です。", - "xpack.stackConnectors.components.teams.error.requiredMessageText": "メッセージが必要です。", - "xpack.stackConnectors.components.teams.error.webhookUrlTextLabel": "Web フック URL", - "xpack.stackConnectors.components.teams.messageTextAreaFieldLabel": "メッセージ", - "xpack.stackConnectors.components.teams.selectMessageText": "メッセージを Microsoft Teams チャネルに送信します。", - "xpack.stackConnectors.components.teams.webhookUrlHelpLabel": "Microsoft Teams Web フック URL を作成", - "xpack.stackConnectors.components.webhook.connectorTypeTitle": "Web フックデータ", - "xpack.stackConnectors.components.webhook.addHeaderButtonLabel": "ヘッダーを追加", - "xpack.stackConnectors.components.webhook.authenticationLabel": "認証", - "xpack.stackConnectors.components.webhook.bodyCodeEditorAriaLabel": "コードエディター", - "xpack.stackConnectors.components.webhook.bodyFieldLabel": "本文", - "xpack.stackConnectors.components.webhook.error.invalidUrlTextField": "URL が無効です。", - "xpack.stackConnectors.components.webhook.hasAuthSwitchLabel": "この Web フックの認証が必要です", - "xpack.stackConnectors.components.webhook.headerKeyTextFieldLabel": "キー", - "xpack.stackConnectors.components.webhook.headerValueTextFieldLabel": "値", - "xpack.stackConnectors.components.webhook.methodTextFieldLabel": "メソド", - "xpack.stackConnectors.components.webhook.passwordTextFieldLabel": "パスワード", - "xpack.stackConnectors.components.webhook.removeHeaderIconLabel": "キー", - "xpack.stackConnectors.components.webhook.selectMessageText": "Web サービスにリクエストを送信してください。", - "xpack.stackConnectors.components.webhook.urlTextFieldLabel": "URL", - "xpack.stackConnectors.components.webhook.userTextFieldLabel": "ユーザー名", - "xpack.stackConnectors.components.webhook.viewHeadersSwitch": "HTTP ヘッダーを追加", - "xpack.stackConnectors.components.xmatters.connectorTypeTitle": "xMattersデータ", - "xpack.stackConnectors.components.xmatters.authenticationLabel": "認証", - "xpack.stackConnectors.components.xmatters.basicAuthButtonGroupLegend": "基本認証", - "xpack.stackConnectors.components.xmatters.basicAuthLabel": "基本認証", - "xpack.stackConnectors.components.xmatters.connectorSettingsLabel": "xMattersトリガーを設定するときに使用される認証方法を選択します。", - "xpack.stackConnectors.components.xmatters.error.invalidUrlTextField": "URL が無効です。", - "xpack.stackConnectors.components.xmatters.error.invalidUsernameTextField": "ユーザー名が無効です。", - "xpack.stackConnectors.components.xmatters.error.requiredUrlText": "URL が必要です。", - "xpack.stackConnectors.components.xmatters.initiationUrlHelpText": "完全なxMatters URLを含めます。", - "xpack.stackConnectors.components.xmatters.passwordTextFieldLabel": "パスワード", - "xpack.stackConnectors.components.xmatters.selectMessageText": "xMattersワークフローをトリガーします。", - "xpack.stackConnectors.components.xmatters.severity": "深刻度", - "xpack.stackConnectors.components.xmatters.severitySelectCriticalOptionLabel": "重大", - "xpack.stackConnectors.components.xmatters.severitySelectHighOptionLabel": "高", - "xpack.stackConnectors.components.xmatters.severitySelectLowOptionLabel": "低", - "xpack.stackConnectors.components.xmatters.severitySelectMediumOptionLabel": "中", - "xpack.stackConnectors.components.xmatters.severitySelectMinimalOptionLabel": "最小", - "xpack.stackConnectors.components.xmatters.tags": "タグ", - "xpack.stackConnectors.components.xmatters.urlAuthLabel": "URL認証", - "xpack.stackConnectors.components.xmatters.urlLabel": "開始URL", - "xpack.stackConnectors.components.xmatters.userCredsLabel": "ユーザー認証情報", - "xpack.stackConnectors.components.xmatters.userTextFieldLabel": "ユーザー名", - "xpack.stackConnectors.components.casesWebhook.createCommentWarningDesc": "コメントを外部で共有するには、コネクターの[コメントURLを作成]および[コメントオブジェクトを作成]フィールドを構成します。", - "xpack.stackConnectors.components.casesWebhook.createCommentWarningTitle": "ケースコメントを共有できません", - "xpack.stackConnectors.components.serviceNow.deprecatedTooltipTitle": "廃止予定のコネクター", - "xpack.stackConnectors.components.casesWebhook.error.requiredAuthUserNameText": "ユーザー名が必要です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentMethodText": "コメントメソッドを作成は必須です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentResponseKeyText": "ケース対応の作成ケースIDキーが必要です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateMethodText": "ケースメソッドの作成は必須です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseCreatedKeyText": "ケース対応の取得の作成日キーが必要です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseExternalTitleKeyText": "ケース対応の取得の外部タイトルキーが必要です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseUpdatedKeyText": "ケース対応の取得の更新日キーが必要です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentViewUrlKeyText": "ケースURLの表示は必須です。", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateMethodText": "ケースメソッドの更新は必須です。", - "xpack.stackConnectors.components.webhook.error.requiredAuthUserNameText": "ユーザー名が必要です。", - "xpack.stackConnectors.components.webhook.error.requiredMethodText": "メソッドが必要です。", - "xpack.stackConnectors.components.email.addBccButton": "Bcc", - "xpack.stackConnectors.components.email.addCcButton": "Cc", - "xpack.stackConnectors.components.email.authenticationLabel": "認証", - "xpack.stackConnectors.components.email.clientIdFieldLabel": "クライアントID", - "xpack.stackConnectors.components.email.clientSecretTextFieldLabel": "クライアントシークレット", - "xpack.stackConnectors.components.email.fromTextFieldLabel": "送信元", - "xpack.stackConnectors.components.email.hasAuthSwitchLabel": "このサーバーの認証が必要です", - "xpack.stackConnectors.components.email.hostTextFieldLabel": "ホスト", - "xpack.stackConnectors.components.email.messageTextAreaFieldLabel": "メッセージ", - "xpack.stackConnectors.components.email.passwordFieldLabel": "パスワード", - "xpack.stackConnectors.components.email.portTextFieldLabel": "ポート", - "xpack.stackConnectors.components.email.recipientBccTextFieldLabel": "Bcc", - "xpack.stackConnectors.components.email.recipientCopyTextFieldLabel": "Cc", - "xpack.stackConnectors.components.email.recipientTextFieldLabel": "終了:", - "xpack.stackConnectors.components.email.secureSwitchLabel": "セキュア", - "xpack.stackConnectors.components.email.serviceTextFieldLabel": "サービス", - "xpack.stackConnectors.components.email.subjectTextFieldLabel": "件名", - "xpack.stackConnectors.components.email.tenantIdFieldLabel": "テナントID", - "xpack.stackConnectors.components.email.userTextFieldLabel": "ユーザー名", - "xpack.stackConnectors.components.index.resetDefaultIndexLabel": "デフォルトのインデックスをリセット", + "xpack.aiops.analysis.errorCallOutTitle": "次の{errorCount, plural, other {エラー}}が分析の実行中に発生しました。", "xpack.aiops.explainLogRateSpikes.loadingState.identifiedFieldCandidates": "{fieldCandidatesCount, plural, other {# 個のフィールド候補}}が特定されました。", - "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationTitle": "データビュー{dataViewTitle}は時系列に基づいていません", + "xpack.aiops.explainLogRateSpikes.loadingState.identifiedFieldValuePairs": "{fieldValuePairsCount, plural, other {# 個の重要なフィールド/値のペア}}が特定されました。", + "xpack.aiops.index.dataLoader.internalServerErrorMessage": "インデックス {index} のデータの読み込み中にエラーが発生。{message}。リクエストがタイムアウトした可能性があります。小さなサンプルサイズを使うか、時間範囲を狭めてみてください。", + "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationTitle": "データビュー\"{dataViewTitle}\"は時系列に基づいていません。", "xpack.aiops.index.errorLoadingDataMessage": "インデックス {index} のデータの読み込み中にエラーが発生。{message}。", + "xpack.aiops.index.pageRefreshResetButton": "{defaultInterval}に設定", "xpack.aiops.progressTitle": "進行状況:{progress}% — {progressMessage}", "xpack.aiops.searchPanel.totalDocCountLabel": "合計ドキュメント数:{strongTotalCount}", "xpack.aiops.searchPanel.totalDocCountNumber": "{totalCount, plural, other {#}}", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldNameLabel": "フィールド名", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldValueLabel": "フィールド値", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabel": "インパクト", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabelColumnTooltip": "メッセージレート差異に対するフィールドの影響のレベル", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateColumnTooltip": "メッセージレート差異に対するフィールドの影響の視覚的な表示", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateLabel": "ログレート", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueColumnTooltip": "値の頻度の変化の有意性。値が小さいほど、変化が大きいことを示します。", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueLabel": "p値", + "xpack.aiops.cancelAnalysisButtonTitle": "キャンセル", + "xpack.aiops.changePointDetection.fetchErrorTitle": "変化点を取得できませんでした", + "xpack.aiops.changePointDetection.noChangePointsFoundMessage": "時間範囲を延長するか、クエリを更新してください", + "xpack.aiops.changePointDetection.noChangePointsFoundTitle": "変化点が見つかりません", + "xpack.aiops.changePointDetection.notResultsWarning": "変化点の集約結果警告", + "xpack.aiops.changePointDetection.progressBarLabel": "変化点を取得しています", + "xpack.aiops.changePointDetection.selectFunctionLabel": "関数", + "xpack.aiops.changePointDetection.selectMetricFieldLabel": "メトリックフィールド", + "xpack.aiops.changePointDetection.selectSpitFieldLabel": "フィールドの分割", "xpack.aiops.correlations.highImpactText": "高", "xpack.aiops.correlations.lowImpactText": "低", "xpack.aiops.correlations.mediumImpactText": "中", + "xpack.aiops.correlations.spikeAnalysisTableGroups.docCountLabel": "ドキュメントカウント", "xpack.aiops.correlations.veryLowImpactText": "非常に低い", "xpack.aiops.dataGrid.field.documentCountChart.seriesLabel": "ドキュメントカウント", "xpack.aiops.dataGrid.field.documentCountChartSplit.seriesLabel": "他のドキュメントカウント", + "xpack.aiops.datePicker.shortRefreshIntervalTimeFilterWarningMessage": "詳細設定の更新間隔が機械学習でサポートされている最小値よりも短くなっています。", + "xpack.aiops.datePicker.shortRefreshIntervalURLWarningMessage": "URLの更新間隔が機械学習でサポートされている最小値よりも短くなっています。", + "xpack.aiops.documentCountChart.baselineBadgeLabel": "ベースライン", + "xpack.aiops.documentCountChart.deviationBadgeLabel": "偏差", "xpack.aiops.documentCountContent.clearSelectionAriaLabel": "選択した項目をクリア", "xpack.aiops.explainLogRateSpikes.loadingState.doneMessage": "完了しました。", + "xpack.aiops.explainLogRateSpikes.loadingState.groupingResults": "重要なフィールドと値のペアをグループに変換しています。", "xpack.aiops.explainLogRateSpikes.loadingState.loadingHistogramData": "ヒストグラムデータを読み込んでいます。", + "xpack.aiops.explainLogRateSpikes.loadingState.loadingIndexInformation": "インデックス情報を読み込んでいます。", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.collapseAriaLabel": "縮小", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.docCountLabel": "ドキュメントカウント", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.expandAriaLabel": "拡張", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldNameLabel": "フィールド名", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldValueLabel": "フィールド値", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabel": "インパクト", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabelColumnTooltip": "メッセージレート差異に対するフィールドの影響のレベル", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateColumnTooltip": "メッセージレート差異に対するフィールドの影響の視覚的な表示", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateLabel": "ログレート", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueColumnTooltip": "値の頻度の変化の有意性。値が小さいほど、変化が大きいことを示します。", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueLabel": "p値", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.groupColumnTooltip": "グループに一意のフィールドと値のペアを表示します。すべてのフィールドと値のペアを表示するには、行を展開します。", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.groupLabel": "グループ", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.impactLabelColumnTooltip": "メッセージレート差異に対するグループの影響のレベル", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.logRateColumnTooltip": "メッセージレート差異に対するグループの影響の視覚的な表示", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.logRateLabel": "ログレート", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.pValueColumnTooltip": "値の頻度の変化の有意性。値が小さいほど、変化が大きいことを示します。", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.pValueLabel": "p値", "xpack.aiops.explainLogRateSpikesPage.emptyPromptBody": "explainログレートスパイク機能は、ログレートのスパイクに寄与する統計的に有意なフィールド/値の組み合わせを特定します。", "xpack.aiops.explainLogRateSpikesPage.emptyPromptTitle": "ヒストグラム図のスパイクをクリックすると、分析が開始します。", + "xpack.aiops.explainLogRateSpikesPage.noResultsPromptBody": "ベースラインと時間範囲のずれを調整し、分析を再実行してください。結果が得られない場合は、このログレートの上昇に寄与する統計的に有意なエンティティが存在しない可能性があります。", + "xpack.aiops.explainLogRateSpikesPage.noResultsPromptTitle": "分析の結果が返されませんでした。", + "xpack.aiops.explainLogRateSpikesPage.tryToContinueAnalysisButtonText": "分析を続行してください", "xpack.aiops.fullTimeRangeSelector.useFullDataExcludingFrozenButtonTooltip": "凍結されたデータティアを除くデータの全範囲を使用します。", "xpack.aiops.fullTimeRangeSelector.useFullDataIncludingFrozenButtonTooltip": "凍結されたデータティアを含むデータの全範囲を使用します。これにより、検索結果が低速になる場合があります。", - "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "ログレートスパイクは、時間ベースのインデックスに対してのみ実行されます", + "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "ログレートスパイクは、時間ベースのインデックスに対してのみ実行されます。", "xpack.aiops.index.fullTimeRangeSelector.errorSettingTimeRangeNotification": "時間範囲の設定中にエラーが発生しました。", "xpack.aiops.index.fullTimeRangeSelector.moreOptionsButtonAriaLabel": "その他のオプション", "xpack.aiops.index.fullTimeRangeSelector.noResults": "検索条件と一致する結果がありません。", "xpack.aiops.index.fullTimeRangeSelector.useFullDataButtonLabel": "完全なデータを使用", "xpack.aiops.index.fullTimeRangeSelector.useFullDataExcludingFrozenMenuLabel": "凍結されたデータティアを除外", "xpack.aiops.index.fullTimeRangeSelector.useFullDataIncludingFrozenMenuLabel": "凍結されたデータティアを含める", + "xpack.aiops.logCategorization.categoryFieldSelect": "カテゴリーフィールド", + "xpack.aiops.logCategorization.chartPointsSplitLabel": "選択したカテゴリー", + "xpack.aiops.logCategorization.column.count": "カウント", + "xpack.aiops.logCategorization.column.examples": "例", + "xpack.aiops.logCategorization.column.logRate": "ログレート", + "xpack.aiops.logCategorization.emptyPromptBody": "ログパターン分析では、メッセージが共通のカテゴリーにグループ化されます。", + "xpack.aiops.logCategorization.emptyPromptTitle": "テキストフィールドを選択し、[カテゴリー分けの実行]をクリックすると、分析が開始します", + "xpack.aiops.logCategorization.errorLoadingCategories": "カテゴリーの読み込みエラー", + "xpack.aiops.logCategorization.filterOutInDiscover": "Discoverで除外", + "xpack.aiops.logCategorization.noCategoriesBody": "選択したフィールドが選択した時間範囲で入力されていることを確認してください。", + "xpack.aiops.logCategorization.noCategoriesTitle": "カテゴリーが見つかりません", + "xpack.aiops.logCategorization.noDocsBody": "選択した日付範囲にドキュメントが含まれていることを確認してください。", + "xpack.aiops.logCategorization.noDocsTitle": "ドキュメントが見つかりませんでした", + "xpack.aiops.logCategorization.runButton": "カテゴリー分けの実行", + "xpack.aiops.logCategorization.showInDiscover": "Discoverでこれらを表示", "xpack.aiops.miniHistogram.noDataLabel": "N/A", + "xpack.aiops.pageRefreshButton": "更新", "xpack.aiops.progressAriaLabel": "進捗", "xpack.aiops.rerunAnalysisButtonTitle": "分析を再実行", + "xpack.aiops.rerunAnalysisTooltipContent": "選択更新のため、分析データが古い可能性があります。分析を再実行します。", "xpack.aiops.searchPanel.invalidSyntax": "無効な構文", "xpack.aiops.searchPanel.queryBarPlaceholderText": "検索…(例:status:200 AND extension:\"PHP\")", + "xpack.aiops.spikeAnalysisPage.documentCountStatsSplitGroupLabel": "選択したグループ", + "xpack.aiops.spikeAnalysisTable.actionsColumnName": "アクション", + "xpack.aiops.spikeAnalysisTable.autoGeneratedDiscoverLinkErrorMessage": "Discoverにリンクできません。このインデックスのデータビューが存在しません", + "xpack.aiops.spikeAnalysisTable.discoverLocatorMissingErrorMessage": "Discoverのロケーターが検出されません", + "xpack.aiops.spikeAnalysisTable.discoverNotEnabledErrorMessage": "Discoverが有効ではありません", + "xpack.aiops.spikeAnalysisTable.groupedSwitchLabel.groupResults": "結果をグループ化", + "xpack.aiops.spikeAnalysisTable.linksMenu.viewInDiscover": "Discoverに表示", "xpack.alerting.alertNavigationRegistry.get.missingNavigationError": "「{consumer}」内のアラートタイプ「{alertType}」のナビゲーションは登録されていません。", "xpack.alerting.alertNavigationRegistry.register.duplicateDefaultError": "「{consumer}」内のデフォルトナビゲーションはすでに登録されています。", "xpack.alerting.alertNavigationRegistry.register.duplicateNavigationError": "「{consumer}」内のアラートタイプ「{alertType}」のナビゲーションはすでに登録されています。", "xpack.alerting.rulesClient.invalidDate": "パラメーター{field}の無効な日付:「{dateValue}」", + "xpack.alerting.rulesClient.runSoon.getTaskError": "ルールの実行エラー:{errMessage}", + "xpack.alerting.rulesClient.runSoon.runSoonError": "ルールの実行エラー:{errMessage}", "xpack.alerting.rulesClient.validateActions.invalidGroups": "無効なアクショングループ:{groups}", "xpack.alerting.rulesClient.validateActions.misconfiguredConnector": "無効なコネクター:{groups}", + "xpack.alerting.rulesClient.validateActions.mixAndMatchFreqParams": "notify_whenとスロットルがルールレベルで定義されているときには、アクション単位の頻度パラメーターを指定できません:{groups}", + "xpack.alerting.rulesClient.validateActions.notAllActionsWithFreq": "アクションの頻度パラメーターがありません:{groups}", "xpack.alerting.ruleTypeRegistry.get.missingRuleTypeError": "ルールタイプ「{id}」は登録されていません。", "xpack.alerting.ruleTypeRegistry.register.customRecoveryActionGroupUsageError": "ルールタイプ[id=\"{id}\"]を登録できません。アクショングループ [{actionGroup}] は、復元とアクティブなアクショングループの両方として使用できません。", "xpack.alerting.ruleTypeRegistry.register.duplicateRuleTypeError": "ルールタイプ\"{id}\"はすでに登録されています。", @@ -6748,8 +6805,13 @@ "xpack.alerting.appName": "アラート", "xpack.alerting.builtinActionGroups.recovered": "回復済み", "xpack.alerting.injectActionParams.email.kibanaFooterLinkText": "Kibanaでルールを表示", + "xpack.alerting.rulesClient.runSoon.disabledRuleError": "ルールの実行エラー:ルールが無効です", + "xpack.alerting.rulesClient.runSoon.ruleIsRunning": "ルールはすでに実行中です", + "xpack.alerting.rulesClient.snoozeSchedule.limitReached": "ルールに含めることができるスヌーズスケジュールは5つまでです", + "xpack.alerting.rulesClient.usesValidGlobalFreqParams.oneUndefined": "ルールレベル notifyWhen と調整の両方を定義するか、両方を未定義にする必要があります", "xpack.alerting.savedObjects.goToRulesButtonText": "ルールに移動", "xpack.alerting.serverSideErrors.unavailableLicenseInformationErrorMessage": "アラートを利用できません。現在ライセンス情報が利用できません。", + "xpack.alerting.taskRunner.warning.maxAlerts": "ルールは、1回の実行のアラートの最大回数を超えたことを報告しました。アラートを受信できないか、回復通知が遅延する可能性があります", "xpack.alerting.taskRunner.warning.maxExecutableActions": "このルールタイプのアクションの最大数に達しました。超過したアクションはトリガーされません。", "xpack.apm.agentConfig.deleteModal.text": "サービス「{serviceName}」と環境「{environment}」の構成を削除しようとしています。", "xpack.apm.agentConfig.deleteSection.deleteConfigFailedText": "「{serviceName}」の構成を削除中に問題が発生しました。エラー:「{errorMessage}」", @@ -6757,15 +6819,23 @@ "xpack.apm.agentConfig.range.errorText": "{rangeType, select,\n between {{min}と{max}の間でなければなりません}\n gt {値は{min}よりも大きい値でなければなりません}\n lt {{max}よりも低く設定する必要があります}\n other {整数でなければなりません}\n }", "xpack.apm.agentConfig.saveConfig.failed.text": "「{serviceName}」の構成の保存中に問題が発生しました。エラー:「{errorMessage}」", "xpack.apm.agentConfig.saveConfig.succeeded.text": "「{serviceName}」の構成を保存しました。エージェントに反映されるまでに少し時間がかかります。", + "xpack.apm.agentExplorerInstanceTable.agentVersionColumnLabel.multipleVersions": "{versionsCount, plural, one {1バージョン} other {# バージョン}}", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.tooltip.linkToDocs": "{seeDocs}を使用してサービスノード名を構成できます。", + "xpack.apm.agentExplorerTable.agentVersionColumnLabel.multipleVersions": "{versionsCount, plural, one {1バージョン} other {# バージョン}}", "xpack.apm.alerts.anomalySeverity.scoreDetailsDescription": "スコア {value} {value, select, critical {} other {以上}}", + "xpack.apm.alertTypes.minimumWindowSize.description": "推奨される最小値は{sizeValue} {sizeUnit}です。これにより、アラートに評価する十分なデータがあることが保証されます。低すぎる値を選択した場合、アラートが想定通りに実行されない可能性があります。", "xpack.apm.alertTypes.transactionDurationAnomaly.reason": "過去{interval}における{serviceName}のスコア{measured}の{severityLevel}異常が検知されました。", "xpack.apm.anomalyDetection.createJobs.failed.text": "APMサービス環境[{environments}]用に1つ以上の異常検知ジョブを作成しているときに問題が発生しました。エラー:「{errorMessage}」", "xpack.apm.anomalyDetection.createJobs.succeeded.text": "APMサービス環境[{environments}]の異常検知ジョブが正常に作成されました。機械学習がトラフィック異常値の分析を開始するには、少し時間がかかります。", "xpack.apm.anomalyDetectionSetup.notEnabledForEnvironmentText": "「{currentEnvironment}」環境では、まだ異常検知が有効ではありません。クリックすると、セットアップを続行します。", + "xpack.apm.apmSettings.kibanaLink": "APMオプションの一覧は{link}を参照してください", + "xpack.apm.bottomBarActions.unsavedChanges": "{unsavedChangesCount, plural, other {# 未保存変更}} ", "xpack.apm.compositeSpanCallsLabel": "、{count}件の呼び出し、平均{duration}", "xpack.apm.correlations.ccsWarningCalloutBody": "相関関係分析のデータを完全に取得できませんでした。この機能は{version}以降でのみサポートされています。", "xpack.apm.correlations.failedTransactions.helpPopover.basicExplanation": "相関関係では、トランザクションの失敗と成功を区別するうえで最も影響度が大きい属性を見つけることができます。{field}値が{value}のときには、トランザクションが失敗であると見なされます。", "xpack.apm.correlations.progressTitle": "進捗状況: {progress}%", + "xpack.apm.criticalPathFlameGraph.selfTime": "自己時間:{value}", + "xpack.apm.criticalPathFlameGraph.totalTime": "合計時間:{value}", "xpack.apm.durationDistributionChart.totalSpansCount": "{totalDocCount}合計{totalDocCount, plural, other {個のスパン}}", "xpack.apm.durationDistributionChart.totalTransactionsCount": "{totalDocCount}合計{totalDocCount, plural, other {個のトランザクション}}", "xpack.apm.durationDistributionChartWithScrubber.selectionText": "選択:{formattedSelection}", @@ -6779,7 +6849,9 @@ "xpack.apm.fleetIntegration.apmAgent.runtimeAttachment.version.helpText": "関連付けるElastic APM Javaエージェントの{versionLink}を入力します。", "xpack.apm.fleetIntegration.javaRuntime.discoveryRulesDescription": "すべての実行中のJVMで、検出ルールは指定された順序で評価されます。最初に一致するルールで結果が決まります。詳細は{docLink}をご覧ください。", "xpack.apm.instancesLatencyDistributionChartTooltipInstancesTitle": "{instancesCount} {instancesCount, plural, other {個のインスタンス}}", + "xpack.apm.itemsBadge.placeholder": "{itemsCount, plural, one {1 アイテム} other {# アイテム}}", "xpack.apm.propertiesTable.agentFeature.noResultFound": "\"{value}\"に対する結果が見つかりませんでした。", + "xpack.apm.serverlessMetrics.summary.lambdaFunctions": "Lambda {serverlessFunctionsTotal, plural, other {機能}}", "xpack.apm.serviceGroups.cardsList.serviceCount": "{servicesCount} {servicesCount, plural, other {個のサービス}}", "xpack.apm.serviceGroups.createFailure.toast.title": "\"{groupName}\"グループの作成エラー", "xpack.apm.serviceGroups.createSucess.toast.title": "\"{groupName}\"グループが作成されました", @@ -6789,6 +6861,7 @@ "xpack.apm.serviceGroups.editFailure.toast.title": "\"{groupName}\"グループの編集エラー", "xpack.apm.serviceGroups.editSucess.toast.title": "\"{groupName}\"グループが編集されました", "xpack.apm.serviceGroups.groupsCount": "{servicesCount} {servicesCount, plural, other {グループ}}", + "xpack.apm.serviceGroups.invalidFields.message": "サービスグループのクエリはフィールドをサポートしていません[{unsupportedFieldNames}]", "xpack.apm.serviceGroups.selectServicesForm.matchingServiceCount": "{servicesCount} {servicesCount, plural, other {個のサービス}}がクエリと一致します", "xpack.apm.serviceGroups.tour.content.link": "詳細は{docsLink}をご覧ください。", "xpack.apm.serviceIcons.serviceDetails.cloud.availabilityZoneLabel": "{zones, plural, other {可用性ゾーン}} ", @@ -6799,6 +6872,9 @@ "xpack.apm.serviceMap.resourceCountLabel": "{count}個のリソース", "xpack.apm.serviceNodeMetrics.unidentifiedServiceNodesWarningText": "これらのメトリックが所属する JVM を特定できませんでした。7.5 よりも古い APM Server を実行していることが原因である可能性が高いです。この問題は APM Server 7.5 以降にアップグレードすることで解決されます。アップグレードに関する詳細は、{link} をご覧ください。代わりに Kibana クエリバーを使ってホスト名、コンテナー ID、またはその他フィールドでフィルタリングすることもできます。", "xpack.apm.serviceOveriew.errorsTableOccurrences": "{occurrences}件", + "xpack.apm.serviceOverview.embeddedMap.error.toastDescription": "id \"{embeddableFactoryId}\"の埋め込み可能ファクトリが見つかりました。", + "xpack.apm.serviceOverview.lensFlyout.topValues": "{metric}の上位{BUCKET_SIZE}値", + "xpack.apm.serviceOverview.mobileCallOutText": "これはモバイルサービスであり、現在はテクニカルプレビューとしてリリースされています。フィードバックを送信して、エクスペリエンスの改善にご協力ください。{feedbackLink}", "xpack.apm.servicesTable.environmentCount": "{environmentCount, plural, other {# 個の環境}}", "xpack.apm.settings.agentKeys.apiKeysDisabledErrorDescription": "システム管理者に連絡し、{link}を参照して API キーを有効にしてください。", "xpack.apm.settings.agentKeys.copyAgentKeyField.title": "\"{name}\"キーを作成しました", @@ -6822,6 +6898,7 @@ "xpack.apm.spanLinks.combo.childrenLinks": "受信リンク({linkedChildren})", "xpack.apm.spanLinks.combo.parentsLinks": "送信リンク({linkedParents})", "xpack.apm.stacktraceTab.libraryFramesToogleButtonLabel": "{count, plural, other {# ライブラリフレーム}}", + "xpack.apm.storageExplorer.longLoadingTimeCalloutText": "{kibanaAdvancedSettingsLink}.", "xpack.apm.transactionDetails.errorCount": "{errorCount, number} {errorCount, plural, other {エラー}}", "xpack.apm.transactionDetails.transFlyout.callout.agentDroppedSpansMessage": "このトランザクションを報告した APM エージェントが、構成に基づき {dropped} 個以上のスパンをドロップしました。", "xpack.apm.transactionRateLabel": "{displayedValue} tpm", @@ -6830,6 +6907,7 @@ "xpack.apm.tutorial.config_otel.description3": "環境変数、コマンドラインパラメーター、構成コードスニペット(OpenTelemetry仕様に準拠)の網羅的な一覧は、{otelInstrumentationGuide}をご覧ください。一部の不安定なOpenTelemetryクライアントでは、一部の機能がサポートされておらず、別の構成メカニズムが必要になる場合があります。", "xpack.apm.tutorial.djangoClient.configure.commands.setCustomApmServerUrlComment": "カスタム APM Server URL(デフォルト:{defaultApmServerUrl})を設定します", "xpack.apm.tutorial.djangoClient.configure.textPost": "高度な用途に関しては [ドキュメンテーション]({documentationLink})をご覧ください。", + "xpack.apm.tutorial.dotNetClient.configureAgent.textPost": "エージェントに「IConfiguration」インスタンスが渡されていない場合、(例:非 ASP.NET Core アプリケーションの場合)、エージェントを環境変数で構成することもできます。\n [Profiler Auto instrumentation]({profilerLink})クイックスタートなどの高度な使用方法については、[ドキュメント]({documentationLink})を参照してください。", "xpack.apm.tutorial.dotNetClient.download.textPre": "[NuGet]({allNuGetPackagesLink})から .NET アプリケーションにエージェントパッケージを追加してください。用途の異なる複数の NuGet パッケージがあります。\n\nEntity Framework Core の ASP.NET Core アプリケーションの場合は、[Elastic.Apm.NetCoreAll]({netCoreAllApmPackageLink})パッケージをダウンロードしてください。このパッケージは、自動的にすべてのエージェントコンポーネントをアプリケーションに追加します。\n\n 依存性を最低限に抑えたい場合、ASP.NET Coreの監視のみに[Elastic.Apm.AspNetCore]({aspNetCorePackageLink})パッケージ、またはEntity Framework Coreの監視のみに[Elastic.Apm.EfCore]({efCorePackageLink})パッケージを使用することができます。\n\n 手動インストルメンテーションのみにパブリック Agent API を使用する場合は、[Elastic.Apm]({elasticApmPackageLink})パッケージを使用してください。", "xpack.apm.tutorial.downloadServerRpm": "32 ビットパッケージをお探しですか?[ダウンロードページ]({downloadPageLink})をご覧ください。", "xpack.apm.tutorial.downloadServerTitle": "32 ビットパッケージをお探しですか?[ダウンロードページ]({downloadPageLink})をご覧ください。", @@ -6875,8 +6953,12 @@ "xpack.apm.agentConfig.apiRequestTime.label": "API リクエスト時間", "xpack.apm.agentConfig.captureBody.description": "HTTPリクエストのトランザクションの場合、エージェントはオプションとしてリクエスト本文(POST変数など)をキャプチャすることができます。\nメッセージブローカーからメッセージを受信すると開始するトランザクションでは、エージェントがテキストメッセージの本文を取り込むことができます。", "xpack.apm.agentConfig.captureBody.label": "本文をキャプチャ", + "xpack.apm.agentConfig.captureBodyContentTypes.description": "記録するコンテンツタイプを構成します。\n\nデフォルト値の末尾はワイルドカードです。このため、「text/plain; charset=utf-8」などのコンテンツタイプも取り込まれます。", + "xpack.apm.agentConfig.captureBodyContentTypes.label": "本文コンテンツタイプを取り込む", "xpack.apm.agentConfig.captureHeaders.description": "「true」に設定すると、メッセージングフレームワーク(Kafkaなど)を使用するときに、エージェントはHTTP要求と応答ヘッダー(Cookieを含む)、およびメッセージヘッダー/プロパティを取り込みます。\n\n注:これを「false」に設定すると、ネットワーク帯域幅、ディスク容量、およびオブジェクト割り当てが減少します。", "xpack.apm.agentConfig.captureHeaders.label": "ヘッダーのキャプチャ", + "xpack.apm.agentConfig.captureJmxMetrics.description": "JMXからAMPサーバーにメトリックを報告\n\nカンマ区切りのJMXメトリック定義を含めることができます:\n\n`object_name[] attribute[:metric_name=]`\n\n詳細については、Javaエージェントドキュメントを参照してください。", + "xpack.apm.agentConfig.captureJmxMetrics.label": "JMXメトリックの取り込み", "xpack.apm.agentConfig.chooseService.editButton": "編集", "xpack.apm.agentConfig.chooseService.service.environment.label": "環境", "xpack.apm.agentConfig.chooseService.service.name.label": "サービス名", @@ -6894,6 +6976,8 @@ "xpack.apm.agentConfig.configurationsPanelTitle.noPermissionTooltipLabel": "ユーザーロールには、エージェント構成を作成する権限がありません", "xpack.apm.agentConfig.createConfigButtonLabel": "構成の作成", "xpack.apm.agentConfig.createConfigTitle": "構成の作成", + "xpack.apm.agentConfig.dedotCustomMetrics.description": "カスタムメトリックのメトリック名のドットをアンダースコアで置換します。\n\n警告:Elasticsearchではドットはネストを意味するため、これを「false」に設定すると、マッピングの競合が生じる可能性があります。\nたとえば、「foo」と「foo.bar」という名前の2つのメトリックが存在するときに、競合が発生します。\n最初のメトリックでは「foo」が数値にマッピングされ、次のメトリックでは「foo」がオブジェクトとしてマッピングされます。", + "xpack.apm.agentConfig.dedotCustomMetrics.label": "カスタムメトリックのドットを削除", "xpack.apm.agentConfig.deleteModal.cancel": "キャンセル", "xpack.apm.agentConfig.deleteModal.confirm": "削除", "xpack.apm.agentConfig.deleteModal.title": "構成を削除", @@ -6902,6 +6986,12 @@ "xpack.apm.agentConfig.editConfigTitle": "構成の編集", "xpack.apm.agentConfig.enableLogCorrelation.description": "エージェントがSLF4JのMDCと融合してトレースログ相関を有効にすべきかどうかを指定するブール値。「true」に設定した場合、エージェントは現在アクティブなスパンとトランザクションの「trace.id」と「transaction.id」をMDCに設定します。Javaエージェントバージョン1.16.0以降では、エージェントは、エラーメッセージが記録される前に、取り込まれたエラーの「error.id」もMDCに追加します。注:実行時にこの設定を有効にできますが、再起動しないと無効にはできません。", "xpack.apm.agentConfig.enableLogCorrelation.label": "ログ相関を有効にする", + "xpack.apm.agentConfig.exitSpanMinDuration.description": "終了スパンは、データベースなどの外部サービスの呼び出しを表すスパンです。このような呼び出しが非常に短い場合は、一般的に、関連性がなく、無視できます。\n\n注:スパンが分散トレーシングIDを生成する場合は、設定されたしきい値よりも短い場合であっても無視されません。これによって、破損したトレースが記録されなくなります。", + "xpack.apm.agentConfig.exitSpanMinDuration.label": "終了スパンの最小期間", + "xpack.apm.agentConfig.ignoreExceptions.description": "無視され、エラーとして報告されない例外のリスト。\n通常の制御フローで発生した実際のエラーではない例外を無視できます。", + "xpack.apm.agentConfig.ignoreExceptions.label": "例外を無視", + "xpack.apm.agentConfig.ignoreMessageQueues.description": "特定のメッセージングキューやトピックをトレースから除外するために使用されます。\n\nこのプロパティは、1つ以上の文字列を含む配列に設定してください。\n設定されると、指定されたキューまたはトピックのsends-toとreceives-fromが無視されます。", + "xpack.apm.agentConfig.ignoreMessageQueues.label": "メッセージキューを無視", "xpack.apm.agentConfig.logLevel.description": "エージェントのログ記録レベルを設定します", "xpack.apm.agentConfig.logLevel.label": "ログレベル", "xpack.apm.agentConfig.newConfig.description": "APMアプリ内からエージェント構成を微調整してください。変更はAPMエージェントに自動的に伝達されるので、再デプロイする必要はありません。", @@ -6937,6 +7027,12 @@ "xpack.apm.agentConfig.settingsPage.notFound.message": "リクエストされた構成が存在しません", "xpack.apm.agentConfig.settingsPage.notFound.title": "申し訳ございません、エラーが発生しました", "xpack.apm.agentConfig.settingsPage.saveButton": "構成を保存", + "xpack.apm.agentConfig.spanCompressionEnabled.description": "このオプションをtrueに設定すると、スパン圧縮機能が有効化されます。\nスパン圧縮によって、収集、処理、ストレージの負荷が減り、UIが整理されます。その一方で、すべての圧縮されたスパンのDB文などの一部の情報が収集されないという問題点もあります。", + "xpack.apm.agentConfig.spanCompressionEnabled.label": "スパン圧縮を有効にする", + "xpack.apm.agentConfig.spanCompressionExactMatchMaxDuration.description": "完全一致で、このしきい値未満の連続スパンは、1つの複合スパンに圧縮されます。このオプションは複合スパンには適用されません。これによって、収集、処理、ストレージの負荷が減り、UIが整理されます。その一方で、すべての圧縮されたスパンのDB文が収集されないという問題点もあります。", + "xpack.apm.agentConfig.spanCompressionExactMatchMaxDuration.label": "スパン圧縮は最大期間と完全に一致します", + "xpack.apm.agentConfig.spanCompressionSameKindMaxDuration.description": "このしきい値未満の同じ対象への連続スパンは、1つの複合スパンに圧縮されます。このオプションは複合スパンには適用されません。これによって、収集、処理、ストレージの負荷が減り、UIが整理されます。その一方で、すべての圧縮されたスパンのDB文が収集されないという問題点もあります。", + "xpack.apm.agentConfig.spanCompressionSameKindMaxDuration.label": "スパン圧縮と同じ種類の最大期間", "xpack.apm.agentConfig.spanFramesMinDuration.description": "デフォルト設定では、APM エージェントは記録されたすべてのスパンでスタックトレースを収集します。\nこれはコード内でスパンの原因になる厳密な場所を見つけるうえで非常に役立ちますが、このスタックトレースを収集するとオーバーヘッドが生じます。\nこのオプションを負の値(「-1ms」など)に設定すると、すべてのスパンのスタックトレースが収集されます。正の値(たとえば、「5 ms」)に設定すると、スタックトレース収集を、指定値(たとえば、5ミリ秒)以上の期間にわたるスパンに制限されます。\n\nスパンのスタックトレース収集を完全に無効にするには、値を「0ms」に設定します。", "xpack.apm.agentConfig.spanFramesMinDuration.label": "スパンフレーム最小期間", "xpack.apm.agentConfig.stackTraceLimit.description": "0 に設定するとスタックトレース収集が無効になります。収集するフレームの最大数として正の整数値が使用されます。-1 に設定すると、すべてのフレームが収集されます。", @@ -6951,13 +7047,52 @@ "xpack.apm.agentConfig.stressMonitorSystemCpuReliefThreshold.label": "ストレス監視システム CPU 緩和しきい値", "xpack.apm.agentConfig.stressMonitorSystemCpuStressThreshold.description": "システムCPU監視でシステムCPUストレスの検出に使用するしきい値。システムCPUが少なくとも「stress_monitor_cpu_duration_threshold」と同じ長さ以上の期間にわたってこのしきい値を超えると、監視機能はこれをストレス状態と見なします。", "xpack.apm.agentConfig.stressMonitorSystemCpuStressThreshold.label": "ストレス監視システム CPU ストレスしきい値", + "xpack.apm.agentConfig.traceContinuationStrategy.description": "APMエージェントが受信リクエストのW3C trace-contextヘッダーを処理する方法を、ある程度制御できます。デフォルトでは、分散トレーシングのW3C仕様に従い、「traceparent」および「tracestate」ヘッダーが使用されます。ただし、特定の場合においては、受信「traceparent」ヘッダーを使用しない方がよいことがあります。ユースケースの例:\n\n* Elasticが監視しているサービスが、監視されていないサービスから「traceparent」ヘッダーが付いているリクエストを受け取っている。\n* Elasticが監視しているサービスが公開されている場合に、トレーシングデータ(trace-id、サンプリング決定)がユーザーリクエストでなりすましされる可能性を避けたい。\n\n有効な値:\n* 'continue':デフォルトの動作。受信「traceparent」値はトレースを続け、サンプリング決定を行うために使用されます。\n* 'restart':受信リクエストの「traceparent」ヘッダーは常に無視されます。新しいtrace-idが生成され、transaction_sample_rateに基づいてサンプリング決定が行われます。受信「traceparent」へのスパンリンクが作成されます。\n* 'restart_external':受信リクエストの「tracestate」に「es」ベンダーフラグが含まれている場合は、「traceparent」が内部と見なされ、上記の「continue」の説明のように処理されます。そうでない場合、「traceparent」は外部と見なされ、上記の「restart」の説明のように処理されます。\n\nElasticオブザーバビリティ8.2以降では、スパンリンクがトレースビューに表示されます。\n\nこのオプションは大文字と小文字を区別しません。", + "xpack.apm.agentConfig.traceContinuationStrategy.label": "トレース継続戦略", + "xpack.apm.agentConfig.traceMethods.description": "トランザクションまたはスパンを作成するメソッドのリスト。\n\n大量の方法を監視する場合は、\n「profiling_inferred_spans_enabled」を使用します。\n\nそのメソッドのスパンを作成するコードを含めるように、各一致するメソッドを実装する仕組みです。\nスパンの作成は、パフォーマンス的な負荷はかなり低いのですが、\n余裕がないループで実行されるコードベース全体またはメソッドを実装すると、負荷が大きくなります。\n\n注:必要な場合にのみワイルドカードを使用してください。\n一致するメソッドが多くなるほど、エージェントによる負荷が大きくなります。\nトランザクション「transaction_max_spans」ごとにスパンの最大量があります。\n\n詳細については、Javaエージェントドキュメントを参照してください。", + "xpack.apm.agentConfig.traceMethods.label": "トレースメソッド", "xpack.apm.agentConfig.transactionIgnoreUrl.description": "特定の URL への要求が命令されないように制限するために使用します。この構成では、無視される URL パスのワイルドカードパターンのカンマ区切りのリストを使用できます。受信 HTTP 要求が検出されると、要求パスが、リストの各要素に対してテストされます。たとえば、このリストに「/home/index」を追加すると、一致して、「http://localhost/home/index」と「http://whatever.com/home/index?value1=123」から命令が削除されます。", "xpack.apm.agentConfig.transactionIgnoreUrl.label": "URL に基づくトランザクションを無視", + "xpack.apm.agentConfig.transactionIgnoreUserAgents.description": "特定のUser-Agentからのリクエストが実行されないように制限するために使用します。\n\n受信HTTPリクエストが検出された場合は、\nリクエストヘッダーのUser-Agentが、このリストの各要素に対してテストされます。\n例:`curl/*`、`*pingdom*`", + "xpack.apm.agentConfig.transactionIgnoreUserAgents.label": "トランザクションはユーザーエージェントを無視します", "xpack.apm.agentConfig.transactionMaxSpans.description": "トランザクションごとに記録される範囲を制限します。", "xpack.apm.agentConfig.transactionMaxSpans.label": "トランザクションの最大範囲", + "xpack.apm.agentConfig.transactionNameGroups.description": "このオプションでは、\nワイルドカード式を使った動的な部分を含むトランザクション名をグループ化できます。\n例:\nパターン「GET /user/*/cart」は、\n「GET /users/42/cart」や「GET /users/73/cart」などのトランザクションを「GET /users/*/cart」という1つのトランザクション名に統合するため、\nトランザクション名のカーディナリティが減ります。", + "xpack.apm.agentConfig.transactionNameGroups.label": "トランザクション名グループ", "xpack.apm.agentConfig.transactionSampleRate.description": "デフォルトでは、エージェントはすべてのトランザクション(たとえば、サービスへのリクエストなど)をサンプリングします。オーバーヘッドやストレージ要件を減らすには、サンプルレートの値を0.0〜1.0に設定します。全体的な時間とサンプリングされないトランザクションの結果は記録されますが、コンテキスト情報、ラベル、スパンは記録されません。", "xpack.apm.agentConfig.transactionSampleRate.label": "トランザクションのサンプルレート", + "xpack.apm.agentConfig.unnestExceptions.description": "例外を報告するときに、\nun-nests例外がワイルドカードパターンと一致します。\nこれはSpringの「org.springframework.web.util.NestedServletException」で便利です。\n例:", + "xpack.apm.agentConfig.unnestExceptions.label": "ネストされていない例外", "xpack.apm.agentConfig.unsavedSetting.tooltip": "未保存", + "xpack.apm.agentConfig.usePathAsTransactionName.description": "「true」に設定されている場合、\nサポートされていないか、一部しかサポートされていないフレームワークのトランザクション名の形式は、「$method unknown route」ではなく、「$method $path」になります。\n\n警告:「/user/$userId」などのパスパラメーターがURLに含まれている場合は、\nこのフラグを有効化するときに、十分に注意してください。\nトランザクショングループが急増する可能性があります。\nURLのグループ化によってこの問題を軽減する方法については、「transaction_name_groups」オプションを参照してください。", + "xpack.apm.agentConfig.usePathAsTransactionName.label": "パスをトランザクション名として使用", + "xpack.apm.agentExplorer.agentLanguageSelect.label": "エージェント言語", + "xpack.apm.agentExplorer.agentLanguageSelect.placeholder": "すべて", + "xpack.apm.agentExplorer.callout.24hoursData": "過去24時間の情報", + "xpack.apm.agentExplorer.docsLink.elastic.logo": "Elasticロゴ", + "xpack.apm.agentExplorer.docsLink.message": "ドキュメント", + "xpack.apm.agentExplorer.docsLink.otel.logo": "Opentelemetryロゴ", + "xpack.apm.agentExplorer.instancesFlyout.title": "エージェントインスタンス", + "xpack.apm.agentExplorer.notFoundLabel": "エージェントが見つかりません", + "xpack.apm.agentExplorer.serviceNameSelect.label": "サービス名", + "xpack.apm.agentExplorer.serviceNameSelect.placeholder": "すべて", + "xpack.apm.agentExplorerInstanceTable.agentVersionColumnLabel": "エージェントバージョン", + "xpack.apm.agentExplorerInstanceTable.environmentColumnLabel": "環境", + "xpack.apm.agentExplorerInstanceTable.InstanceColumnLabel": "インスタンス", + "xpack.apm.agentExplorerInstanceTable.lastReportColumnLabel": "前回のレポート", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.configurationOptions": "構成オプション", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.tooltip": "見つからないserviceNodeNameのツールチップ", + "xpack.apm.agentExplorerTable.agentDocsColumnLabel": "エージェントドキュメント", + "xpack.apm.agentExplorerTable.agentNameColumnLabel": "エージェント名", + "xpack.apm.agentExplorerTable.agentVersionColumnLabel": "エージェントバージョン", + "xpack.apm.agentExplorerTable.environmentColumnLabel": "環境", + "xpack.apm.agentExplorerTable.instancesColumnLabel": "インスタンス", + "xpack.apm.agentExplorerTable.serviceNameColumnLabel": "サービス名", + "xpack.apm.agentExplorerTable.viewAgentInstances": "エージェントインスタンスビューの切り替え", + "xpack.apm.agentInstancesDetails.agentDocsUrlLabel": "エージェントドキュメント", + "xpack.apm.agentInstancesDetails.agentNameLabel": "エージェント名", + "xpack.apm.agentInstancesDetails.intancesLabel": "インスタンス", + "xpack.apm.agentInstancesDetails.serviceLabel": "サービス", "xpack.apm.agentMetrics.java.gcRate": "GC レート", "xpack.apm.agentMetrics.java.gcRateChartTitle": "1 分ごとのガベージコレクション", "xpack.apm.agentMetrics.java.gcTime": "GC 時間", @@ -6972,11 +7107,22 @@ "xpack.apm.agentMetrics.java.threadCount": "平均カウント", "xpack.apm.agentMetrics.java.threadCountChartTitle": "スレッド数", "xpack.apm.agentMetrics.java.threadCountMax": "最高カウント", + "xpack.apm.agentMetrics.serverless.avgDuration": "Lambda期間", + "xpack.apm.agentMetrics.serverless.avgDuration.description": "トランザクション時間は、リクエストの処理とリクエストへの応答にかかった時間です。リクエストがキューに追加されると、トランザクション時間としてカウントされませんが、全体的な請求対象時間としてはカウントされます", + "xpack.apm.agentMetrics.serverless.billedDurationAvg": "請求対象時間", + "xpack.apm.agentMetrics.serverless.coldStart": "コールドスタート", + "xpack.apm.agentMetrics.serverless.coldStart.title": "コールドスタート", + "xpack.apm.agentMetrics.serverless.coldStartDuration": "コールドスタート時間", + "xpack.apm.agentMetrics.serverless.coldStartDuration.description": "コールドスタート時間は、コールドスタートが発生したリクエストのサーバーレスランタイムの実行時間を示します。", + "xpack.apm.agentMetrics.serverless.computeUsage": "コンピューティング使用量", + "xpack.apm.agentMetrics.serverless.computeUsage.description": "コンピューティング使用量(GB秒)は、関数のインスタンスの空きメモリーサイズで実行時間を乗算した値です。コンピューティング使用量は、サーバーレス関数のコストを直接的に示します。", + "xpack.apm.agentMetrics.serverless.transactionDuration": "トランザクション時間", "xpack.apm.aggregatedTransactions.fallback.badge": "サンプリングされたトランザクションに基づく", "xpack.apm.aggregatedTransactions.fallback.tooltip": "メトリックイベントが現在の時間範囲にないか、メトリックイベントドキュメントにないフィールドに基づいてフィルターが適用されたため、このページはトランザクションイベントデータを使用しています。", "xpack.apm.alerting.fields.environment": "環境", "xpack.apm.alerting.fields.service": "サービス", "xpack.apm.alerting.fields.type": "型", + "xpack.apm.alerts.action_variables.alertDetailsUrl": "このアラートに関連する詳細とコンテキストを示すElastic内のビューへのリンク", "xpack.apm.alerts.action_variables.environment": "アラートが作成されるトランザクションタイプ", "xpack.apm.alerts.action_variables.intervalSize": "アラート条件が満たされた期間の長さと単位", "xpack.apm.alerts.action_variables.reasonMessage": "アラートの理由の簡潔な説明", @@ -7019,11 +7165,17 @@ "xpack.apm.api.apiKeys.securityRequired": "セキュリティプラグインが必要です", "xpack.apm.api.fleet.cloud_apm_package_policy.requiredRoleOnCloud": "スーパーユーザーロールが付与されたElastic Cloudユーザーのみが操作できます。", "xpack.apm.api.fleet.fleetSecurityRequired": "FleetおよびSecurityプラグインが必要です", + "xpack.apm.api.storageExplorer.securityRequired": "セキュリティプラグインが必要です", "xpack.apm.apmDescription": "アプリケーション内から自動的に詳細なパフォーマンスメトリックやエラーを集めます。", "xpack.apm.apmSchema.index": "APMサーバースキーマ - インデックス", + "xpack.apm.apmServiceGroups.title": "APMサービスグループ", "xpack.apm.apmSettings.index": "APM 設定 - インデックス", + "xpack.apm.apmSettings.kibanaLink.label": "Kibana詳細設定", + "xpack.apm.apmSettings.save.error": "設定の保存中にエラーが発生しました", + "xpack.apm.apmSettings.saveButton": "変更を保存", "xpack.apm.betaBadgeDescription": "現在、この機能はベータです。不具合を見つけた場合やご意見がある場合、サポートに問い合わせるか、またはディスカッションフォーラムにご報告ください。", "xpack.apm.betaBadgeLabel": "ベータ", + "xpack.apm.bottomBarActions.discardChangesButton": "変更を破棄", "xpack.apm.chart.annotation.version": "バージョン", "xpack.apm.chart.comparison.defaultPreviousPeriodLabel": "前の期間", "xpack.apm.chart.cpuSeries.processAverageLabel": "プロセス平均", @@ -7104,6 +7256,11 @@ "xpack.apm.customLink.buttom.create.title": "作成", "xpack.apm.customLink.buttom.manage": "カスタムリンクを管理", "xpack.apm.customLink.empty": "カスタムリンクが見つかりません。独自のカスタムリンク、たとえば特定のダッシュボードまたは外部リンクへのリンクをセットアップします。", + "xpack.apm.data_view.creation_failed": "データビューの作成中にエラーが発生しました", + "xpack.apm.dataView.alreadyExistsInActiveSpace": "アクティブなスペースにはすでにデータビューが存在します", + "xpack.apm.dataView.alreadyExistsInAnotherSpace": "データビューはすでに別のスペースに存在しますが、このスペースでは使用できません", + "xpack.apm.dataView.autoCreateDisabled": "データビューの自動作成は、「autoCreateApmDataView」構成オプションによって無効化されています", + "xpack.apm.dataView.noApmData": "APMデータがありません", "xpack.apm.dependecyOperationDetailView.header.backLinkLabel": "すべての演算", "xpack.apm.dependencies.kueryBarPlaceholder": "依存関係メトリックを検索(例:span.destination.service.resource:elasticsearch)", "xpack.apm.dependenciesInventory.dependencyTableColumn": "依存関係", @@ -7151,6 +7308,7 @@ "xpack.apm.error.prompt.body": "詳細はブラウザの開発者コンソールをご確認ください。", "xpack.apm.error.prompt.title": "申し訳ございませんが、エラーが発生しました :(", "xpack.apm.errorCountAlert.name": "エラー数しきい値", + "xpack.apm.errorCountRuleType.errors": " エラー", "xpack.apm.errorGroup.chart.ocurrences": "オカレンス", "xpack.apm.errorGroupDetails.culpritLabel": "原因", "xpack.apm.errorGroupDetails.errorOccurrenceTitle": "エラーのオカレンス", @@ -7279,6 +7437,9 @@ "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPolicies": "テールサンプリングポリシー", "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPoliciesDescription": "ポリシーはトレースイベントをサンプルレートにマッピングします。各ポリシーはサンプルレートを指定する必要があります。トレースイベントは指定された順序でポリシーと照合されます。トレースイベントが一致するには、すべてのポリシー条件をtrueにする必要があります。各ポリシーリストの最後は、サンプルレートのみを指定するポリシーにしてください。この最終ポリシーは、より厳密なポリシーと一致しない残りのトレースイベントを取り込むために使用されます。", "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPoliciesTitle": "ポリシー", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimit": "テイルサンプリングのストレージ上限", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimitDescription": "テイルサンプリングポリシーと一致するトレースイベントに割り当てられたストレージ領域の量。注意:この上限を許可されたスペースよりも高く設定すると、APMサーバーが正常ではなくなります。", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimitTitle": "ストレージ上限", "xpack.apm.fleet_integration.settings.tailSamplingDocsHelpTextLink": "ドキュメント", "xpack.apm.fleet_integration.settings.tls.settings.subtitle": "TLS構成の設定。", "xpack.apm.fleet_integration.settings.tls.settings.title": "TLS設定", @@ -7373,6 +7534,10 @@ "xpack.apm.jvmsTable.nonHeapMemoryColumnLabel": "非ヒープ領域の平均", "xpack.apm.jvmsTable.threadCountColumnLabel": "最大スレッド数", "xpack.apm.keyValueFilterList.actionFilterLabel": "値でフィルタリング", + "xpack.apm.labs": "ラボ", + "xpack.apm.labs.cancel": "キャンセル", + "xpack.apm.labs.description": "現在テクニカルプレビュー中のAPM機能をお試しください。", + "xpack.apm.labs.reload": "変更を適用するには、再読み込みしてください", "xpack.apm.latencyCorrelations.licenseCheckText": "遅延の相関関係を使用するには、Elastic Platinumライセンスのサブスクリプションが必要です。使用すると、パフォーマンスの低下に関連しているフィールドを検出できます。", "xpack.apm.license.betaBadge": "ベータ", "xpack.apm.license.betaTooltipMessage": "現在、この機能はベータです。不具合を見つけた場合やご意見がある場合、サポートに問い合わせるか、またはディスカッションフォーラムにご報告ください。", @@ -7395,8 +7560,14 @@ "xpack.apm.mlCallout.updateAvailableCalloutButtonText": "ジョブの更新", "xpack.apm.mlCallout.updateAvailableCalloutText": "劣化したパフォーマンスに関する詳細な分析を提供する異常検知ジョブを更新し、スループットと失敗したトランザクションレートの検知機能を追加しました。アップグレードを選択する場合は、新しいジョブが作成され、既存のレガシージョブが終了します。APMアプリに表示されるデータは自動的に新しいジョブに切り替わります。新しいジョブの作成を選択した場合は、すべての既存のジョブを移行するオプションを使用できません。", "xpack.apm.mlCallout.updateAvailableCalloutTitle": "更新が可能です", + "xpack.apm.mobile.filters.appVersion": "アプリバージョン", + "xpack.apm.mobile.filters.device": "デバイス", + "xpack.apm.mobile.filters.nct": "NCT", + "xpack.apm.mobile.filters.osVersion": "OSバージョン", "xpack.apm.navigation.apmSettingsTitle": "設定", + "xpack.apm.navigation.apmStorageExplorerTitle": "ストレージエクスプローラー", "xpack.apm.navigation.dependenciesTitle": "依存関係", + "xpack.apm.navigation.serviceGroupsTitle": "サービスグループ", "xpack.apm.navigation.serviceMapTitle": "サービスマップ", "xpack.apm.navigation.servicesTitle": "サービス", "xpack.apm.navigation.tracesTitle": "トレース", @@ -7414,6 +7585,25 @@ "xpack.apm.propertiesTable.tabs.timelineLabel": "Timeline", "xpack.apm.searchInput.filter": "フィルター...", "xpack.apm.selectPlaceholder": "オプションを選択:", + "xpack.apm.serverlessMetrics.activeInstances.billedDuration": "請求対象時間", + "xpack.apm.serverlessMetrics.activeInstances.functionName": "関数名", + "xpack.apm.serverlessMetrics.activeInstances.memorySize": "メモリーサイズ", + "xpack.apm.serverlessMetrics.activeInstances.memoryUsageAvg": "メモリー使用状況(平均)", + "xpack.apm.serverlessMetrics.activeInstances.name": "名前", + "xpack.apm.serverlessMetrics.activeInstances.title": "アクティブなインスタンス", + "xpack.apm.serverlessMetrics.serverlessFunctions.billedDuration": "請求対象時間", + "xpack.apm.serverlessMetrics.serverlessFunctions.coldStart": "コールドスタート", + "xpack.apm.serverlessMetrics.serverlessFunctions.functionDuration": "関数時間", + "xpack.apm.serverlessMetrics.serverlessFunctions.functionName": "関数名", + "xpack.apm.serverlessMetrics.serverlessFunctions.memorySize": "メモリーサイズ", + "xpack.apm.serverlessMetrics.serverlessFunctions.memoryUsageAvg": "メモリー使用状況(平均)", + "xpack.apm.serverlessMetrics.serverlessFunctions.title": "Lambda関数", + "xpack.apm.serverlessMetrics.summary.billedDurationAvg": "請求対象時間(平均)", + "xpack.apm.serverlessMetrics.summary.estimatedCost": "推定コスト(平均)", + "xpack.apm.serverlessMetrics.summary.feedback": "フィードバックを送信", + "xpack.apm.serverlessMetrics.summary.functionDurationAvg": "関数時間(平均)", + "xpack.apm.serverlessMetrics.summary.memoryUsageAvg": "メモリー使用状況(平均)", + "xpack.apm.serverlessMetrics.summary.title": "まとめ", "xpack.apm.serviceDependencies.breakdownChartTitle": "依存関係にかかった時間", "xpack.apm.serviceDetails.dependenciesTabLabel": "依存関係", "xpack.apm.serviceDetails.errorsTabLabel": "エラー", @@ -7424,15 +7614,19 @@ "xpack.apm.serviceDetails.metricsTabLabel": "メトリック", "xpack.apm.serviceDetails.overviewTabLabel": "概要", "xpack.apm.serviceDetails.transactionsTabLabel": "トランザクション", - "xpack.apm.serviceGroup.allServices.title": "すべてのサービス", + "xpack.apm.serviceGroup.allServices.title": "サービス", "xpack.apm.serviceGroup.serviceInventory": "インベントリ", "xpack.apm.serviceGroup.serviceMap": "サービスマップ", + "xpack.apm.serviceGroups.beta.feedback.link": "フィードバックを送信", + "xpack.apm.serviceGroups.breadcrumb.return": "戻る", "xpack.apm.serviceGroups.breadcrumb.title": "サービス", "xpack.apm.serviceGroups.buttonGroup.allServices": "すべてのサービス", "xpack.apm.serviceGroups.buttonGroup.serviceGroups": "サービスグループ", "xpack.apm.serviceGroups.cardsList.emptyDescription": "説明がありません", "xpack.apm.serviceGroups.createGroupLabel": "グループを作成", "xpack.apm.serviceGroups.createSuccess.toast.text": "グループは、グループの新しいサービスビューに表示されます。", + "xpack.apm.serviceGroups.data.emptyPrompt.message": "サービスとアプリケーションのグループ化と整理を開始します。サービスグループの詳細をご覧になるか、グループを作成してください。", + "xpack.apm.serviceGroups.data.emptyPrompt.noServiceGroups": "サービスグループがありません", "xpack.apm.serviceGroups.deleteFailure.unknownId.toast.text": "グループを削除できません。不明なサービスグループIDです。", "xpack.apm.serviceGroups.editGroupLabel": "グループを編集", "xpack.apm.serviceGroups.editSuccess.toast.text": "サービスグループの新しいグループが保存されました。", @@ -7450,6 +7644,7 @@ "xpack.apm.serviceGroups.groupDetailsForm.selectServices": "サービスを選択", "xpack.apm.serviceGroups.list.sort.alphabetical": "アルファベット順", "xpack.apm.serviceGroups.list.sort.recentlyAdded": "最近追加された項目", + "xpack.apm.serviceGroups.listDescription": "過去24時間のサービス数が表示されます。", "xpack.apm.serviceGroups.selectServicesForm.cancel": "キャンセル", "xpack.apm.serviceGroups.selectServicesForm.editGroupDetails": "グループ詳細を編集", "xpack.apm.serviceGroups.selectServicesForm.kql": "例:labels.team: \"web\"", @@ -7457,6 +7652,7 @@ "xpack.apm.serviceGroups.selectServicesForm.preview": "プレビュー", "xpack.apm.serviceGroups.selectServicesForm.refresh": "更新", "xpack.apm.serviceGroups.selectServicesForm.saveGroup": "グループを保存", + "xpack.apm.serviceGroups.selectServicesForm.subtitle": "クエリを使用してこのグループのサービスを選択します。プレビューには、過去24時間以内にこのクエリと一致したサービスが表示されます。", "xpack.apm.serviceGroups.selectServicesForm.title": "サービスを選択", "xpack.apm.serviceGroups.selectServicesList.environmentColumnLabel": "環境", "xpack.apm.serviceGroups.selectServicesList.nameColumnLabel": "名前", @@ -7476,10 +7672,16 @@ "xpack.apm.serviceIcons.container": "コンテナー", "xpack.apm.serviceIcons.serverless": "サーバーレス", "xpack.apm.serviceIcons.service": "サービス", + "xpack.apm.serviceIcons.serviceDetails.cloud.architecture": "アーキテクチャー", "xpack.apm.serviceIcons.serviceDetails.cloud.projectIdLabel": "プロジェクト ID", "xpack.apm.serviceIcons.serviceDetails.cloud.providerLabel": "クラウドプロバイダー", "xpack.apm.serviceIcons.serviceDetails.cloud.serviceNameLabel": "クラウドサービス", + "xpack.apm.serviceIcons.serviceDetails.container.image.name": "コンテナーイメージ", + "xpack.apm.serviceIcons.serviceDetails.container.os.label": "OS", "xpack.apm.serviceIcons.serviceDetails.container.totalNumberInstancesLabel": "インスタンスの合計数", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.deployments": "デプロイ", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.namespaces": "名前空間", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.replicasets": "レプリカセット", "xpack.apm.serviceIcons.serviceDetails.service.agentLabel": "エージェント名・バージョン", "xpack.apm.serviceIcons.serviceDetails.service.frameworkLabel": "フレームワーク名", "xpack.apm.serviceIcons.serviceDetails.service.runtimeLabel": "ランタイム名・バージョン", @@ -7528,7 +7730,12 @@ "xpack.apm.serviceOverview.dependenciesTableColumn": "依存関係", "xpack.apm.serviceOverview.dependenciesTableTabLink": "依存関係を表示", "xpack.apm.serviceOverview.dependenciesTableTitle": "依存関係", - "xpack.apm.serviceOverview.dependenciesTableTitleTip": "計測されていないダウンストリームサービス、または計測されたサービスの終了スパンから派生した外部接続。", + "xpack.apm.serviceOverview.dependenciesTableTitleTip": "ダウンストリームサービスと、実行されていないサービスへ外部接続", + "xpack.apm.serviceOverview.embeddedMap.error": "マップを読み込めませんでした", + "xpack.apm.serviceOverview.embeddedMap.error.toastTitle": "埋め込み可能なマップの追加中にエラーが発生しました", + "xpack.apm.serviceOverview.embeddedMap.input.title": "国別レイテンシ", + "xpack.apm.serviceOverview.embeddedMap.metric.label": "ページ読み込み時間", + "xpack.apm.serviceOverview.embeddedMap.title": "国別平均レイテンシ", "xpack.apm.serviceOverview.errorsTable.errorMessage": "取得できませんでした", "xpack.apm.serviceOverview.errorsTable.loading": "読み込み中...", "xpack.apm.serviceOverview.errorsTable.noResults": "エラーが見つかりません", @@ -7560,8 +7767,17 @@ "xpack.apm.serviceOverview.latencyColumnDefaultLabel": "レイテンシ", "xpack.apm.serviceOverview.latencyColumnP95Label": "レイテンシ(95 番目)", "xpack.apm.serviceOverview.latencyColumnP99Label": "レイテンシ(99 番目)", + "xpack.apm.serviceOverview.lensFlyout.countRecords": "レコード数", "xpack.apm.serviceOverview.loadingText": "読み込み中…", + "xpack.apm.serviceOverview.mobileCallOutLink": "フィードバックを作成する", + "xpack.apm.serviceOverview.mobileCallOutTitle": "モバイルAPM", + "xpack.apm.serviceOverview.mostUsed.appVersion": "アプリバージョン", + "xpack.apm.serviceOverview.mostUsed.device": "デバイス", + "xpack.apm.serviceOverview.mostUsed.nct": "ネットワーク接続タイプ", + "xpack.apm.serviceOverview.mostUsed.osVersion": "OSバージョン", + "xpack.apm.serviceOverview.mostUsedTitle": "最も使用されている", "xpack.apm.serviceOverview.noResultsText": "インスタンスが見つかりません", + "xpack.apm.serviceOverview.openInLens": "Lensで開く", "xpack.apm.serviceOverview.throughtputChartTitle": "スループット", "xpack.apm.serviceOverview.tpmHelp": "スループットは1分あたりのトランザクション数(tpm)で測定されます。", "xpack.apm.serviceOverview.transactionsTableColumnErrorRate": "失敗したトランザクション率", @@ -7570,6 +7786,7 @@ "xpack.apm.serviceOverview.transactionsTableColumnImpactTip": "ご利用のサービスで最も頻繁に使用されていて、最も遅いエンドポイントです。レイテンシをスループットで乗算して計算されました。", "xpack.apm.serviceOverview.transactionsTableColumnName": "名前", "xpack.apm.serviceOverview.transactionsTableColumnThroughput": "スループット", + "xpack.apm.servicesGroups.buttonGroup.legend": "すべてのサービスまたはサービスグループを表示", "xpack.apm.servicesGroups.filter": "フィルターグループ", "xpack.apm.servicesGroups.loadingServiceGroups": "サービスグループを読み込み中", "xpack.apm.servicesTable.environmentColumnLabel": "環境", @@ -7585,6 +7802,9 @@ "xpack.apm.settings.agentConfig": "エージェントの編集", "xpack.apm.settings.agentConfig.createConfigButton.tooltip": "エージェント構成を作成する権限がありません", "xpack.apm.settings.agentConfig.descriptionText": "APMアプリ内からエージェント構成を微調整してください。変更はAPMエージェントに自動的に伝達されるので、再デプロイする必要はありません。", + "xpack.apm.settings.agentExplorer": "エージェントエクスプローラー", + "xpack.apm.settings.agentExplorer.descriptionText": "エージェントエクスプローラーテクニカルプレビューは、デプロイされたエージェントのインベントリと詳細を提供します。", + "xpack.apm.settings.agentExplorer.title": "エージェントエクスプローラー", "xpack.apm.settings.agentKeys": "エージェントキー", "xpack.apm.settings.agentKeys.agentKeysErrorPromptTitle": "APMエージェントキーを読み込めませんでした。", "xpack.apm.settings.agentKeys.agentKeysLoadingPromptTitle": "APMエージェントキーを読み込んでいます...", @@ -7704,6 +7924,7 @@ "xpack.apm.settings.customLink.table.lastUpdated": "最終更新", "xpack.apm.settings.customLink.table.name": "名前", "xpack.apm.settings.customLink.table.url": "URL", + "xpack.apm.settings.generalSettings": "一般設定", "xpack.apm.settings.indices": "インデックス", "xpack.apm.settings.schema": "スキーマ", "xpack.apm.settings.schema.confirm.apmServerSettingsCloudLinkText": "クラウドでAPMサーバー設定に移動", @@ -7753,13 +7974,91 @@ "xpack.apm.stacktraceTab.causedByFramesToogleButtonLabel": "作成元", "xpack.apm.stacktraceTab.localVariablesToogleButtonLabel": "ローカル変数", "xpack.apm.stacktraceTab.noStacktraceAvailableLabel": "利用可能なスタックトレースがありません。", + "xpack.apm.storageExplorer.callout.dimissButton": "閉じる", + "xpack.apm.storageExplorer.crossClusterSearchCalloutText": "ドキュメント数の取得はクラスター横断検索で動作しますが、サイズなどのインデックス統計情報は、このクラスターに保存されたデータでのみ表示されます。", + "xpack.apm.storageExplorer.crossClusterSearchCalloutTitle": "クラスター全体で検索しますか?", + "xpack.apm.storageExplorer.indexLifecyclePhase.all.description": "すべてのライフサイクルフェーズでデータを検索します。", + "xpack.apm.storageExplorer.indexLifecyclePhase.all.label": "すべて", + "xpack.apm.storageExplorer.indexLifecyclePhase.cold.description": "このティアでは検索可能ですが、一般的に、このティアは、検索速度よりもストレージコストを下げるために最適化されています。", + "xpack.apm.storageExplorer.indexLifecyclePhase.cold.label": "コールド", + "xpack.apm.storageExplorer.indexLifecyclePhase.frozen.description": "照会されないデータやほとんど照会されないデータが格納されます。", + "xpack.apm.storageExplorer.indexLifecyclePhase.frozen.label": "凍結", + "xpack.apm.storageExplorer.indexLifecyclePhase.hot.description": "最新の最も検索頻度が高いデータが格納されます。", + "xpack.apm.storageExplorer.indexLifecyclePhase.hot.label": "ホット", + "xpack.apm.storageExplorer.indexLifecyclePhase.label": "インデックスライフサイクルフェーズ", + "xpack.apm.storageExplorer.indexLifecyclePhase.warm.description": "直近数週間のデータが格納されます。更新できますが、ほとんどの場合、頻度は高くありません。", + "xpack.apm.storageExplorer.indexLifecyclePhase.warm.label": "ウォーム", + "xpack.apm.storageExplorer.indicesStats.dataStream": "データストリーム", + "xpack.apm.storageExplorer.indicesStats.indexName": "名前", + "xpack.apm.storageExplorer.indicesStats.lifecyclePhase": "ライフサイクルフェーズ", + "xpack.apm.storageExplorer.indicesStats.numberOfDocs": "ドキュメント数", + "xpack.apm.storageExplorer.indicesStats.primaries": "プライマリ", + "xpack.apm.storageExplorer.indicesStats.replicas": "レプリカ", + "xpack.apm.storageExplorer.indicesStats.table.caption": "ストレージエクスプローラーインデックス内訳", + "xpack.apm.storageExplorer.indicesStats.table.errorMessage": "取得できませんでした", + "xpack.apm.storageExplorer.indicesStats.table.loading": "読み込み中...", + "xpack.apm.storageExplorer.indicesStats.table.noResults": "データが見つかりません", + "xpack.apm.storageExplorer.indicesStats.title": "インデックス内訳", + "xpack.apm.storageExplorer.loadingPromptTitle": "ストレージエクスプローラーを読み込んでいます...", + "xpack.apm.storageExplorer.longLoadingTimeCalloutLink": "Kibana詳細設定", + "xpack.apm.storageExplorer.longLoadingTimeCalloutTitle": "読み込みに時間がかかる場合", + "xpack.apm.storageExplorer.noPermissionToViewIndicesStatsDescription": "システム管理者にお問い合わせください。", + "xpack.apm.storageExplorer.noPermissionToViewIndicesStatsTitle": "インデックス統計情報を表示するには、権限が必要です", + "xpack.apm.storageExplorer.resources.accordionTitle": "ヒント", + "xpack.apm.storageExplorer.resources.compressedSpans.description": "スパン圧縮を有効にします。スパン圧縮では、複数の類似したスパンを1つのスパンに圧縮するため、データと転送のコストを削減できます。", + "xpack.apm.storageExplorer.resources.compressedSpans.title": "スパンを減らす", + "xpack.apm.storageExplorer.resources.documentation": "ドキュメント", + "xpack.apm.storageExplorer.resources.errorMessages.description": "より積極的なトランザクションサンプリングポリシーを設定します。トランザクションサンプリングにより、そのデータの有用性に悪影響を及ぼさずにインジェストされるデータの量が減ります。", + "xpack.apm.storageExplorer.resources.errorMessages.title": "トランザクションを減らす", + "xpack.apm.storageExplorer.resources.indexManagement": "インデックス管理", + "xpack.apm.storageExplorer.resources.learnMoreButton": "詳細", + "xpack.apm.storageExplorer.resources.samplingRate.description": "インデックスライフサイクルポリシーをカスタマイズします。インデックスライフサイクルポリシーでは、パフォーマンス、レリジエンス、保持要件に応じて、インデックスを管理できます。", + "xpack.apm.storageExplorer.resources.samplingRate.title": "インデックスライフサイクルを管理", + "xpack.apm.storageExplorer.resources.sendFeedback": "フィードバックを送信", + "xpack.apm.storageExplorer.resources.serviceInventory": "サービスインベントリ", + "xpack.apm.storageExplorer.resources.title": "リソース", + "xpack.apm.storageExplorer.serviceDetails.errors": "エラー", + "xpack.apm.storageExplorer.serviceDetails.metrics": "メトリック", + "xpack.apm.storageExplorer.serviceDetails.serviceOverviewLink": "サービス概要に移動", + "xpack.apm.storageExplorer.serviceDetails.spans": "スパン", + "xpack.apm.storageExplorer.serviceDetails.title": "サービスストレージ詳細", + "xpack.apm.storageExplorer.serviceDetails.transactions": "トランザクション", + "xpack.apm.storageExplorer.sizeLabel.description": "サービスごとの推定ストレージサイズ。この推定には、主およびレプリカシャードが含まれ、サービスのドキュメント数を合計ドキュメント数で除算した値でインデックスの合計サイズを按分することによって計算されます。", + "xpack.apm.storageExplorer.sizeLabel.title": "サイズ", + "xpack.apm.storageExplorer.summary.dailyDataGeneration": "日次データ生成", + "xpack.apm.storageExplorer.summary.diskSpaceUsedPct": "使用済みディスク容量", + "xpack.apm.storageExplorer.summary.diskSpaceUsedPct.tooltip": "現在Elasticsearch用に構成されている最大ストレージ容量と比較した、現在すべてのAPMインデックスで使用されているストレージ容量の割合。", + "xpack.apm.storageExplorer.summary.incrementalSize": "増分APMサイズ", + "xpack.apm.storageExplorer.summary.incrementalSize.tooltip": "選択したフィルターに基づく、APMインデックスで使用されている推定ストレージサイズ。", + "xpack.apm.storageExplorer.summary.indexManagementLink": "インデックス管理に移動", + "xpack.apm.storageExplorer.summary.numberOfServices": "サービスの数", + "xpack.apm.storageExplorer.summary.serviceInventoryLink": "サービスインベントリに移動", + "xpack.apm.storageExplorer.summary.totalSize": "合計APMサイズ", + "xpack.apm.storageExplorer.summary.totalSize.tooltip": "現在のすべてのAPMインデックスの合計ストレージサイズ。すべてのフィルターが無視されます。", + "xpack.apm.storageExplorer.summary.tracesPerMinute": "1 分あたりのトレース", + "xpack.apm.storageExplorer.table.caption": "ストレージエクスプローラー", + "xpack.apm.storageExplorer.table.collapse": "縮小", + "xpack.apm.storageExplorer.table.environmentColumnName": "環境", + "xpack.apm.storageExplorer.table.errorMessage": "取得できませんでした", + "xpack.apm.storageExplorer.table.expand": "拡張", + "xpack.apm.storageExplorer.table.expandRow": "行を展開", + "xpack.apm.storageExplorer.table.loading": "読み込み中...", + "xpack.apm.storageExplorer.table.noResults": "データが見つかりません", + "xpack.apm.storageExplorer.table.samplingColumnDescription": "合計スループットで除算された、抽出されたトランザクションの数。この値は、ヘッドベースのサンプリングを使用するときの初期サービスの決定、またはテイルベースのサンプリングを使用するときのポリシー群によって影響を受ける可能性があるため、構成されたトランザクションサンプルレートとは異なる場合があります。", + "xpack.apm.storageExplorer.table.samplingColumnName": "サンプルレート", + "xpack.apm.storageExplorer.table.serviceColumnName": "サービス", + "xpack.apm.storageExplorerLinkLabel": "ストレージエクスプローラー", "xpack.apm.technicalPreviewBadgeDescription": "この機能はテクニカルプレビュー中であり、将来のリリースでは変更されたり完全に削除されたりする場合があります。Elasticは最善の努力を講じてすべての問題の修正に努めますが、テクニカルプレビュー中の機能には正式なGA機能のサポートSLAが適用されません。", "xpack.apm.technicalPreviewBadgeLabel": "テクニカルプレビュー", "xpack.apm.timeComparison.label": "比較", "xpack.apm.timeComparison.select.dayBefore": "前の日", "xpack.apm.timeComparison.select.weekBefore": "前の週", + "xpack.apm.timeseries.endzone": "選択された時間範囲にはこのバケット全体は含まれていません。一部データが含まれている可能性があります。", "xpack.apm.toggleHeight.showLessButtonLabel": "表示する行数を減らす", "xpack.apm.toggleHeight.showMoreButtonLabel": "表示する行数を増やす", + "xpack.apm.traceExplorer.appName": "APM", + "xpack.apm.traceExplorer.criticalPathTab": "集約されたクリティカルパス", + "xpack.apm.traceExplorer.waterfallTab": "ウォーターフォール", "xpack.apm.traceOverview.topTracesTab": "上位のトレース", "xpack.apm.traceOverview.traceExplorerTab": "エクスプローラー", "xpack.apm.traceSearchBox.refreshButton": "検索", @@ -7822,6 +8121,7 @@ "xpack.apm.transactionDetails.statusCode": "ステータスコード", "xpack.apm.transactionDetails.syncBadgeAsync": "非同期", "xpack.apm.transactionDetails.syncBadgeBlocking": "ブロック", + "xpack.apm.transactionDetails.tabs.aggregatedCriticalPathLabel": "集約されたクリティカルパス", "xpack.apm.transactionDetails.tabs.failedTransactionsCorrelationsLabel": "失敗したトランザクションの相関関係", "xpack.apm.transactionDetails.tabs.latencyLabel": "遅延の相関関係", "xpack.apm.transactionDetails.tabs.traceSamplesLabel": "トレースのサンプル", @@ -7843,8 +8143,12 @@ "xpack.apm.transactionDurationAlert.aggregationType.99th": "99 パーセンタイル", "xpack.apm.transactionDurationAlert.aggregationType.avg": "平均", "xpack.apm.transactionDurationAlert.name": "レイテンシしきい値", + "xpack.apm.transactionDurationAnomalyRuleType.anomalySeverity": "異常と重要度があります", "xpack.apm.transactionDurationLabel": "期間", + "xpack.apm.transactionDurationRuleType.ms": "ms", + "xpack.apm.transactionDurationRuleType.when": "タイミング", "xpack.apm.transactionErrorRateAlert.name": "失敗したトランザクション率しきい値", + "xpack.apm.transactionErrorRateRuleType.isAbove": "より大きい", "xpack.apm.transactions.latency.chart.95thPercentileLabel": "95 パーセンタイル", "xpack.apm.transactions.latency.chart.99thPercentileLabel": "99 パーセンタイル", "xpack.apm.transactions.latency.chart.averageLabel": "平均", @@ -7861,6 +8165,8 @@ "xpack.apm.tutorial.agent_config.fleetPoliciesLabel": "Fleetポリシー", "xpack.apm.tutorial.agent_config.getStartedWithFleet": "Fleetの基本", "xpack.apm.tutorial.agent_config.manageFleetPolicies": "Fleetポリシーの管理", + "xpack.apm.tutorial.agent.column.configSettings": "構成設定", + "xpack.apm.tutorial.agent.column.configValue": "構成名", "xpack.apm.tutorial.apmAgents.statusCheck.btnLabel": "エージェントステータスを確認", "xpack.apm.tutorial.apmAgents.statusCheck.errorMessage": "エージェントからまだデータを受け取っていません", "xpack.apm.tutorial.apmAgents.statusCheck.successMessage": "1 つまたは複数のエージェントからデータを受け取りました", @@ -7979,26 +8285,34 @@ "xpack.apm.views.dependenciesInventory.title": "依存関係", "xpack.apm.views.dependenciesOperations.title": "演算", "xpack.apm.views.errors.title": "エラー", + "xpack.apm.views.infra.tabs.containers": "コンテナー", + "xpack.apm.views.infra.tabs.hosts": "ホスト", + "xpack.apm.views.infra.tabs.pods": "ポッド", "xpack.apm.views.infra.title": "インフラストラクチャー", "xpack.apm.views.listSettings.title": "設定", "xpack.apm.views.logs.title": "ログ", "xpack.apm.views.metrics.title": "メトリック", - "xpack.apm.views.nodes.title": "JVM", + "xpack.apm.views.nodes.title": "メトリック", "xpack.apm.views.overview.title": "概要", "xpack.apm.views.serviceGroups.title": "サービス", "xpack.apm.views.serviceInventory.title": "サービス", "xpack.apm.views.serviceMap.title": "サービスマップ", "xpack.apm.views.settings.agentConfiguration.title": "エージェントの編集", + "xpack.apm.views.settings.agentExplorer.title": "エージェントエクスプローラー", "xpack.apm.views.settings.agentKeys.title": "エージェントキー", "xpack.apm.views.settings.anomalyDetection.title": "異常検知", "xpack.apm.views.settings.createAgentConfiguration.title": "エージェント構成の作成", "xpack.apm.views.settings.customLink.title": "カスタムリンク", "xpack.apm.views.settings.editAgentConfiguration.title": "エージェント構成の編集", + "xpack.apm.views.settings.generalSettings.title": "一般設定", "xpack.apm.views.settings.indices.title": "インデックス", "xpack.apm.views.settings.schema.title": "スキーマ", + "xpack.apm.views.storageExplorer.giveFeedback": "フィードバックを作成する", + "xpack.apm.views.storageExplorer.title": "ストレージエクスプローラー", "xpack.apm.views.traceOverview.title": "トレース", "xpack.apm.views.transactions.title": "トランザクション", "xpack.apm.waterfall.exceedsMax": "このトレースの項目数は表示されている範囲を超えています", + "xpack.apm.waterfall.showCriticalPath": "クリティカルパスを表示", "xpack.banners.settings.backgroundColor.description": "バナーの背景色。{subscriptionLink}", "xpack.banners.settings.placement.description": "Elasticヘッダーの上に、このスペースの上部のバナーを表示します。{subscriptionLink}", "xpack.banners.settings.text.description": "マークダウン形式のテキストをバナーに追加します。{subscriptionLink}", @@ -8297,6 +8611,8 @@ "xpack.canvas.elements.metricVisHelpText": "メトリックビジュアライゼーション", "xpack.canvas.elements.pieDisplayName": "円", "xpack.canvas.elements.pieHelpText": "円グラフ", + "xpack.canvas.elements.pieVisDisplayName": "(新規)円グラフの可視化", + "xpack.canvas.elements.pieVisHelpText": "パイビジュアライゼーション", "xpack.canvas.elements.plotDisplayName": "座標プロット", "xpack.canvas.elements.plotHelpText": "折れ線、棒、点の組み合わせです", "xpack.canvas.elements.progressGaugeDisplayName": "ゲージ", @@ -8738,8 +9054,14 @@ "xpack.canvas.uis.arguments.numberTitle": "数字", "xpack.canvas.uis.arguments.paletteLabel": "要素を表示するために使用される色のコレクション", "xpack.canvas.uis.arguments.paletteTitle": "カラーパレット", + "xpack.canvas.uis.arguments.partitionLabelsLabel": "ラベル設定", + "xpack.canvas.uis.arguments.partitionLabelsTitle": "パーティションラベル", "xpack.canvas.uis.arguments.percentageLabel": "パーセンテージのスライダー ", "xpack.canvas.uis.arguments.percentageTitle": "割合(%)", + "xpack.canvas.uis.arguments.percentDecimals": "割合の小数部桁数", + "xpack.canvas.uis.arguments.positionDefaultLabel": "デフォルト", + "xpack.canvas.uis.arguments.positionInsideLabel": "内部", + "xpack.canvas.uis.arguments.positionLabel": "位置", "xpack.canvas.uis.arguments.rangeLabel": "範囲内の値のスライダー", "xpack.canvas.uis.arguments.rangeTitle": "範囲", "xpack.canvas.uis.arguments.selectLabel": "ドロップダウンの複数オプションから選択", @@ -8754,6 +9076,12 @@ "xpack.canvas.uis.arguments.textareaTitle": "テキストエリア", "xpack.canvas.uis.arguments.toggleLabel": "true/false トグルスイッチ", "xpack.canvas.uis.arguments.toggleTitle": "切り替え", + "xpack.canvas.uis.arguments.turnedOffShowLabelsLabel": "ラベル設定表示への切り替え", + "xpack.canvas.uis.arguments.valuesFormatLabel": "値の形式", + "xpack.canvas.uis.arguments.valuesFormatPercentLabel": "割合(%)", + "xpack.canvas.uis.arguments.valuesFormatValueLabel": "値", + "xpack.canvas.uis.arguments.valuesLabel": "値", + "xpack.canvas.uis.arguments.valuesToggle": "値を表示", "xpack.canvas.uis.arguments.visDimensionDefaultOptionName": "列を選択", "xpack.canvas.uis.arguments.visDimensionLabel": "visConfig ディメンションオブジェクトを生成します", "xpack.canvas.uis.arguments.visDimensionTitle": "列", @@ -8765,8 +9093,8 @@ "xpack.canvas.uis.dataSources.esdocs.fieldsLabel": "スクリプトフィールドを利用できません", "xpack.canvas.uis.dataSources.esdocs.fieldsTitle": "フィールド", "xpack.canvas.uis.dataSources.esdocs.fieldsWarningLabel": "このデータソースは、10 個以下のフィールドで最も高い性能を発揮します", - "xpack.canvas.uis.dataSources.esdocs.indexLabel": "インデックス名を入力するか、データビューを選択してください", - "xpack.canvas.uis.dataSources.esdocs.indexTitle": "インデックス", + "xpack.canvas.uis.dataSources.esdocs.indexLabel": "インデックス名を入力するか、データビューを選択してください。", + "xpack.canvas.uis.dataSources.esdocs.indexTitle": "データビュー", "xpack.canvas.uis.dataSources.esdocs.queryTitle": "クエリ", "xpack.canvas.uis.dataSources.esdocs.sortFieldLabel": "ドキュメント並べ替えフィールド", "xpack.canvas.uis.dataSources.esdocs.sortFieldTitle": "並べ替えフィールド", @@ -8808,6 +9136,21 @@ "xpack.canvas.uis.models.math.args.valueLabel": "データソースから値を抽出する際に使用する関数と列", "xpack.canvas.uis.models.math.args.valueTitle": "値", "xpack.canvas.uis.models.mathTitle": "メジャー", + "xpack.canvas.uis.models.parititionLabels.title": "グラフラベルの設定", + "xpack.canvas.uis.models.partitionLabels.args.percentDecimalsDisplayName": "ラベルの割合の小数部桁数", + "xpack.canvas.uis.models.partitionLabels.args.percentDecimalsHelp": "割合として値に表示される10進数を定義します", + "xpack.canvas.uis.models.partitionLabels.args.positionDefaultOption": "デフォルト", + "xpack.canvas.uis.models.partitionLabels.args.positionDisplayName": "ラベル位置を定義します", + "xpack.canvas.uis.models.partitionLabels.args.positionInsideOption": "内部", + "xpack.canvas.uis.models.partitionLabels.args.positionTitle": "ラベル位置を定義します", + "xpack.canvas.uis.models.partitionLabels.args.showDisplayName": "グラフにラベルを表示", + "xpack.canvas.uis.models.partitionLabels.args.showTitle": "ラベルを表示", + "xpack.canvas.uis.models.partitionLabels.args.valuesDisplayName": "ラベルに値を表示", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatDisplayName": "値の形式を定義します", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatHelp": "値の形式を定義します", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatPercentDisplayName": "割合(%)", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatValueDisplayName": "値", + "xpack.canvas.uis.models.partitionLabels.args.valuesHelp": "ラベルに値を表示", "xpack.canvas.uis.models.pointSeries.args.colorLabel": "マークまたは数列の色を決定します", "xpack.canvas.uis.models.pointSeries.args.colorTitle": "色", "xpack.canvas.uis.models.pointSeries.args.sizeLabel": "マークのサイズを決定します", @@ -8893,6 +9236,56 @@ "xpack.canvas.uis.views.openLinksInNewTabHelpLabel": "リンクを新しいタブで開くように設定します", "xpack.canvas.uis.views.openLinksInNewTabLabel": "すべてのリンクを新しいタブで開きます", "xpack.canvas.uis.views.openLinksInNewTabTitle": "Markdown リンクの設定", + "xpack.canvas.uis.views.partitionVis.args.addTooltipDisplayName": "ツールチップ", + "xpack.canvas.uis.views.partitionVis.args.addTooltipHelp": "カーソルを置いたときにツールチップを表示", + "xpack.canvas.uis.views.partitionVis.args.addTooltipToggleLabel": "ツールヒントを表示", + "xpack.canvas.uis.views.partitionVis.args.bucketDisplayName": "バケット", + "xpack.canvas.uis.views.partitionVis.args.bucketHelp": "バケットディメンション構成", + "xpack.canvas.uis.views.partitionVis.args.distictColorsToggleLabel": "異なる色を使用", + "xpack.canvas.uis.views.partitionVis.args.distinctColorsDisplayName": "スライス色", + "xpack.canvas.uis.views.partitionVis.args.distinctColorsHelp": "等しくない値のスライスで異なる色を使用", + "xpack.canvas.uis.views.partitionVis.args.emptySizeRatioDisplayName": "ドーナッツ穴サイズ", + "xpack.canvas.uis.views.partitionVis.args.emptySizeRatioHelp": "ドーナッツ穴の内径を設定", + "xpack.canvas.uis.views.partitionVis.args.isDonutDisplayName": "ドーナッツ", + "xpack.canvas.uis.views.partitionVis.args.isDonutHelp": "ドーナッツグラフを表示", + "xpack.canvas.uis.views.partitionVis.args.labelsDisplayName": "ラベル設定", + "xpack.canvas.uis.views.partitionVis.args.labelsHelp": "ラベル設定を表示", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayDefaultLabel": "デフォルト", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayHideLabel": "非表示", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayLabel": "円グラフの凡例を表示または非表示", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayShowLabel": "表示", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayTitle": "凡例ビュー", + "xpack.canvas.uis.views.partitionVis.args.legendPositionBottomLabel": "一番下", + "xpack.canvas.uis.views.partitionVis.args.legendPositionLabel": "凡例位置を上、下、左、右に設定", + "xpack.canvas.uis.views.partitionVis.args.legendPositionLeftLabel": "左", + "xpack.canvas.uis.views.partitionVis.args.legendPositionRightLabel": "右", + "xpack.canvas.uis.views.partitionVis.args.legendPositionTitle": "配置", + "xpack.canvas.uis.views.partitionVis.args.legendPositionTopLabel": "トップ", + "xpack.canvas.uis.views.partitionVis.args.maxLegendLinesDisplayName": "凡例の最大行数", + "xpack.canvas.uis.views.partitionVis.args.maxLegendLinesHelp": "各凡例項目の行の最大数を設定します", + "xpack.canvas.uis.views.partitionVis.args.metricDisplayName": "メトリック", + "xpack.canvas.uis.views.partitionVis.args.metricHelp": "メトリックディメンション構成", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendDisplayName": "詳細凡例", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendHelp": "凡例に詳細を含めます", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendToggleLabel": "詳細を表示", + "xpack.canvas.uis.views.partitionVis.args.paletteHelp": "円グラフのスライスの色を指定します", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderDisplayName": "データの順序", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderHelp": "並べ替える代わりに、元の順序でデータを表示します", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderToggleLabel": "元の順序を使用", + "xpack.canvas.uis.views.partitionVis.args.splitColumnDisplayName": "分割列", + "xpack.canvas.uis.views.partitionVis.args.splitColumnHelp": "列ディメンション構成を分割", + "xpack.canvas.uis.views.partitionVis.args.splitRowDisplayName": "行を分割", + "xpack.canvas.uis.views.partitionVis.args.splitRowHelp": "行ディメンション構成を分割", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceDisplayName": "スライス配置", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceHelp": "円グラフの最初の位置に2番目に大きいスライスを配置します", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceToggleLabel": "2番目のスライスから開始", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendDisplayName": "凡例テキスト", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendHelp": "最大幅に達したときに凡例を切り捨てます", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendToggleLabel": "長いときに切り捨て", + "xpack.canvas.uis.views.partitionVis.options.enableHelp": "有効にする", + "xpack.canvas.uis.views.partitionVis.options.saveHelp": "保存", + "xpack.canvas.uis.views.partitionVis.options.showHelp": "表示", + "xpack.canvas.uis.views.partitionVis.options.truncateHelp": "切り捨て", "xpack.canvas.uis.views.pie.args.holeLabel": "穴の半径", "xpack.canvas.uis.views.pie.args.holeTitle": "内半径", "xpack.canvas.uis.views.pie.args.labelRadiusLabel": "円グラフの中心からラベルまでの距離です", @@ -8907,6 +9300,7 @@ "xpack.canvas.uis.views.pie.args.tiltLabel": "100 が完全に垂直、0 が完全に水平を表す傾きのパーセンテージです", "xpack.canvas.uis.views.pie.args.tiltTitle": "傾斜角度", "xpack.canvas.uis.views.pieTitle": "チャートスタイル", + "xpack.canvas.uis.views.pieVisTitle": "(新規)円グラフのビジュアライゼーション", "xpack.canvas.uis.views.plot.args.defaultStyleLabel": "上書きされない限りすべての数列にデフォルトで使用されるスタイルを設定します", "xpack.canvas.uis.views.plot.args.defaultStyleTitle": "デフォルトのスタイル", "xpack.canvas.uis.views.plot.args.legendLabel": "凡例の無効化・配置", @@ -9162,6 +9556,17 @@ "xpack.canvas.workpadTemplates.table.tagsColumnTitle": "タグ", "xpack.cases.actions.caseAlertSuccessToast": "{quantity, plural, other {アラート}}が\"{title}\"に追加されました", "xpack.cases.actions.caseSuccessToast": "{title}が更新されました", + "xpack.cases.actions.closedCases": "{totalCases, plural, =1 {\"{caseTitle}\"} other {{totalCases}件のケース}}をクローズしました", + "xpack.cases.actions.markInProgressCases": "{totalCases, plural, =1 {\"{caseTitle}\"} other {{totalCases}件のケース}}を進行中に設定しました", + "xpack.cases.actions.reopenedCases": "{totalCases, plural, =1 {\"{caseTitle}\"} other {{totalCases}件のケース}}をオープンしました", + "xpack.cases.actions.severity": "{totalCases, plural, =1 {ケース\"{caseTitle}\"} other {{totalCases}件のケース}}が{severity}に設定されました", + "xpack.cases.actions.tags.headerSubtitle": "選択したケース:{totalCases}", + "xpack.cases.actions.tags.selectedTags": "選択済み:{selectedTags}", + "xpack.cases.actions.tags.totalTags": "合計タグ:{totalTags}", + "xpack.cases.allCasesView.severityWithValue": "深刻度:{severity}", + "xpack.cases.allCasesView.showMoreAvatars": "他 {count} 件", + "xpack.cases.allCasesView.statusWithValue": "ステータス:{status}", + "xpack.cases.allCasesView.totalFilteredUsers": "{total, plural, other {# 個のフィルター}}が選択されました", "xpack.cases.caseTable.caseDetailsLinkAria": "クリックすると、タイトル{detailName}のケースを表示します", "xpack.cases.caseTable.pushLinkAria": "クリックすると、{ thirdPartyName }でインシデントを表示します。", "xpack.cases.caseTable.selectedCasesTitle": "{totalRules} {totalRules, plural, other {ケース}} を選択しました", @@ -9169,6 +9574,8 @@ "xpack.cases.caseTable.unit": "{totalCount, plural, other {ケース}}", "xpack.cases.caseView.actionLabel.selectedThirdParty": "インシデント管理システムとして{ thirdParty }を選択しました", "xpack.cases.caseView.actionLabel.viewIncident": "{incidentNumber}を表示", + "xpack.cases.caseView.alerts.multipleAlerts": "{totalAlerts, plural, other {{totalAlerts}}} {totalAlerts, plural, other {件のアラート}}", + "xpack.cases.caseView.alerts.removeAlerts": "{totalAlerts, plural, other {件のアラート}}を削除", "xpack.cases.caseView.alreadyPushedToExternalService": "すでに{ externalService }インシデントにプッシュしました", "xpack.cases.caseView.doesNotExist.description": "ID {caseId} のケースが見つかりませんでした。一般的には、これはケースが削除されたか、IDが正しくないことを意味します。", "xpack.cases.caseView.emailBody": "ケースリファレンス:{caseUrl}", @@ -9181,6 +9588,7 @@ "xpack.cases.caseView.pushToServiceDisableByLicenseDescription": "{appropriateLicense}があるか、{cloud}を使用しているか、無償試用版をテストしているときには、外部システムでケースを開くことができます。", "xpack.cases.caseView.requiredUpdateToExternalService": "{ externalService }インシデントの更新が必要です", "xpack.cases.caseView.sendEmalLinkAria": "クリックすると、{user}に電子メールを送信します", + "xpack.cases.caseView.totalUsersAssigned": "{total}が割り当てられました", "xpack.cases.caseView.updateNamedIncident": "{ thirdParty }インシデントを更新", "xpack.cases.configure.connectorDeletedOrLicenseWarning": "選択したコネクターが削除されたか、使用するための{appropriateLicense}がありません。別のコネクターを選択するか、新しいコネクターを作成してください。", "xpack.cases.configureCases.fieldMappingDesc": "データを{ thirdPartyName }にプッシュするときに、ケースフィールドを{ thirdPartyName }フィールドにマッピングします。フィールドマッピングでは、{ thirdPartyName } への接続を確立する必要があります。", @@ -9190,31 +9598,56 @@ "xpack.cases.configureCases.updateSelectedConnector": "{ connectorName }を更新", "xpack.cases.configureCases.warningMessage": "更新を外部サービスに送信するために使用されるコネクターが削除されたか、使用するための{appropriateLicense}がありません。外部システムでケースを更新するには、別のコネクターを選択するか、新しいコネクターを作成してください。", "xpack.cases.confirmDeleteCase.confirmQuestion": "{quantity, plural, =1 {このケース} other {これらのケース}}を削除すると、関連するすべてのケースデータが完全に削除され、外部インシデント管理システムにデータをプッシュできなくなります。続行していいですか?", - "xpack.cases.confirmDeleteCase.deleteCase": "{quantity, plural, other {ケース}}を削除", + "xpack.cases.confirmDeleteCase.deleteCase": "{quantity, plural, =1 {件のケース} other {{quantity}件のケース}}", "xpack.cases.confirmDeleteCase.deleteTitle": "「{caseTitle}」を削除", "xpack.cases.connecors.get.missingCaseConnectorErrorMessage": "オブジェクトタイプ「{id}」は登録されていません。", "xpack.cases.connecors.register.duplicateCaseConnectorErrorMessage": "オブジェクトタイプ「{id}」はすでに登録されています。", "xpack.cases.connectors.card.createCommentWarningDesc": "コメントを外部で共有するには、{connectorName}コネクターの[コメントURLを作成]および[コメントオブジェクトを作成]フィールドを構成します。", "xpack.cases.connectors.jira.unableToGetIssueMessage": "ID {id}の問題を取得できません", + "xpack.cases.containers.deletedCases": "{totalCases, plural, =1 {件のケース} other {{totalCases}件のケース}}を削除しました", + "xpack.cases.containers.editedCases": "{totalCases, plural, =1 {件のケース} other {{totalCases}件のケース}}を編集しました", "xpack.cases.containers.pushToExternalService": "{ serviceName }への送信が正常に完了しました", "xpack.cases.containers.syncCase": "\"{caseTitle}\"のアラートが同期されました", "xpack.cases.containers.updatedCase": "\"{caseTitle}\"を更新しました", + "xpack.cases.create.invalidAssignees": "ケースに割り当てられる担当者は{maxAssignees}人以下です。", "xpack.cases.createCase.maxLengthError": "{field}の長さが長すぎます。最大長は{length}です。", "xpack.cases.header.editableTitle.editButtonAria": "クリックすると {title} を編集できます", "xpack.cases.noPrivileges.message": "{pageName}ページを表示するには、権限を更新する必要があります。詳細については、Kibana管理者に連絡してください。", + "xpack.cases.platinumLicenseCalloutMessage": "{appropriateLicense}があるか、{cloud}を使用しているか、無償試用版をテストしているときには、ユーザーをケースに割り当てるか、外部システムでケースを開くことができます。", "xpack.cases.registry.get.missingItemErrorMessage": "項目\"{id}\"はレジストリ{name}に登録されていません", "xpack.cases.registry.register.duplicateItemErrorMessage": "項目\"{id}\"はすでにレジストリ{name}に登録されています", + "xpack.cases.server.addedBy": "{user}によって追加", + "xpack.cases.server.alertsUrl": "アラートURL:{url}", + "xpack.cases.server.caseUrl": "ケースURL:{url}", + "xpack.cases.userProfile.maxSelectedAssignees": "最大数の{count, plural, other {# 担当者}}を選択しました", "xpack.cases.actions.caseAlertSuccessSyncText": "アラートステータスはケースステータスと同期されます。", + "xpack.cases.actions.deleteMultipleCases": "ケースを削除", + "xpack.cases.actions.deleteSingleCase": "ケースを削除", + "xpack.cases.actions.status.close": "選択した項目を閉じる", + "xpack.cases.actions.status.inProgress": "実行中に設定", + "xpack.cases.actions.status.open": "選択した項目を開く", + "xpack.cases.actions.tags.edit": "タグの編集", + "xpack.cases.actions.tags.saveSelection": "選択の保存", + "xpack.cases.actions.tags.searchPlaceholder": "検索", + "xpack.cases.actions.tags.selectAll": "すべて選択", + "xpack.cases.actions.tags.selectNone": "どれも選択しません", "xpack.cases.actions.viewCase": "ケースの表示", "xpack.cases.addConnector.title": "コネクターの追加", "xpack.cases.allCases.actions": "アクション", "xpack.cases.allCases.comments": "コメント", "xpack.cases.allCases.noTagsAvailable": "利用可能なタグがありません", + "xpack.cases.allCasesView.filterAssignees.clearFilters": "フィルターを消去", + "xpack.cases.allCasesView.filterAssignees.noAssigneesLabel": "担当者なし", + "xpack.cases.allCasesView.filterAssigneesAriaLabel": "クリックすると、担当者でフィルタリングします", + "xpack.cases.allCasesView.showLessAvatars": "縮小表示", "xpack.cases.badge.readOnly.text": "読み取り専用", "xpack.cases.badge.readOnly.tooltip": "ケースを作成または編集できません", "xpack.cases.breadcrumbs.all_cases": "ケース", "xpack.cases.breadcrumbs.configure_cases": "構成", "xpack.cases.breadcrumbs.create_case": "作成", + "xpack.cases.callout.appropriateLicense": "適切なライセンス", + "xpack.cases.callout.cloudDeploymentLink": "クラウド展開", + "xpack.cases.callout.updateToPlatinumTitle": "適切なライセンスにアップグレード", "xpack.cases.casesStats.mttr": "クローズまでの平均時間", "xpack.cases.casesStats.mttrDescription": "現在のアセットの平均期間(作成から終了まで)", "xpack.cases.caseTable.bulkActions": "一斉アクション", @@ -9250,6 +9683,12 @@ "xpack.cases.caseView.actionLabel.updateIncident": "インシデントを更新しました", "xpack.cases.caseView.activity": "アクティビティ", "xpack.cases.caseView.alertCommentLabelTitle": "アラートを追加しました", + "xpack.cases.caseView.alerts.remove": "削除", + "xpack.cases.caseView.assigned": "割り当て済み", + "xpack.cases.caseView.assignee.and": "AND", + "xpack.cases.caseView.assignee.themselves": "自分自身", + "xpack.cases.caseView.assignUser": "ユーザーを割り当て", + "xpack.cases.caseView.assignYourself": "自分自身を割り当て", "xpack.cases.caseView.backLabel": "ケースに戻る", "xpack.cases.caseView.cancel": "キャンセル", "xpack.cases.caseView.case": "ケース", @@ -9264,6 +9703,7 @@ "xpack.cases.caseView.comment": "コメント", "xpack.cases.caseView.comment.addComment": "コメントを追加", "xpack.cases.caseView.comment.addCommentHelpText": "新しいコメントを追加...", + "xpack.cases.caseView.commentFieldRequiredError": "コメントが必要です。", "xpack.cases.caseView.connectors": "外部インシデント管理システム", "xpack.cases.caseView.copyCommentLinkAria": "参照リンクをコピー", "xpack.cases.caseView.create": "ケースを作成", @@ -9282,6 +9722,7 @@ "xpack.cases.caseView.edit.description": "説明を編集", "xpack.cases.caseView.edit.quote": "お客様の声", "xpack.cases.caseView.editActionsLinkAria": "クリックすると、すべてのアクションを表示します", + "xpack.cases.caseView.editAssigneesAriaLabel": "クリックすると、担当者を編集します", "xpack.cases.caseView.editTagsLinkAria": "クリックすると、タグを編集します", "xpack.cases.caseView.errorsPushServiceCallOutTitle": "外部コネクターを選択", "xpack.cases.caseView.fieldChanged": "変更されたコネクターフィールド", @@ -9304,6 +9745,7 @@ "xpack.cases.caseView.metrics.totalConnectors": "コネクターの合計数", "xpack.cases.caseView.moveToCommentAria": "参照されたコメントをハイライト", "xpack.cases.caseView.name": "名前", + "xpack.cases.caseView.noAssignees": "ユーザーが割り当てられていません。", "xpack.cases.caseView.noReportersAvailable": "利用可能なレポートがありません。", "xpack.cases.caseView.noTags": "現在、このケースにタグは割り当てられていません。", "xpack.cases.caseView.openCase": "ケースを開く", @@ -9322,6 +9764,7 @@ "xpack.cases.caseView.showAlertTableTooltip": "アラートを表示", "xpack.cases.caseView.showAlertTooltip": "アラートの詳細を表示", "xpack.cases.caseView.solution": "ソリューション", + "xpack.cases.caseView.spacedOrText": " または ", "xpack.cases.caseView.statusLabel": "ステータス", "xpack.cases.caseView.syncAlertsLabel": "アラートの同期", "xpack.cases.caseView.syncAlertsLowercaseLabel": "アラートの同期", @@ -9330,6 +9773,7 @@ "xpack.cases.caseView.tabs.alerts.emptyDescription": "アラートはこのケースに追加されませんでした。", "xpack.cases.caseView.tags": "タグ", "xpack.cases.caseView.to": "に", + "xpack.cases.caseView.unAssigned": "割り当てなし", "xpack.cases.caseView.unknown": "不明", "xpack.cases.caseView.unknownRule.label": "不明なルール", "xpack.cases.caseView.updateThirdPartyIncident": "外部インシデントを更新", @@ -9404,6 +9848,8 @@ "xpack.cases.containers.errorDeletingTitle": "データの削除エラー", "xpack.cases.containers.errorTitle": "データの取得中にエラーが発生", "xpack.cases.containers.statusChangeToasterText": "関連付けられたアラートのステータスを更新します。", + "xpack.cases.containers.updatedCases": "更新されたケース", + "xpack.cases.create.assignYourself": "自分自身を割り当て", "xpack.cases.create.stepOneTitle": "ケースフィールド", "xpack.cases.create.stepThreeTitle": "外部コネクターフィールド", "xpack.cases.create.stepTwoTitle": "ケース設定", @@ -9463,6 +9909,9 @@ "xpack.cases.recentCases.recentlyCreatedCasesButtonLabel": "最近作成したケース", "xpack.cases.recentCases.startNewCaseLink": "新しいケースの開始", "xpack.cases.recentCases.viewAllCasesLink": "すべてのケースを表示", + "xpack.cases.server.unknown": "不明", + "xpack.cases.server.viewAlertsInKibana": "詳細については、Kibanaでアラートを確認してください", + "xpack.cases.server.viewCaseInKibana": "詳細については、Kibanaでこのケースを確認してください", "xpack.cases.settings.syncAlertsSwitchLabelOff": "オフ", "xpack.cases.settings.syncAlertsSwitchLabelOn": "オン", "xpack.cases.severity.all": "すべての重要度", @@ -9473,8 +9922,20 @@ "xpack.cases.severity.title": "深刻度", "xpack.cases.status.all": "すべてのステータス", "xpack.cases.status.iconAria": "ステータスの変更", + "xpack.cases.userActions.attachment": "添付ファイル", "xpack.cases.userActions.attachmentNotRegisteredErrorMsg": "アラートタイプが登録されていません", "xpack.cases.userActions.defaultEventAttachmentTitle": "タイプの添付ファイルが追加されました", + "xpack.cases.userActions.deleteAttachment": "添付ファイルの削除", + "xpack.cases.userProfile.assigneesTitle": "担当者", + "xpack.cases.userProfile.editAssignees": "担当者の編集", + "xpack.cases.userProfile.missingProfile": "ユーザープロファイルが見つかりません", + "xpack.cases.userProfile.removeAssigneeAriaLabel": "クリックすると、担当者を削除します", + "xpack.cases.userProfile.removeAssigneeToolTip": "担当者の削除", + "xpack.cases.userProfile.selectableSearchPlaceholder": "ユーザーの検索", + "xpack.cases.userProfile.suggestUsers.removeAssignees": "すべての担当者の削除", + "xpack.cases.userProfiles.learnPrivileges": "どの権限がケースへのアクセスを付与するのかに関する詳細をご覧ください。", + "xpack.cases.userProfiles.modifySearch": "検索を変更するか、ユーザーの権限を確認してください。", + "xpack.cases.userProfiles.userDoesNotExist": "ユーザーが存在しないか、使用できません", "xpack.crossClusterReplication.app.deniedPermissionDescription": "クラスター横断レプリケーションを使用するには、{clusterPrivilegesCount, plural, other {次のクラスター特権}}が必要です:{clusterPrivileges}。", "xpack.crossClusterReplication.autoFollowPattern.leaderIndexPatternValidation.illegalCharacters": "インデックスパターンから{characterListLength, plural, other {文字}} {characterList} を削除してください。", "xpack.crossClusterReplication.autoFollowPattern.pauseAction.errorMultipleNotificationTitle": "{count} 自動フォローパターンの一時停止エラー", @@ -9790,36 +10251,78 @@ "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundForNameTitle": " \"{name}\"", "xpack.csp.benchmarks.totalIntegrationsCountMessage": "{pageCount}/{totalCount, plural, other {#個の統合}}を表示しています", "xpack.csp.cloudPosturePage.errorRenderer.errorDescription": "{error} {statusCode}: {body}", + "xpack.csp.cloudPosturePage.packageNotInstalled.description": "{integrationFullName}(KSPM)統合は、CISの推奨事項に照らしてKubernetesクラスター設定を測定します。", + "xpack.csp.complianceDashboard.complianceByCisSection.complianceColumnTooltip": "{passed}/{total}", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsDescription": "この統合では、一部のCISベンチマークルールを実行するために昇格されたアクセス権が必要です。必要な資格情報を生成するには、{link}に従ってください。", + "xpack.csp.dashboard.benchmarkSection.clusterTitle": "{title} - {shortId}", + "xpack.csp.dashboard.benchmarkSection.clusterTitleTooltip.clusterTitle": "{title} - {shortId}", + "xpack.csp.dashboard.benchmarkSection.lastEvaluatedTitle": "前回の評価{dateFromNow}", "xpack.csp.findings.distributionBar.showingPageOfTotalLabel": "{total}件中{pageStart}-{pageEnd}件の{type}を表示しています", "xpack.csp.findings.findingsByResourceTable.failedFindingsToolTip": "{total}件中{failed}件", "xpack.csp.findings.findingsTableCell.addFilterButton": "{field}フィルターを追加", "xpack.csp.findings.findingsTableCell.addNegateFilterButton": "{field}否定フィルターを追加", + "xpack.csp.findings.resourceFindings.resourceFindingsPageTitle": "{resourceName} - 調査結果", "xpack.csp.rules.header.rulesCountLabel": "{count, plural, other {個のルール}}", "xpack.csp.rules.header.totalRulesCount": "{rules}を表示しています", "xpack.csp.rules.rulePageHeader.pageHeaderTitle": "ルール - {integrationName}", + "xpack.csp.subscriptionNotAllowed.promptDescription": "これらのクラウドセキュリティ機能を使用するには、{link}する必要があります。", "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundTitle": "ベンチマーク統合が見つかりません", "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundWithFiltersTitle": "上記のフィルターでベンチマーク統合が見つかりませんでした。", "xpack.csp.benchmarks.benchmarkSearchField.searchPlaceholder": "例:ベンチマーク名", + "xpack.csp.benchmarks.benchmarksPageHeader.addKSPMIntegrationButtonLabel": "KSPM統合の追加", "xpack.csp.benchmarks.benchmarksPageHeader.benchmarkIntegrationsTitle": "ベンチマーク統合", "xpack.csp.benchmarks.benchmarksTable.agentPolicyColumnTitle": "エージェントポリシー", "xpack.csp.benchmarks.benchmarksTable.createdAtColumnTitle": "作成日時:", "xpack.csp.benchmarks.benchmarksTable.createdByColumnTitle": "作成者", + "xpack.csp.benchmarks.benchmarksTable.deploymentTypeColumnTitle": "デプロイタイプ", "xpack.csp.benchmarks.benchmarksTable.integrationColumnTitle": "統合", + "xpack.csp.benchmarks.benchmarksTable.integrationNameColumnTitle": "統合名", "xpack.csp.benchmarks.benchmarksTable.numberOfAgentsColumnTitle": "エージェント数", + "xpack.csp.benchmarks.benchmarksTable.rulesColumnTitle": "ルール", "xpack.csp.cloudPosturePage.defaultNoDataConfig.pageTitle": "データが見つかりません", "xpack.csp.cloudPosturePage.defaultNoDataConfig.solutionNameLabel": "クラウドセキュリティ態勢", "xpack.csp.cloudPosturePage.errorRenderer.errorTitle": "クラウドセキュリティ態勢データを取得できませんでした", "xpack.csp.cloudPosturePage.loadingDescription": "読み込み中...", - "xpack.csp.cloudPosturePage.packageNotInstalled.buttonLabel": "CIS統合を追加", + "xpack.csp.cloudPosturePage.packageNotInstalled.buttonLabel": "KSPM統合の追加", + "xpack.csp.cloudPosturePage.packageNotInstalled.integrationNameLabel": "Kubernetesセキュリティ態勢管理", "xpack.csp.cloudPosturePage.packageNotInstalled.pageTitle": "開始するには統合をインストールしてください", "xpack.csp.cloudPosturePage.packageNotInstalled.solutionNameLabel": "クラウドセキュリティ態勢", + "xpack.csp.cloudPostureScoreChart.counterLink.failedFindingsTooltip": "失敗した調査結果", + "xpack.csp.cloudPostureScoreChart.counterLink.passedFindingsTooltip": "合格した調査結果", + "xpack.csp.createPackagePolicy.customAssetsTab.dashboardViewLabel": "CSPダッシュボードを表示", + "xpack.csp.createPackagePolicy.customAssetsTab.findingsViewLabel": "CSP調査結果を表示 ", + "xpack.csp.createPackagePolicy.customAssetsTab.rulesViewLabel": "CSPルールを表示 ", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.accessKeyIdFieldLabel": "アクセスキーID", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsInstructionsLink": "これらの手順", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsNote": "資格情報を指定しない場合は、ベンチマークルールのサブネットのみがクラスターに対して評価されます。", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsTitle": "AWS認証情報", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.optionalField": "オプション", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.roleARNFieldLabel": "ARNロール", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.secretAccessKeyFieldLabel": "シークレットアクセスキー", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sessionTokenFieldLabel": "セッショントークン", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sharedCredentialFileFieldLabel": "資格情報プロファイル名", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sharedCredentialsFileFieldLabel": "共有資格情報ファイル", + "xpack.csp.createPackagePolicy.stepConfigure.integrationSettingsSection.kubernetesDeploymentLabel": "Kubernetesデプロイ", + "xpack.csp.createPackagePolicy.stepConfigure.integrationSettingsSection.kubernetesDeploymentLabelTooltip": "Kubernetesデプロイタイプを選択", "xpack.csp.cspEvaluationBadge.failLabel": "失敗", "xpack.csp.cspEvaluationBadge.passLabel": "合格", "xpack.csp.cspSettings.rules": "CSPセキュリティルール - ", + "xpack.csp.dashboard.benchmarkSection.clusterTitleTooltip.clusterPrefixTitle": "すべての調査結果を表示 ", + "xpack.csp.dashboard.benchmarkSection.defaultClusterTitle": "クラスターID", + "xpack.csp.dashboard.benchmarkSection.manageRulesButton": "ルールの管理", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.clusterNameTitle": "クラスター名", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.complianceByCisSectionTitle": "CISセクション別のコンプライアンス", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.complianceScoreTitle": "コンプライアンススコア", "xpack.csp.dashboard.cspPageTemplate.pageTitle": "クラウド態勢", "xpack.csp.dashboard.risksTable.cisSectionColumnLabel": "CISセクション", + "xpack.csp.dashboard.risksTable.clusterCardViewAllButtonTitle": "このクラスターの失敗した調査結果をすべて表示", + "xpack.csp.dashboard.risksTable.complianceColumnLabel": "コンプライアンス", "xpack.csp.dashboard.risksTable.viewAllButtonTitle": "すべてのフィールド調査結果を表示", "xpack.csp.dashboard.summarySection.cloudPostureScorePanelTitle": "クラウド態勢スコア", + "xpack.csp.dashboard.summarySection.complianceByCisSectionPanelTitle": "CISセクション別のコンプライアンス", + "xpack.csp.dashboard.summarySection.counterCard.clustersEvaluatedDescription": "評価されたクラスター", + "xpack.csp.dashboard.summarySection.counterCard.failingFindingsDescription": "失敗した調査結果", + "xpack.csp.dashboard.summarySection.counterCard.resourcesEvaluatedDescription": "評価されたリソース", "xpack.csp.expandColumnDescriptionLabel": "拡張", "xpack.csp.expandColumnNameLabel": "拡張", "xpack.csp.findings.distributionBar.totalFailedLabel": "失敗した調査結果", @@ -9845,8 +10348,10 @@ "xpack.csp.findings.findingsFlyout.overviewTab.indexTitle": "インデックス", "xpack.csp.findings.findingsFlyout.overviewTab.rationaleTitle": "根拠", "xpack.csp.findings.findingsFlyout.overviewTab.remediationTitle": "修正", + "xpack.csp.findings.findingsFlyout.overviewTab.resourceIdTitle": "リソースID", "xpack.csp.findings.findingsFlyout.overviewTab.resourceNameTitle": "リソース名", "xpack.csp.findings.findingsFlyout.overviewTab.ruleNameTitle": "ルール名", + "xpack.csp.findings.findingsFlyout.overviewTab.ruleTagsTitle": "ルールタグ", "xpack.csp.findings.findingsFlyout.overviewTabTitle": "概要", "xpack.csp.findings.findingsFlyout.resourceTab.hostAccordionTitle": "ホスト", "xpack.csp.findings.findingsFlyout.resourceTab.resourceAccordionTitle": "リソース", @@ -9859,6 +10364,7 @@ "xpack.csp.findings.findingsFlyout.ruleTab.nameTitle": "名前", "xpack.csp.findings.findingsFlyout.ruleTab.profileApplicabilityTitle": "プロファイル適用性", "xpack.csp.findings.findingsFlyout.ruleTab.referencesTitle": "基準", + "xpack.csp.findings.findingsFlyout.ruleTab.tagsTitle": "タグ", "xpack.csp.findings.findingsFlyout.ruleTabTitle": "ルール", "xpack.csp.findings.findingsTable.findingsTableColumn.clusterIdColumnLabel": "クラスターID", "xpack.csp.findings.findingsTable.findingsTableColumn.clusterIdColumnTooltipLabel": "Kube-System名前空間ID", @@ -9868,6 +10374,7 @@ "xpack.csp.findings.findingsTable.findingsTableColumn.resourceNameColumnLabel": "リソース名", "xpack.csp.findings.findingsTable.findingsTableColumn.resourceTypeColumnLabel": "リソースタイプ", "xpack.csp.findings.findingsTable.findingsTableColumn.resultColumnLabel": "結果", + "xpack.csp.findings.findingsTable.findingsTableColumn.ruleBenchmarkColumnLabel": "ベンチマーク", "xpack.csp.findings.findingsTable.findingsTableColumn.ruleColumnLabel": "ルール", "xpack.csp.findings.findingsTable.findingsTableColumn.ruleSectionColumnLabel": "CISセクション", "xpack.csp.findings.groupBySelector.groupByLabel": "グループ分けの条件", @@ -9879,8 +10386,17 @@ "xpack.csp.findings.resourceFindings.backToResourcesPageButtonLabel": "リソース別グループビューに戻る", "xpack.csp.findings.resourceFindings.noFindingsTitle": "調査結果はありません", "xpack.csp.findings.resourceFindings.tableRowTypeLabel": "調査結果", + "xpack.csp.findings.resourceFindingsSharedValues.clusterIdTitle": "クラスターID", + "xpack.csp.findings.resourceFindingsSharedValues.resourceIdTitle": "リソースID", + "xpack.csp.findings.resourceFindingsSharedValues.resourceTypeTitle": "リソースタイプ", "xpack.csp.findings.search.queryErrorToastMessage": "クエリエラー", "xpack.csp.findings.searchBar.searchPlaceholder": "検索結果(例:rule.section:\"API Server\")", + "xpack.csp.kspmIntegration.eksOption.benchmarkTitle": "CIS EKS", + "xpack.csp.kspmIntegration.eksOption.nameTitle": "EKS(Elastic Kubernetes Service)", + "xpack.csp.kspmIntegration.integration.nameTitle": "Kubernetesセキュリティ態勢管理", + "xpack.csp.kspmIntegration.integration.shortNameTitle": "KSPM", + "xpack.csp.kspmIntegration.vanillaOption.benchmarkTitle": "CIS Kubernetes", + "xpack.csp.kspmIntegration.vanillaOption.nameTitle": "管理されていないKubernetes", "xpack.csp.navigation.dashboardNavItemLabel": "クラウド態勢", "xpack.csp.navigation.findingsNavItemLabel": "調査結果", "xpack.csp.navigation.myBenchmarksNavItemLabel": "CSPベンチマーク", @@ -9896,9 +10412,14 @@ "xpack.csp.rules.ruleFlyout.overviewTabLabel": "概要", "xpack.csp.rules.ruleFlyout.remediationTabLabel": "修正", "xpack.csp.rules.rulesPageHeader.benchmarkIntegrationsButtonLabel": "ベンチマーク統合", + "xpack.csp.rules.rulesPageSharedValues.benchmarkTitle": "ベンチマーク", + "xpack.csp.rules.rulesPageSharedValues.deploymentTypeTitle": "デプロイタイプ", + "xpack.csp.rules.rulesPageSharedValues.integrationTitle": "統合", "xpack.csp.rules.rulesTable.cisSectionColumnLabel": "CISセクション", "xpack.csp.rules.rulesTable.nameColumnLabel": "名前", - "xpack.csp.rules.rulesTable.searchPlaceholder": "検索", + "xpack.csp.rules.rulesTable.searchPlaceholder": "ルール名で検索", + "xpack.csp.subscriptionNotAllowed.promptLinkText": "試用版を開始するか、サブスクリプションをアップグレード", + "xpack.csp.subscriptionNotAllowed.promptTitle": "サブスクリプション機能のアップグレード", "xpack.dataVisualizer.choroplethMap.topValuesCount": "{fieldName}の上位の値件数", "xpack.dataVisualizer.combinedFieldsForm.mappingsParseError": "マッピングのパース中にエラーが発生しました:{error}", "xpack.dataVisualizer.combinedFieldsForm.pipelineParseError": "パイプラインのパース中にエラーが発生しました:{error}", @@ -9907,6 +10428,10 @@ "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.tooltipValueBetweenLabel": "{percent}% のドキュメントに {minValFormatted} から {maxValFormatted} の間の値があります", "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.tooltipValueEqualLabel": "{percent}% のドキュメントに {valFormatted} の値があります", "xpack.dataVisualizer.dataGrid.field.removeFilterAriaLabel": "{fieldName}の除外:\"{value}\"", + "xpack.dataVisualizer.dataGrid.field.topValues.calculatedFromSampleRecordsLabel": "{sampledDocumentsFormatted}サンプル{sampledDocuments, plural, other {レコード}}から計算されました。", + "xpack.dataVisualizer.dataGrid.field.topValues.calculatedFromTotalRecordsLabel": "{totalDocumentsFormatted} {totalDocuments, plural, other {レコード}}から計算されました。", + "xpack.dataVisualizer.dataGrid.fieldExpandedRow.choroplethMapTopValues.calculatedFromSampleRecordsLabel": "{sampledDocumentsFormatted}サンプル{sampledDocuments, plural, other {レコード}}から計算されました。", + "xpack.dataVisualizer.dataGrid.fieldExpandedRow.choroplethMapTopValues.calculatedFromTotalRecordsLabel": "{totalDocumentsFormatted} {totalDocuments, plural, other {レコード}}から計算されました。", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.numberContent.displayingPercentilesLabel": "{minPercent} - {maxPercent} パーセンタイルを表示中", "xpack.dataVisualizer.dataGrid.fieldText.fieldMayBePopulatedDescription": "たとえば、ドキュメントマッピングで {copyToParam} パラメーターを使ったり、{includesParam} と {excludesParam} パラメーターを使用してインデックスした後に {sourceParam} フィールドから切り取ったりして入力される場合があります。", "xpack.dataVisualizer.dataGrid.fieldText.fieldNotPresentDescription": "このフィールドはクエリが実行されたドキュメントの {sourceParam} フィールドにありませんでした。", @@ -9939,6 +10464,7 @@ "xpack.dataVisualizer.index.fieldStatisticsErrorMessage": "フィールド'{fieldName}'の統計情報の取得エラー:{reason}", "xpack.dataVisualizer.index.lensChart.averageOfLabel": "{fieldName}の平均", "xpack.dataVisualizer.index.lensChart.chartTitle": "{fieldName}のLens", + "xpack.dataVisualizer.index.pageRefreshResetButton": "{defaultInterval}に設定", "xpack.dataVisualizer.index.savedSearchErrorMessage": "保存された検索{savedSearchId}の取得エラー", "xpack.dataVisualizer.nameCollisionMsg": "「{name}」はすでに存在します。一意の名前を入力してください。", "xpack.dataVisualizer.randomSamplerSettingsPopUp.probabilityLabel": "使用された確率:{samplingProbability}%", @@ -9963,6 +10489,7 @@ "xpack.dataVisualizer.dataGrid.distinctValuesColumnName": "固有の値", "xpack.dataVisualizer.dataGrid.distributionsColumnName": "分布", "xpack.dataVisualizer.dataGrid.documentsCountColumnName": "ドキュメント(%)", + "xpack.dataVisualizer.dataGrid.documentsCountColumnTooltip": "見つかったドキュメント数は、抽出されたレコードの小さい集合に基づいています。", "xpack.dataVisualizer.dataGrid.expandDetailsForAllAriaLabel": "すべてのフィールドの詳細を展開", "xpack.dataVisualizer.dataGrid.field.cardBoolean.valuesLabel": "値", "xpack.dataVisualizer.dataGrid.field.cardDate.earliestLabel": "最も古い", @@ -9975,6 +10502,7 @@ "xpack.dataVisualizer.dataGrid.field.loadingLabel": "読み込み中", "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.seriesName": "分布", "xpack.dataVisualizer.dataGrid.field.topValuesLabel": "トップの値", + "xpack.dataVisualizer.dataGrid.field.topValuesOtherLabel": "その他", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.countLabel": "カウント", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.distinctValueLabel": "固有の値", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.metaTableTitle": "ドキュメント統計情報", @@ -10176,6 +10704,7 @@ "xpack.dataVisualizer.index.dataViewManagement.addFieldButton": "フィールドをデータビューに追加", "xpack.dataVisualizer.index.dataViewManagement.manageFieldButton": "データビューフィールドを管理", "xpack.dataVisualizer.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "異常検知は時間ベースのインデックスでのみ実行されます", + "xpack.dataVisualizer.index.datePicker.shortRefreshIntervalURLWarningMessage": "URLの更新間隔が機械学習でサポートされている最小値よりも短くなっています。", "xpack.dataVisualizer.index.embeddableErrorDescription": "埋め込み可能オブジェクトの読み込みエラーが発生しました。すべての必須入力が有効であるかどうかを確認してください。", "xpack.dataVisualizer.index.embeddableErrorTitle": "埋め込み可能オブジェクトの読み込みエラー", "xpack.dataVisualizer.index.embeddableNoResultsMessage": "結果が見つかりませんでした", @@ -10207,6 +10736,7 @@ "xpack.dataVisualizer.index.fullTimeRangeSelector.useFullDataIncludingFrozenMenuLabel": "凍結されたデータティアを含める", "xpack.dataVisualizer.index.lensChart.countLabel": "カウント", "xpack.dataVisualizer.index.lensChart.topValuesLabel": "トップの値", + "xpack.dataVisualizer.index.pageRefreshButton": "更新", "xpack.dataVisualizer.multiSelectPicker.NoFiltersFoundMessage": "フィルターが見つかりません", "xpack.dataVisualizer.randomSamplerPreference.offLabel": "オフ", "xpack.dataVisualizer.randomSamplerPreference.onAutomaticLabel": "オン - 自動", @@ -10298,7 +10828,7 @@ "xpack.enterpriseSearch.appSearch.settings.logRetention.modal.crawler.subheading": "現在、Webクローラーログは{minAgeDays}日間保存されています。", "xpack.enterpriseSearch.appSearch.settings.logRetention.modal.prompt": "確認する「{target}」を入力します。", "xpack.enterpriseSearch.appSearch.sourceEngines.removeEngineConfirmDialogue.description": "エンジン'{engineName}'はこのメタエンジンから削除されます。すべての既存の設定は失われます。よろしいですか?", - "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.confirmModal.description": "削除されたインデックス{indexName}は、既存のコネクター構成に関連付けられていました。既存のコネクター構成を新しいコネクター構成で置き換えますか?", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyAPIText": "{apiIndex}以下の設定に行われた変更は参照専用です。これらの設定は、インデックスまたはパイプラインまで永続しません。", "xpack.enterpriseSearch.content.indices.callout.text": "Elasticsearchインデックスは、現在、エンタープライズ サーチの中心です。直接そのインデックスを使用して、新しいインデックスを作成し、検索エクスペリエンスを構築できます。エンタープライズ サーチでのElasticsearchの使用方法の詳細については、{docLink}をご覧ください", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.description": "まず、Elasticsearch APIキーを生成します。この{apiKeyName}は、コネクターがドキュメントを作成された{indexName}インデックスにインデックスするための読み書き権限を有効にします。キーは安全な場所に保管してください。コネクターを構成するときに必要になります。", "xpack.enterpriseSearch.content.indices.configurationConnector.config.description.firstParagraph": "コネクターがデプロイされたので、カスタムデータソースのデプロイ済みコネクタークライアントを強化します。{link}を参照して、データソース固有の実装ロジックを追加してください。", @@ -10306,73 +10836,70 @@ "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.connectorConnected": "コネクター{name}は、正常にエンタープライズ サーチに接続されました。", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.description.secondParagraph": "コネクターリポジトリには、複数の{link}があり、当社のフレームワークを利用して、カスタムデータソースに対する高速デプロイを実施できるようになっています。", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.description.thirdParagraph": "このステップでは、リポジトリを複製または分割し、関連付けられた{link}に対する生成されたAPIキーとコネクターIDをコピーします。コネクターIDは、エンタープライズ サーチに対するこのコネクターを特定します。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.sourceSecurityDocumentationLinkLabel": "{name}認証", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.description": "{name}は、このコネクターがインスタンスに接続するために必要なさまざまな認証メカニズムをサポートします。接続で使用する正しい資格情報については、管理者にお問い合わせください。", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.serviceDocumentationLinkLabel": "{name}ドキュメンテーション", + "xpack.enterpriseSearch.content.indices.deleteIndex.successToast.title": "インデックス{indexName}と関連付けられたすべての統合構成が正常に削除されました", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.error": "パイプラインのソースフィールドを選択する必要があります。ただし、このインデックスにはフィールドマッピングがありません。{learnMore}", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.example.code": "JSON フォーマットを使用:{code}", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.customDescription": "{indexName}のカスタムインジェストパイプライン", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.processorsDescription": "{processorsCount}プロセッサー", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.subtitleAPIindex": "推論パイプラインは、エンタープライズサーチインジェストパイプラインからのプロセッサーとして実行されます。APIベースのインデックスでこれらのパイプラインを使用するには、APIリクエストで{pipelineName}パイプラインを参照する必要があります。", + "xpack.enterpriseSearch.content.indices.pipelines.successToastDeleteMlPipeline.title": "機械学習推論パイプライン\"{pipelineName}\"を削除しました", + "xpack.enterpriseSearch.content.indices.pipelines.successToastDetachMlPipeline.title": "機械学習推論パイプラインを\"{pipelineName}\"からデタッチしました", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.unmanaged.description": "スタック管理で{ingestPipelines}からこのパイプラインを編集", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.description": "エンタープライズサーチで{name}コンテンツを検索します。", + "xpack.enterpriseSearch.content.indices.selectConnector.moreConnectorsMessage": "その他のコネクターを探している場合は、{workplaceSearchLink}か、{buildYourOwnConnectorLink}。", + "xpack.enterpriseSearch.content.indices.selectConnector.successToast.title": "インデックスは{connectorName}ネイティブコネクターを使用します。", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.alreadyExists.error": "名前{indexName}のインデックスはすでに存在します", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.isInvalid.error": "{indexName}は無効なインデックス名です", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.nameInputHelpText.lineOne": "インデックスは次の名前になります:{indexName}", + "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.confirmModal.description": "削除されたインデックス{indexName}は、既存のコネクター構成に関連付けられていました。既存のコネクター構成を新しいコネクター構成で置き換えますか?", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.content": "コネクターフレームワークとコネクタークライアントの例を使用すると、あらゆるデータソースでElasticsearch {bulkApiDocLink}への取り込みを高速化できます。インデックスを作成した後、コネクターフレームワークにアクセスし、最初のコネクタークライアントを接続するための手順が示されます。", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.content": "コネクターを作成すると、コンテンツの準備が完了します。{elasticsearchLink}で最初の検索エクスペリエンスを構築するか、{appSearchLink}で提供されている検索エクスペリエンスツールを使用します。柔軟性の高い能力とターンキーのシンプル性を両立するために、{searchEngineLink}を作成することをお勧めします。", + "xpack.enterpriseSearch.content.newIndex.steps.createIndex.content": "一意のインデックス名を指定し、任意でインデックスのデフォルト{languageAnalyzerDocLink}を設定します。このインデックスには、データソースコンテンツが格納されます。また、デフォルトフィールドマッピングで最適化され、関連する検索エクスペリエンスを実現します。", + "xpack.enterpriseSearch.content.newIndex.steps.nativeConnector.content": "ネイティブコネクターのカタログから選択し、MongoDBなどのサポートされているデータソースから検索可能なコンテンツの抽出を開始します。コネクターの動作をカスタマイズする必要がある場合は、セルフマネージドコネクタークライアントバージョンを常にデプロイし、{buildAConnectorLabel}ワークフロー経由で登録できます。", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.description": "{results}/{total}件を表示しています。{maximum}ドキュメントが検索結果の最大数です。", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.pagination.itemsPerPage": "ページごとのドキュメント数:{docPerPage}", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.resultLimit": "最初の{number}件の結果のみがページ制御できます。結果を絞り込むには、検索バーを使用してください。", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.resultLimitTitle": "結果は{number}ドキュメントに制限されています。", + "xpack.enterpriseSearch.content.searchIndex.mappings.description": "ドキュメントには、複数のフィールドのセットがあります。インデックスマッピングでは、各フィールドに型({keyword}、{number}、{date}など)と、追加のサブフィールドが指定されます。これらのインデックスマッピングでは、関連性の調整と検索エクスペリエンスで使用可能な機能が決まります。", + "xpack.enterpriseSearch.content.searchIndices.actions.deleteIndex.caption": "インデックスの削除:{indexName}", + "xpack.enterpriseSearch.content.searchIndices.actions.viewIndex.caption": "インデックスの表示:{indexName}", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.delete.description": "このインデックスを削除すると、すべてのデータと{ingestionMethod}構成も削除されます。すべての関連付けられた検索エンジンは、このインデックスに格納されたどのデータにもアクセスできなくなります。この操作は元に戻せません。", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.title": "{indexName}を削除しますか", "xpack.enterpriseSearch.content.shared.result.header.metadata.icon.ariaLabel": "ドキュメント{id}のメタデータ", + "xpack.enterpriseSearch.content.syncJobs.flyout.canceledDescription": "{date}に同期がキャンセルされました。", + "xpack.enterpriseSearch.content.syncJobs.flyout.completedDescription": "{date}に完了", + "xpack.enterpriseSearch.content.syncJobs.flyout.failureDescription": "同期失敗:{error}。", + "xpack.enterpriseSearch.content.syncJobs.flyout.inProgressDescription": "同期は{duration}実行中です。", + "xpack.enterpriseSearch.content.syncJobs.flyout.startedAtDescription": "{date}に開始しました。", "xpack.enterpriseSearch.crawler.action.deleteDomain.confirmationPopupMessage": "ドメイン\"{domainUrl}\"とすべての設定を削除しますか?", "xpack.enterpriseSearch.crawler.addDomainForm.entryPointLabel": "Webクローラーエントリポイントが{entryPointValue}として設定されました", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.description": "{addAuthenticationButtonLabel}をクリックすると、保護されたコンテンツのクローリングに必要な資格情報を提供します", "xpack.enterpriseSearch.crawler.components.crawlDetailsSummary.crawlCountOnDomains": "{domainCount, plural, other {# 件のドメイン}}で{crawlType}クロール", "xpack.enterpriseSearch.crawler.crawlCustomSettingsFlyout.includeSitemapsCheckboxLabel": "{robotsDotTxt}で検出されたサイトマップを含める", "xpack.enterpriseSearch.crawler.crawlRulesTable.description": "URLがルールと一致するページを含めるか除外するためのクロールルールを作成します。ルールは連続で実行されます。各URLは最初の一致に従って評価されます。{link}", "xpack.enterpriseSearch.crawler.deduplicationPanel.description": "Webクローラーは一意のページにのみインデックスします。重複するページを検討するときにクローラーが使用するフィールドを選択します。すべてのスキーマフィールドを選択解除して、このドメインで重複するドキュメントを許可します。{documentationLink}。", "xpack.enterpriseSearch.crawler.deleteDomainModal.description": "ドメイン{domainUrl}をクローラーから削除します。これにより、設定したすべてのエントリポイントとクロールルールも削除されます。このドメインに関連するすべてのドキュメントは、次回のクロールで削除されます。{thisCannotBeUndoneMessage}", "xpack.enterpriseSearch.crawler.entryPointsTable.emptyMessageDescription": "クローラーのエントリポイントを指定するには、{link}してください", - "xpack.enterpriseSearch.cronEditor.cronDaily.fieldHour.textAtLabel": "に", - "xpack.enterpriseSearch.cronEditor.cronDaily.fieldTimeLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronDaily.hourSelectLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronDaily.minuteSelectLabel": "分", - "xpack.enterpriseSearch.cronEditor.cronHourly.fieldMinute.textAtLabel": "に", - "xpack.enterpriseSearch.cronEditor.cronHourly.fieldTimeLabel": "分", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldDateLabel": "日付", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldHour.textAtLabel": "に", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldTimeLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronMonthly.hourSelectLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronMonthly.minuteSelectLabel": "分", - "xpack.enterpriseSearch.cronEditor.cronMonthly.textOnTheLabel": "に", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldDateLabel": "日", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldHour.textAtLabel": "に", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldTimeLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronWeekly.hourSelectLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronWeekly.minuteSelectLabel": "分", - "xpack.enterpriseSearch.cronEditor.cronWeekly.textOnLabel": "オン", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDate.textOnTheLabel": "に", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDateLabel": "日付", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldHour.textAtLabel": "に", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonth.textInLabel": "入", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonthLabel": "月", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldTimeLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronYearly.hourSelectLabel": "時間", - "xpack.enterpriseSearch.cronEditor.cronYearly.minuteSelectLabel": "分", - "xpack.enterpriseSearch.cronEditor.day.friday": "金曜日", - "xpack.enterpriseSearch.cronEditor.day.monday": "月曜日", - "xpack.enterpriseSearch.cronEditor.day.saturday": "土曜日", - "xpack.enterpriseSearch.cronEditor.day.sunday": "日曜日", - "xpack.enterpriseSearch.cronEditor.day.thursday": "木曜日", - "xpack.enterpriseSearch.cronEditor.day.tuesday": "火曜日", - "xpack.enterpriseSearch.cronEditor.day.wednesday": "水曜日", - "xpack.enterpriseSearch.cronEditor.fieldFrequencyLabel": "頻度", - "xpack.enterpriseSearch.cronEditor.month.april": "4 月", - "xpack.enterpriseSearch.cronEditor.month.august": "8 月", - "xpack.enterpriseSearch.cronEditor.month.december": "12 月", - "xpack.enterpriseSearch.cronEditor.month.february": "2 月", - "xpack.enterpriseSearch.cronEditor.month.january": "1 月", - "xpack.enterpriseSearch.cronEditor.month.july": "7 月", - "xpack.enterpriseSearch.cronEditor.month.june": "6 月", - "xpack.enterpriseSearch.cronEditor.month.march": "3 月", - "xpack.enterpriseSearch.cronEditor.month.may": "5月", - "xpack.enterpriseSearch.cronEditor.month.november": "11 月", - "xpack.enterpriseSearch.cronEditor.month.october": "10 月", - "xpack.enterpriseSearch.cronEditor.month.september": "9 月", - "xpack.enterpriseSearch.cronEditor.textEveryLabel": "毎", "xpack.enterpriseSearch.errorConnectingState.cloudErrorMessage": "クラウドデプロイのエンタープライズ サーチノードが実行中ですか?{deploymentSettingsLink}", "xpack.enterpriseSearch.errorConnectingState.description1": "次のエラーのため、ホストURL {enterpriseSearchUrl}では、エンタープライズ サーチへの接続を確立できません。", "xpack.enterpriseSearch.errorConnectingState.description2": "ホストURLが{configFile}で正しく構成されていることを確認してください。", + "xpack.enterpriseSearch.inferencePipelineCard.action.delete.disabledDescription": "この推論パイプラインは削除できません。複数のパイプライン[{indexReferences}]で使用されています。削除する前に、1つのインジェストパイプライン以外のすべてからこのパイプラインをデタッチする必要があります。", + "xpack.enterpriseSearch.inferencePipelineCard.deleteConfirm.description": "パイプライン\"{pipelineName}\"を機械学習推論パイプラインから切り離し、削除しています。", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed.tooltip": "学習済みモデルをデプロイできませんでした。{reason}", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed.tooltip.reason": "理由:{modelStateReason}", "xpack.enterpriseSearch.roleMapping.roleMappingsHeadingDescription": "ロールマッピングはネイティブまたはSAMLで統制されたロール属性を{productName}アクセス権に関連付けるためのインターフェースを提供します。", "xpack.enterpriseSearch.roleMapping.rolesDisabledDescription": "現在、このデプロイで設定されたすべてのユーザーは{productName}へのフルアクセスが割り当てられています。アクセスを制限し、アクセス権を管理するには、エンタープライズサーチでロールに基づくアクセスを有効にする必要があります。", "xpack.enterpriseSearch.roleMapping.userModalTitle": "{username}の削除", "xpack.enterpriseSearch.schema.addFieldModal.fieldNameNote.corrected": "フィールドの名前は{correctedName}になります", + "xpack.enterpriseSearch.server.routes.checkKibanaLogsMessage": "{errorMessage}詳細については、Kibanaサーバーログを確認してください。", + "xpack.enterpriseSearch.server.routes.errorLogMessage": "{requestUrl}へのリクエストの解決中にエラーが発生しました:{errorMessage}", + "xpack.enterpriseSearch.server.routes.indices.existsErrorLogMessage": "{requestUrl}へのリクエストの解決中にエラーが発生しました", + "xpack.enterpriseSearch.server.routes.indices.pipelines.indexMissingError": "インデックス{indexName}が存在しません", + "xpack.enterpriseSearch.server.routes.indices.pipelines.pipelineMissingError": "パイプライン{pipelineName}が存在しません", + "xpack.enterpriseSearch.server.utils.invalidEnumValue": "フィールド{fieldName}の値{value}が正しくありません", "xpack.enterpriseSearch.setupGuide.cloud.step1.instruction1": "Elastic Cloud コンソールにアクセスして、{editDeploymentLink}。", "xpack.enterpriseSearch.setupGuide.cloud.step3.instruction1": "インスタンスのエンタープライズ サーチを有効にした後は、フォールトレランス、RAM、その他の{optionsLink}のように、インスタンスをカスタマイズできます。", "xpack.enterpriseSearch.setupGuide.cloud.step5.instruction1": "時系列統計データを含む {productName} インデックスでは、{configurePolicyLink}。これにより、最適なパフォーマンスと長期的に費用対効果が高いストレージを保証できます。", @@ -10468,6 +10995,7 @@ "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.docPermissions.description": "ユーザーおよびグループマッピングが構成されるまでは、ドキュメントをWorkplace Searchから検索できません。{documentPermissionsLink}", "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.heading": "{addedSourceName}には追加の構成が必要です", "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.success": "{addedSourceName}は正常に接続されました。初期コンテンツ同期がすでに実行中です。ドキュメントレベルのアクセス権情報を同期することを選択したので、{externalIdentitiesLink}を使用してユーザーおよびグループマッピングを指定する必要があります。", + "xpack.enterpriseSearch.actions.backButtonLabel": "戻る", "xpack.enterpriseSearch.actions.cancelButtonLabel": "キャンセル", "xpack.enterpriseSearch.actions.closeButtonLabel": "閉じる", "xpack.enterpriseSearch.actions.continueButtonLabel": "続行", @@ -10480,6 +11008,42 @@ "xpack.enterpriseSearch.actions.updateButtonLabel": "更新", "xpack.enterpriseSearch.actions.viewButtonLabel": "表示", "xpack.enterpriseSearch.actionsHeader": "アクション", + "xpack.enterpriseSearch.analytics.collections.actions.columnTitle": "アクション", + "xpack.enterpriseSearch.analytics.collections.collectionsView.collectionNotFoundState.headingTitle": "この分析コレクションを削除した可能性があります", + "xpack.enterpriseSearch.analytics.collections.collectionsView.collectionNotFoundState.subHeading": "分析コレクションには、構築している特定の検索アプリケーションの分析イベントを格納できます。開始するには、新しいコレクションを作成してください。", + "xpack.enterpriseSearch.analytics.collections.collectionsView.create.buttonTitle": "新しいコレクションを作成", + "xpack.enterpriseSearch.analytics.collections.collectionsView.eventsTab.columns.eventName": "イベント名", + "xpack.enterpriseSearch.analytics.collections.collectionsView.eventsTab.columns.userUuid": "ユーザーUUID", + "xpack.enterpriseSearch.analytics.collections.collectionsView.headingTitle": "コレクション", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.credentials.collectionDns": "DNS URL", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.credentials.headingTitle": "資格情報", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.embed.description": "追跡したいWebサイトまたはアプリケーションのすべてのページで、以下のJSスニペットを埋め込みます。", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.embed.headingTitle": "追跡イベントの開始", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.buttonTitle": "このコレクションを削除", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.headingTitle": "この分析コレクションを削除", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.warning": "この操作は元に戻すことができません", + "xpack.enterpriseSearch.analytics.collections.create.buttonTitle": "新しいコレクションを作成", + "xpack.enterpriseSearch.analytics.collections.emptyState.headingTitle": "まだコレクションがありません", + "xpack.enterpriseSearch.analytics.collections.emptyState.subHeading": "分析コレクションには、構築している特定の検索アプリケーションの分析イベントを格納できます。開始するには、新しいコレクションを作成してください。", + "xpack.enterpriseSearch.analytics.collections.headingTitle": "コレクション", + "xpack.enterpriseSearch.analytics.collections.pageDescription": "エンドユーザーの行動を可視化し、検索アプリケーションのパフォーマンスを測定するためのダッシュボードとツール。経時的な傾向を追跡し、異常を特定して調査し、最適化を行います。", + "xpack.enterpriseSearch.analytics.collections.pageTitle": "行動分析", + "xpack.enterpriseSearch.analytics.collectionsCreate.action.successMessage": "コレクション'{name}'が正常に追加されました", + "xpack.enterpriseSearch.analytics.collectionsCreate.breadcrumb": "コレクションの作成", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.cancelButton": "キャンセル", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.continueButton": "続行", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.subtitle": "分析コレクションには、構築している特定の検索アプリケーションの分析イベントを格納できます。以下で覚えやすい名前を指定してください。", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.title": "分析コレクションを作成", + "xpack.enterpriseSearch.analytics.collectionsDelete.action.successMessage": "コレクションが正常に削除されました", + "xpack.enterpriseSearch.analytics.collectionsView.breadcrumb": "コレクションを表示", + "xpack.enterpriseSearch.analytics.collectionsView.pageDescription": "エンドユーザーの行動を可視化し、検索アプリケーションのパフォーマンスを測定するためのダッシュボードとツール。経時的な傾向を追跡し、異常を特定して調査し、最適化を行います。", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.eventsName": "イベント", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.integrateName": "統合", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.settingsName": "設定", + "xpack.enterpriseSearch.analytics.featureDisabledState.title": "行動分析が無効です", + "xpack.enterpriseSearch.analytics.productCardDescription": "エンドユーザーの行動を可視化し、検索アプリケーションのパフォーマンスを測定するためのダッシュボードとツール。", + "xpack.enterpriseSearch.analytics.productDescription": "エンドユーザーの行動を可視化し、検索アプリケーションのパフォーマンスを測定するためのダッシュボードとツール。", + "xpack.enterpriseSearch.analytics.productName": "分析", "xpack.enterpriseSearch.appSearch.actions.restoreDefaultsButonLabel": "デフォルトを復元", "xpack.enterpriseSearch.appSearch.adminRoleTypeDescription": "アカウント設定の管理を除き、管理者はすべての操作を実行できます。", "xpack.enterpriseSearch.appSearch.allEnginesDescription": "すべてのエンジンへの割り当てには、後から作成および管理されるすべての現在および将来のエンジンが含まれます。", @@ -11291,7 +11855,7 @@ "xpack.enterpriseSearch.appSearch.tokens.search.description": "エンドポイントのみの検索では、公開検索キーが使用されます。", "xpack.enterpriseSearch.appSearch.tokens.search.name": "公開検索キー", "xpack.enterpriseSearch.appSearch.tokens.update": "APIキー'{name}'が更新されました", - "xpack.enterpriseSearch.automaticCrawlSchedule.title": "自動クローリングスケジュール", + "xpack.enterpriseSearch.automaticCrawlSchedule.title": "クロール頻度", "xpack.enterpriseSearch.connector.connectorTypePanel.title": "コネクタータイプ", "xpack.enterpriseSearch.connector.connectorTypePanel.unknown.label": "不明", "xpack.enterpriseSearch.connector.ingestionStatus.title": "インジェスチョンステータス", @@ -11299,18 +11863,78 @@ "xpack.enterpriseSearch.content.callout.dismissButton": "閉じる", "xpack.enterpriseSearch.content.callout.title": "エンタープライズ サーチでのElasticsearchインデックスの概要", "xpack.enterpriseSearch.content.description": "エンタープライズ サーチでは、さまざまな方法で簡単にデータを検索可能にできます。Webクローラー、Elasticsearchインデックス、API、直接アップロード、サードパーティコネクターから選択します。", - "xpack.enterpriseSearch.content.index.searchEngines.createEngine": "新しいApp Searchエンジンの作成", + "xpack.enterpriseSearch.content.filteringRules.policy.exclude": "除外", + "xpack.enterpriseSearch.content.filteringRules.policy.include": "含める", + "xpack.enterpriseSearch.content.filteringRules.rules.contains": "を含む", + "xpack.enterpriseSearch.content.filteringRules.rules.endsWith": "で終了", + "xpack.enterpriseSearch.content.filteringRules.rules.equals": "一致する", + "xpack.enterpriseSearch.content.filteringRules.rules.greaterThan": "より大きい", + "xpack.enterpriseSearch.content.filteringRules.rules.lessThan": "より小さい", + "xpack.enterpriseSearch.content.filteringRules.rules.regEx": "正規表現", + "xpack.enterpriseSearch.content.filteringRules.rules.startsWith": "で始まる", + "xpack.enterpriseSearch.content.index.connector.filtering.successToastRules.title": "フィルタリングルールが更新されました", + "xpack.enterpriseSearch.content.index.connector.filteringRules.regExError": "値は正規表現にしてください", + "xpack.enterpriseSearch.content.index.filtering.field": "フィールド", + "xpack.enterpriseSearch.content.index.filtering.policy": "ポリシー", + "xpack.enterpriseSearch.content.index.filtering.priority": "ルール優先度", + "xpack.enterpriseSearch.content.index.filtering.rule": "ルール", + "xpack.enterpriseSearch.content.index.filtering.value": "値", + "xpack.enterpriseSearch.content.index.pipelines.copyAndCustomize.description": "この構成のインデックス固有のバージョンを作成し、ユースケースに合わせて修正できます。", + "xpack.enterpriseSearch.content.index.pipelines.copyAndCustomize.platinumText": "プラチナライセンスでは、この構成のインデックス固有のバージョンを作成し、ユースケースに合わせて修正できます。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.apiIndex": "これはAPIベースのインデックスです。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.cancelButtonLabel": "キャンセル", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.closeButtonLabel": "閉じる", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.copyButtonLabel": "コピーしてカスタマイズ", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.curlHeader": "ドキュメントをインジェストするサンプルcURLリクエスト", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyAPITextCont": "APIベースのインデックスでこのパイプラインを使用するには、APIリクエストで明示的にそのパイプラインを参照する必要があります。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyConnectorText": "このパイプラインは、エンタープライズ サーチで作成されたすべてのクローラーおよびコネクターインデックスで自動的に実行されます。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalHeaderTitle": "パイプライン設定", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalIngestLinkLabel": "エンタープライズ サーチインジェストパイプラインの詳細", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.saveButtonLabel": "保存", + "xpack.enterpriseSearch.content.index.pipelines.settings.extractBinaryDescription": "画像およびPDFファイルからコンテンツを抽出", + "xpack.enterpriseSearch.content.index.pipelines.settings.extractBinaryLabel": "コンテンツ抽出", + "xpack.enterpriseSearch.content.index.pipelines.settings.formHeader": "検索するコンテンツを最適化", + "xpack.enterpriseSearch.content.index.pipelines.settings.mlInferenceLabel": "ML推論パイプライン", + "xpack.enterpriseSearch.content.index.pipelines.settings.reduceWhitespaceDescription": "ドキュメントの不要な空白を自動的に削除", + "xpack.enterpriseSearch.content.index.pipelines.settings.reduceWhitespaceLabel": "空白の削除", + "xpack.enterpriseSearch.content.index.pipelines.settings.runMlInferenceDescrition": "互換性がある学習済みMLモデルを使用してデータを強化", + "xpack.enterpriseSearch.content.index.searchEngines.createEngine": "App Searchエンジンの作成", + "xpack.enterpriseSearch.content.index.searchEngines.createEngineDisabledTooltip": "非表示のインデックスからエンジンを作成することはできません。", "xpack.enterpriseSearch.content.index.searchEngines.label": "検索エンジン", "xpack.enterpriseSearch.content.index.searchEngines.viewEngines": "App Searchエンジンを表示", "xpack.enterpriseSearch.content.index.syncButton.label": "同期", "xpack.enterpriseSearch.content.index.syncButton.syncing.label": "同期中", "xpack.enterpriseSearch.content.index.syncButton.waitingForSync.label": "同期を待機しています", + "xpack.enterpriseSearch.content.index.syncJobs.actions.viewJob.caption": "この同期ジョブを表示", + "xpack.enterpriseSearch.content.index.syncJobs.actions.viewJob.title": "この同期ジョブを表示", + "xpack.enterpriseSearch.content.index.syncJobs.documents.added": "追加", + "xpack.enterpriseSearch.content.index.syncJobs.documents.removed": "削除しました", + "xpack.enterpriseSearch.content.index.syncJobs.documents.title": "ドキュメント", + "xpack.enterpriseSearch.content.index.syncJobs.documents.total": "合計", + "xpack.enterpriseSearch.content.index.syncJobs.documents.value": "値", + "xpack.enterpriseSearch.content.index.syncJobs.documents.volume": "量", + "xpack.enterpriseSearch.content.index.syncJobs.events.cancelationRequested": "キャンセルがリクエストされました", + "xpack.enterpriseSearch.content.index.syncJobs.events.canceled": "キャンセル", + "xpack.enterpriseSearch.content.index.syncJobs.events.completed": "完了", + "xpack.enterpriseSearch.content.index.syncJobs.events.lastUpdated": "最終更新", + "xpack.enterpriseSearch.content.index.syncJobs.events.state": "ステータス", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncRequestedManually": "同期が手動でリクエストされました", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncRequestedScheduled": "同期がスケジュールでリクエストされました", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncStarted": "同期が開始しました", + "xpack.enterpriseSearch.content.index.syncJobs.events.time": "時間", + "xpack.enterpriseSearch.content.index.syncJobs.events.title": "イベント", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.extractBinaryContent": "バイナリコンテンツを抽出", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.name": "パイプライン名", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.reduceWhitespace": "空白の削除", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.runMlInference": "機械学習推論", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.setting": "パイプライン設定", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.title": "パイプライン", "xpack.enterpriseSearch.content.indices.callout.docLink": "ドキュメントを読む", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.button.label": "APIキーを生成", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.cancelButton.label": "キャンセル", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.confirmButton.label": "APIキーを生成", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.description": "新しいAPIキーを生成すると、前のキーが無効になります。新しいAPIキーを生成しますか?この操作は元に戻せません。", - "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.title": "Elasticsearch APIキーを生成します。", + "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.title": "Elasticsearch APIキーを生成", "xpack.enterpriseSearch.content.indices.configurationConnector.config.cancelEditingButton.title": "キャンセル", "xpack.enterpriseSearch.content.indices.configurationConnector.config.connectorClientLink": "コネクタークライアントの例", "xpack.enterpriseSearch.content.indices.configurationConnector.config.description.secondParagraph": "リポジトリのコネクタークライアントはRubyで構築されていますが、技術的な制限事項はないため、Ruby以外も使用できます。ご自身のスキルセットに最適な技術でコネクタークライアントを構築してください。", @@ -11328,20 +11952,42 @@ "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnector.button.label": "今すぐ再確認", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnectorText": "コネクターエンタープライズ サーチに接続されていません。構成のトラブルシューティングを行い、ページを更新してください。", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnectorTitle": "コネクターを待機しています", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.description": "このコネクターの名前と説明を設定すると、他のユーザーやチームでもこのコネクターの目的がわかります。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.saveButtonLabel": "名前と説明を保存", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.title": "このクローラーの説明", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionForm.description": "このコネクターの名前と説明を設定すると、他のユーザーやチームでもこのコネクターの目的がわかります。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.encryptionWarningMessage": "このテクニカルプレビューでは、データソース資格情報の暗号化を使用できません。データソース資格情報は、暗号化されずに、Elasticsearchに保存されます。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.securityDocumentationLinkLabel": "Elasticsearchセキュリティの詳細", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.schedulingReminder.description": "必ず[スケジュール]タブで同期スケジュールを設定し、検索可能データを継続的に更新してください。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.schedulingReminder.title": "設定可能な同期スケジュール", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.description": "クエリ時にユーザーに割り当てられているインデックスドキュメントの読み取りアクセス権を制限、パーソナライズします。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.securityLinkLabel": "ドキュメントレベルのセキュリティ", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.title": "ドキュメントレベルのセキュリティ", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.advancedConfigurationTitle": "高度な構成", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.configurationTitle": "構成", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.nameAndDescriptionTitle": "名前と説明", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.researchConfigurationTitle": "構成要件の調査", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnectorAdvancedConfiguration.description": "ワンタイム同期をトリガーするか、繰り返し同期スケジュールを設定して、コネクターを確定します。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnectorAdvancedConfiguration.schedulingButtonLabel": "スケジュールを設定して同期", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.connectorDocumentationLinkLabel": "ドキュメント", "xpack.enterpriseSearch.content.indices.configurationConnector.scheduleSync.description": "コネクターの構成を最適な状態に調整した後は、必ず、繰り返し同期スケジュールを設定し、ドキュメントにインデックスが作成され、関連性があることを確認してください。同期スケジュールを有効化せずに、ワンタイム同期をトリガーすることもできます。", "xpack.enterpriseSearch.content.indices.configurationConnector.scheduling.successToast.title": "スケジュールは正常に更新されました", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.deployConnector.title": "コネクターをデプロイ", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.enhance.title": "コネクタークライアントを強化", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.generateApiKey.title": "APIキーを生成", + "xpack.enterpriseSearch.content.indices.configurationConnector.steps.nameAndDescriptionTitle": "名前と説明", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.schedule.button.label": "スケジュールを設定して同期", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.schedule.title": "繰り返し同期スケジュールを設定", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.connectorFeedback.label": "コネクターフィードバック", "xpack.enterpriseSearch.content.indices.configurationConnector.support.description": "コネクターは、独自のインフラストラクチャーにデプロイする必要があります。", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.dontSeeIntegration.label": "お探しの統合機能が見つからない場合", "xpack.enterpriseSearch.content.indices.configurationConnector.support.getHelp.label": "ヘルプを表示", "xpack.enterpriseSearch.content.indices.configurationConnector.support.issue.label": "問題を報告", "xpack.enterpriseSearch.content.indices.configurationConnector.support.manageKeys.label": "キーを管理", "xpack.enterpriseSearch.content.indices.configurationConnector.support.readme.label": "コネクターReadme", "xpack.enterpriseSearch.content.indices.configurationConnector.support.searchUI.label": "Workplace Searchの検索UI", "xpack.enterpriseSearch.content.indices.configurationConnector.support.title": "サポートとドキュメント", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.viewDocumentation.label": "ドキュメンテーションを表示", "xpack.enterpriseSearch.content.indices.configurationConnector.warning.description": "コネクタークライアントを確定する前に、1つ以上のドキュメントを同期した場合、検索インデックスを再作成する必要があります。", "xpack.enterpriseSearch.content.indices.connectorScheduling.configured.description": "コネクターが構成され、デプロイされます。[同期]ボタンをクリックしてワンタイム同期を構成するか、繰り返し同期スケジュールを有効にします。", "xpack.enterpriseSearch.content.indices.connectorScheduling.error.title": "報告されたエラーのコネクター構成を確認します。", @@ -11352,6 +11998,108 @@ "xpack.enterpriseSearch.content.indices.connectorScheduling.saveButton.label": "保存", "xpack.enterpriseSearch.content.indices.connectorScheduling.switch.label": "次のスケジュールで繰り返し同期を有効にする", "xpack.enterpriseSearch.content.indices.connectorScheduling.unsaved.title": "変更を保存していません。移動しますか?", + "xpack.enterpriseSearch.content.indices.defaultPipelines.successToast.title": "デフォルトパイプラインが正常に更新されました", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.createErrors": "パイプラインの作成エラー", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.noModels.imageAlt": "MLモデルの例がありません", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.chooseExistingLabel": "新規または既存", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.description": "このパイプラインが作成されると、エンタープライズ サーチインジェストパイプラインにプロセッサーとして追加されます。Elasticデプロイでは、どこでもこのパイプラインを使用できます。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.docsLink": "エンタープライズ サーチでのMLモデルの使用の詳細", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.emptyValueError": "フィールドが必要です。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.chooseLabel": "選択", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.destinationField": "デスティネーションフィールド", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.disabledPipelineExistsDescription": "このパイプラインはすでにアタッチされているため、選択できません。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.disabledSourceFieldDescription": "ソースフィールドがこのインデックスに存在しないため、このパイプラインを選択できません。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.existingLabel": "既存", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.newLabel": "新規", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.placeholder": "1 つ選択してください", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.sourceField": "ソースフィールド", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipelineLabel": "既存の推論パイプラインを選択", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.invalidPipelineName": "名前には文字、数字、アンダースコア、ハイフンのみ使用する必要があります。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.model.placeholder": "モデルを選択", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.model.redactedValue": "モデルがありません", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.modelLabel": "学習済みMLモデルを選択", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.nameLabel": "名前", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.namePlaceholder": "このパイプラインの一意の名前を入力", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.error.docLink": "フィールドマッピングの詳細", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.placeholder": "スキーマフィールドを選択", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceFieldLabel": "ソースフィールド", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.review.description": "このパイプラインが作成され、プロセッサーとしてこのインデックスのデフォルトパイプラインに挿入されます。この新しいパイプラインは単独でも使用できます。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.review.title": "パイプライン構成", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument": "ドキュメントを追加", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument.documentId": "ドキュメントID", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument.helptext": "インデックスからのドキュメントでテスト", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.description": "パイプライン結果をシミュレートするには、ドキュメントの配列を渡します。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.runButton": "パイプラインのシミュレート", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.subtitle": "ドキュメント", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.title": "パイプライン結果の確認(任意)", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.title": "推論パイプラインの追加", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.apiIndexSubtitle": "インジェストパイプラインは、検索アプリケーションのインデックスを最適化します。APIベースのインデックスでこれらのパイプラインを使用する場合は、APIリクエストで明示的に参照する必要があります。", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.docLink": "エンタープライズ サーチでのパイプラインの使用の詳細", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.subtitle": "インジェストパイプラインは、検索アプリケーションのインデックスを最適化します", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.title": "インジェストパイプライン", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.accordion.label": "cURLを使用してドキュメントをインジェスト", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.customButtonLabel": "パイプラインの編集", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.managedBadge.label": "管理中", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.settings.label": "設定", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.defaultIngestPipeline.disabledTooltip": "機械学習推論パイプラインプロセッサーをデフォルトインジェストパイプラインに追加できません。まず、デフォルトインジェストパイプラインをコピーしてカスタマイズし、機械学習推論パイプラインプロセッサーを追加する必要があります。", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.mlInferenceDisabled.disabledTooltip": "インジェストパイプラインでML推論パイプラインを有効化し、ML推論パイプラインプロセッサーを追加する必要があります。", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.mlPermissions.disabledTooltip": "このクラスターで機械学習ジョブの権限がありません。", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButtonLabel": "推論パイプラインの追加", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.docLink": "Elasticでの機械学習モデルのデプロイの詳細", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.subtitle": "推論パイプラインは、エンタープライズ サーチインジェストパイプラインからのプロセッサーとして実行されます", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.title": "機械学習推論パイプライン", + "xpack.enterpriseSearch.content.indices.pipelines.successToast.title": "パイプラインは正常に更新されました", + "xpack.enterpriseSearch.content.indices.pipelines.successToastCustom.title": "カスタムパイプラインが正常に作成されました", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory": "推論履歴", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.subtitle": "このインデックスの_ingest.processorsフィールドで、次の推論プロセッサーが見つかりました。", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.tableColumn.docCount": "近似的なドキュメントカウント", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.tableColumn.pipeline": "推論パイプライン", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.title": "履歴推論プロセッサー", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations": "JSON構成", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.action.edit": "スタック管理で編集", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.action.view": "スタック管理で表示", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.indexSpecific": "インデックス固有", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.indexSpecific.description": "このパイプラインには、このインデックス固有の構成が含まれます", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.ingestionPipelines.docLink": "エンタープライズ サーチでインジェストパイプラインが使用される仕組みの詳細", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.ingestPipelines": "インジェストパイプライン", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.managed": "管理中", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.managed.description": "このパイプラインは管理されているため、編集できません", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.mlInference": "ML推論", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.mlInference.description": "このパイプラインは、このインデックスの1つ以上のML推論パイプラインを参照します", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.selectLabel": "表示するインジェストパイプラインを選択", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.shared": "共有", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.shared.description": "このパイプラインは、すべてのエンタープライズ サーチインジェストメソッドで共有されています", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.subtitle": "このインデックスのパイプライン構成のJSONを確認してください。", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.title": "パイプライン構成", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.unmanaged": "管理対象外", + "xpack.enterpriseSearch.content.indices.selectConnector.buildYourOwnConnectorLinkLabel": "世界に1つ", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.basicAuthenticationLabel": "基本認証", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.documentationLinkLabel": "ドキュメント", + "xpack.enterpriseSearch.content.indices.selectConnector.description": "まず、データソースから、新しく作成された検索インデックスに、データを抽出、インデックス、同期するように構成するコネクターを選択します。", + "xpack.enterpriseSearch.content.indices.selectConnector.selectAndConfigureButtonLabel": "選択して構成", + "xpack.enterpriseSearch.content.indices.selectConnector.title": "コネクターを選択", + "xpack.enterpriseSearch.content.indices.selectConnector.workplaceSearchLinkLabel": "Workplace Searchで追加の統合を表示", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.footer.attach": "接続", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.footer.create": "作成", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.configure.title": "構成", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.review.title": "見直し", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.test.title": "テスト", + "xpack.enterpriseSearch.content.licensingCallout.contentCloudTrial": "Elastic Cloudのエンタープライズ サーチを見る ", + "xpack.enterpriseSearch.content.licensingCallout.contentTwo": "組み込まれたコネクターが標準Elastic Cloudライセンスで使用できることをご存知でしたか。Elastic Cloudなら、お好みのプラットフォームでフレキシブルに実行できます。Google Cloud、Microsoft Azure、Amazon Web Servicesから選んでマネージドサービスをデプロイしましょう。保守や更新はElasticに任せることができます。", + "xpack.enterpriseSearch.content.licensingCallout.crawler.contentOne": "Webクローラーはプラチナライセンス以上が必要で、標準ライセンスのセルフマネージドデプロイには使用できません。この機能を使用するには、アップグレードが必要です。", + "xpack.enterpriseSearch.content.licensingCallout.crawler.contentTwo": "Webクローラーが標準Elastic Cloudライセンスで使用できることをご存知でしたか。Elastic Cloudなら、お好みのプラットフォームでフレキシブルに実行できます。Google Cloud、Microsoft Azure、Amazon Web Servicesから選んでマネージドサービスをデプロイしましょう。保守や更新はElasticに任せることができます。", + "xpack.enterpriseSearch.content.licensingCallout.inference.contentOne": "推論プロセッサーはプラチナライセンス以上が必要で、標準ライセンスのセルフマネージドデプロイでは使用できません。この機能を使用するには、アップグレードが必要です。", + "xpack.enterpriseSearch.content.licensingCallout.inference.contentTwo": "推論プロセッサーが標準Elastic Cloudライセンスで使用できることをご存知でしたか。Elastic Cloudなら、お好みのプラットフォームでフレキシブルに実行できます。Google Cloud、Microsoft Azure、Amazon Web Servicesから選んでマネージドサービスをデプロイしましょう。保守や更新はElasticに任せることができます。", + "xpack.enterpriseSearch.content.licensingCallout.nativeConnector.contentOne": "組み込まれたコネクターはプラチナライセンス以上が必要で、標準ライセンスのセルフマネージドデプロイでは使用できません。この機能を使用するには、アップグレードが必要です。", + "xpack.enterpriseSearch.content.licensingCallout.title": "プラチナ機能", + "xpack.enterpriseSearch.content.ml_inference.fill_mask": "マスクを塗りつぶす", + "xpack.enterpriseSearch.content.ml_inference.ner": "固有表現認識", + "xpack.enterpriseSearch.content.ml_inference.question_answering": "固有表現認識", + "xpack.enterpriseSearch.content.ml_inference.text_classification": "テキスト分類", + "xpack.enterpriseSearch.content.ml_inference.text_embedding": "密ベクトルテキスト埋め込み", + "xpack.enterpriseSearch.content.ml_inference.zero_shot_classification": "ゼロショットテキスト分類", + "xpack.enterpriseSearch.content.nativeConnectors.mongodb.name": "MongoDB", + "xpack.enterpriseSearch.content.nativeConnectors.mysql.name": "MySQL", "xpack.enterpriseSearch.content.navTitle": "コンテンツ", "xpack.enterpriseSearch.content.new_index.successToast.button.label": "エンジンを作成", "xpack.enterpriseSearch.content.new_index.successToast.description": "App Searchエンジンを使用して、新しいElasticsearchインデックスの検索エクスペリエンスを構築できます。", @@ -11366,6 +12114,9 @@ "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.description": "すべてのWebサイトコンテンツを検出、抽出、インデックス作成、同期", "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.footer": "開発は不要です", "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.label": "Webクローラーを使用", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.description": "サポートされているデータソースから、すべてのコンテンツを抽出、インデックス、同期するように、コネクターを設定 ", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.footer": "開発は不要です", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.label": "コネクターを使用", "xpack.enterpriseSearch.content.newIndex.emptyState.description": "エンタープライズ サーチで追加したデータは検索インデックスと呼ばれ、App SearchとWorkplace Searchの両方で検索可能です。App SearchのコネクターとWorkplace SearchのWebクローラーを使用できます。", "xpack.enterpriseSearch.content.newIndex.emptyState.footer.link": "ドキュメントを読む", "xpack.enterpriseSearch.content.newIndex.emptyState.footer.title": "検索インデックスの詳細", @@ -11374,6 +12125,7 @@ "xpack.enterpriseSearch.content.newIndex.methodApi.title": "APIを使用してインデックス", "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.buildConnector.bulkAPILink": "Bulk API", "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.buildConnector.title": "コネクターを作成して構成", + "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.nativeConnector.title": "コネクターを構成", "xpack.enterpriseSearch.content.newIndex.methodCrawler.steps.configureIngestion.content": "クローリングするドメインを構成し、準備が完了したら、最初のクローリングをトリガーします。その後の処理は、エンタープライズ サーチで自動的に実行されます。", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.createIndex.buttonText": "インデックスの作成", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.languageInputHelpText": "言語は後から変更できますが、再インデックスが必要になる場合があります", @@ -11393,30 +12145,21 @@ "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.error.indexAlreadyExists": "このインデックスはすでに存在します", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.error.unauthorizedError": "このコネクターを作成する権限がありません", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.title": "コネクターを作成", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.appSearchLink": "App Search", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.elasticsearchLink": "Elasticsearch", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.searchEngineLink": "検索エンジン", "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.title": "検索エクスペリエンスを構築", "xpack.enterpriseSearch.content.newIndex.steps.configureIngestion.title": "インジェスチョン設定を構成", "xpack.enterpriseSearch.content.newIndex.steps.createIndex.crawler.title": "Webクローラーを使用してインデックス", + "xpack.enterpriseSearch.content.newIndex.steps.createIndex.languageAnalyzerLink": "言語アナライザー", "xpack.enterpriseSearch.content.newIndex.steps.createIndex.title": "Elasticsearchインデックスを作成", - "xpack.enterpriseSearch.content.supportedLanguages.chineseLabel": "中国語", - "xpack.enterpriseSearch.content.supportedLanguages.danishLabel": "デンマーク語", - "xpack.enterpriseSearch.content.supportedLanguages.dutchLabel": "オランダ語", - "xpack.enterpriseSearch.content.supportedLanguages.englishLabel": "英語", - "xpack.enterpriseSearch.content.supportedLanguages.frenchLabel": "フランス語", - "xpack.enterpriseSearch.content.supportedLanguages.germanLabel": "ドイツ語", - "xpack.enterpriseSearch.content.supportedLanguages.italianLabel": "イタリア語", - "xpack.enterpriseSearch.content.supportedLanguages.japaneseLabel": "日本語", - "xpack.enterpriseSearch.content.supportedLanguages.koreanLabel": "韓国語", - "xpack.enterpriseSearch.content.supportedLanguages.portugueseBrazilLabel": "ポルトガル語(ブラジル)", - "xpack.enterpriseSearch.content.supportedLanguages.portugueseLabel": "ポルトガル語", - "xpack.enterpriseSearch.content.supportedLanguages.russianLabel": "ロシア語", - "xpack.enterpriseSearch.content.supportedLanguages.spanishLabel": "スペイン語", - "xpack.enterpriseSearch.content.supportedLanguages.thaiLabel": "タイ語", - "xpack.enterpriseSearch.content.supportedLanguages.universalLabel": "ユニバーサル", + "xpack.enterpriseSearch.content.newIndex.steps.nativeConnector.title": "コネクターを使用したインデックス作成", "xpack.enterpriseSearch.content.newIndex.types.api": "APIエンドポイント", "xpack.enterpriseSearch.content.newIndex.types.connector": "コネクター", "xpack.enterpriseSearch.content.newIndex.types.crawler": "Webクローラー", "xpack.enterpriseSearch.content.newIndex.types.elasticsearch": "Elasticsearchインデックス", "xpack.enterpriseSearch.content.newIndex.types.json": "JSON", + "xpack.enterpriseSearch.content.newIndex.viewIntegrationsLink": "追加の統合を表示", "xpack.enterpriseSearch.content.overview.documementExample.generateApiKeyButton.createNew": "新しいAPIキーを作成", "xpack.enterpriseSearch.content.overview.documementExample.generateApiKeyButton.viewAll": "すべてのAPIキーを表示", "xpack.enterpriseSearch.content.overview.documentExample.clientLibraries.dotnet": ".NET", @@ -11432,17 +12175,24 @@ "xpack.enterpriseSearch.content.overview.documentExample.title": "ドキュメントをインデックスに追加しています", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.apiKeyWarning": "ElasticはAPIキーを保存しません。生成後は、1回だけキーを表示できます。必ず安全に保管してください。アクセスできなくなった場合は、この画面から新しいAPIキーを生成する必要があります。", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.cancel": "キャンセル", + "xpack.enterpriseSearch.content.overview.generateApiKeyModal.csvDownloadButton": "APIキーのダウンロード", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.generateButton": "APIキーを生成", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.info": "ElasticsearchドキュメントをElasticsearchインデックスに送信する前に、少なくとも1つのAPIキーを作成する必要があります。", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.learnMore": "APIキーの詳細", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.title": "APIキーを生成", + "xpack.enterpriseSearch.content.overview.optimizedRequest.label": "エンタープライズ サーチで最適化されたリクエストを表示", "xpack.enterpriseSearch.content.productName": "Enterprise Search", + "xpack.enterpriseSearch.content.searchIndex.cancelSyncs.successMessage": "同期が正常にキャンセルされました", "xpack.enterpriseSearch.content.searchIndex.configurationTabLabel": "構成", + "xpack.enterpriseSearch.content.searchIndex.connectorErrorCallOut.title": "コネクターでエラーが発生しました", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.docsPerPage": "ページドロップダウンごとのドキュメント数", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.paginationAriaLabel": "ドキュメントリストのページ制御", "xpack.enterpriseSearch.content.searchIndex.documents.noMappings": "インデックスのマッピングが見つかりません", "xpack.enterpriseSearch.content.searchIndex.documents.searchField.placeholder": "このインデックスでドキュメントを検索", "xpack.enterpriseSearch.content.searchIndex.documents.title": "ドキュメントを参照", "xpack.enterpriseSearch.content.searchIndex.documentsTabLabel": "ドキュメント", "xpack.enterpriseSearch.content.searchIndex.domainManagementTabLabel": "ドメインを管理", + "xpack.enterpriseSearch.content.searchIndex.index.recheckSuccess.message": "コネクターは再チェックされました。", "xpack.enterpriseSearch.content.searchIndex.index.syncSuccess.message": "同期が正常にスケジュールされました。コネクターによって取得されるのを待機しています", "xpack.enterpriseSearch.content.searchIndex.indexMappingsTabLabel": "インデックスマッピング", "xpack.enterpriseSearch.content.searchIndex.mappings.docLink": "詳細", @@ -11451,6 +12201,7 @@ "xpack.enterpriseSearch.content.searchIndex.nav.indexMappingsTitle": "インデックスマッピング", "xpack.enterpriseSearch.content.searchIndex.nav.overviewTitle": "概要", "xpack.enterpriseSearch.content.searchIndex.overviewTabLabel": "概要", + "xpack.enterpriseSearch.content.searchIndex.pipelinesTabLabel": "パイプライン", "xpack.enterpriseSearch.content.searchIndex.schedulingTabLabel": "スケジュール", "xpack.enterpriseSearch.content.searchIndex.totalStats.apiIngestionMethodLabel": "API", "xpack.enterpriseSearch.content.searchIndex.totalStats.connectorIngestionMethodLabel": "コネクター", @@ -11458,8 +12209,14 @@ "xpack.enterpriseSearch.content.searchIndex.totalStats.documentCountCardLabel": "ドキュメントカウント", "xpack.enterpriseSearch.content.searchIndex.totalStats.domainCountCardLabel": "ドメインカウント", "xpack.enterpriseSearch.content.searchIndex.totalStats.ingestionTypeCardLabel": "インジェスチョンタイプ", + "xpack.enterpriseSearch.content.searchIndex.totalStats.languageLabel": "言語アナライザー", "xpack.enterpriseSearch.content.searchIndices.actions.columnTitle": "アクション", + "xpack.enterpriseSearch.content.searchIndices.actions.deleteIndex.title": "このインデックスを削除", + "xpack.enterpriseSearch.content.searchIndices.actions.viewIndex.title": "このインデックスを表示", "xpack.enterpriseSearch.content.searchIndices.create.buttonTitle": "新しいインデックスを作成", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.cancelButton.title": "キャンセル", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.closeButton.title": "閉じる", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.confirmButton.title": "インデックスの削除", "xpack.enterpriseSearch.content.searchIndices.docsCount.columnTitle": "ドキュメント数", "xpack.enterpriseSearch.content.searchIndices.health.columnTitle": "インデックス正常性", "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.api": "API", @@ -11467,23 +12224,80 @@ "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.connector": "コネクター", "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.crawler": "Crawler", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.columnTitle": "インジェスチョンステータス", + "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.configured.label": "構成済み", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.connected.label": "接続済み", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.connectorError.label": "コネクター失敗", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.idle.label": "アイドル", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.incomplete.label": "未完了", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.syncError.label": "同期失敗", + "xpack.enterpriseSearch.content.searchIndices.jobStats.connectedMethods": "接続されたインジェストメソッド", + "xpack.enterpriseSearch.content.searchIndices.jobStats.errorSyncs": "同期エラー", + "xpack.enterpriseSearch.content.searchIndices.jobStats.incompleteMethods": "不完全なインジェストメソッド", + "xpack.enterpriseSearch.content.searchIndices.jobStats.longRunningSyncs": "長時間実行されている同期", + "xpack.enterpriseSearch.content.searchIndices.jobStats.orphanedSyncs": "孤立した同期", + "xpack.enterpriseSearch.content.searchIndices.jobStats.runningSyncs": "実行中の同期", "xpack.enterpriseSearch.content.searchIndices.name.columnTitle": "インデックス名", "xpack.enterpriseSearch.content.searchIndices.searchIndices.breadcrumb": "デフォルトのインデックス", "xpack.enterpriseSearch.content.searchIndices.searchIndices.emptyPageTitle": "エンタープライズ サーチへようこそ", "xpack.enterpriseSearch.content.searchIndices.searchIndices.includeHidden.label": "非表示のインデックスを表示", - "xpack.enterpriseSearch.content.searchIndices.searchIndices.pageTitle": "Elasticsearchインデックス", + "xpack.enterpriseSearch.content.searchIndices.searchIndices.pageTitle": "デフォルトのインデックス", "xpack.enterpriseSearch.content.searchIndices.searchIndices.searchBar.ariaLabel": "Elasticsearchインデックスをフィルター", "xpack.enterpriseSearch.content.searchIndices.searchIndices.searchBar.placeHolder": "Elasticsearchインデックスをフィルター", "xpack.enterpriseSearch.content.searchIndices.searchIndices.stepsTitle": "エンタープライズ サーチで構築する優れた検索エクスペリエンス", "xpack.enterpriseSearch.content.searchIndices.searchIndices.tableTitle": "利用可能なインデックス", + "xpack.enterpriseSearch.content.searchIndices.syncStatus.columnTitle": "ステータス", "xpack.enterpriseSearch.content.settings.breadcrumb": "設定", + "xpack.enterpriseSearch.content.settings.contactExtraction.label": "コンテンツ抽出", + "xpack.enterpriseSearch.content.settings.contactExtraction.link": "コンテンツ抽出の詳細", + "xpack.enterpriseSearch.content.settings.contentExtraction.description": "エンタープライズ サーチデプロイですべてのインジェストメソッドで、PDFやWordドキュメントなどのバイナリファイルから検索可能なコンテンツを抽出できます。この設定は、エンタープライズ サーチインジェストメカニズムで作成されたすべての新しいElasticsearchインデックスに適用されます。", + "xpack.enterpriseSearch.content.settings.contentExtraction.descriptionTwo": "インデックスの構成ページで、特定のインデックスに対して、この機能を有効化または無効化することもできます。", + "xpack.enterpriseSearch.content.settings.contentExtraction.title": "デプロイレベルのコンテンツ抽出", + "xpack.enterpriseSearch.content.settings.headerTitle": "コンテンツ設定", + "xpack.enterpriseSearch.content.settings.mlInference.deploymentHeaderTitle": "デプロイレベルのML推論パイプライン抽出", + "xpack.enterpriseSearch.content.settings.mlInference.description": "ML推論パイプラインは、パイプラインの一部として実行されます。パイプラインページで各インデックスのプロセッサーを個別に構成する必要はありません。", + "xpack.enterpriseSearch.content.settings.mlInference.label": "ML推論", + "xpack.enterpriseSearch.content.settings.mlInference.link": "コンテンツ抽出の詳細", + "xpack.enterpriseSearch.content.settings.resetButtonLabel": "リセット", + "xpack.enterpriseSearch.content.settings.saveButtonLabel": "保存", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.deploymentHeaderTitle": "デプロイレベルの空白削除", + "xpack.enterpriseSearch.content.settings.whiteSpaceReduction.description": "空白削除では、デフォルトで全文コンテンツから空白を削除します。", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.label": "空白削除", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.link": "空白削除の詳細", "xpack.enterpriseSearch.content.shared.result.header.metadata.deleteDocument": "ドキュメントを削除", "xpack.enterpriseSearch.content.shared.result.header.metadata.title": "ドキュメントメタデータ", + "xpack.enterpriseSearch.content.supportedLanguages.chineseLabel": "中国語", + "xpack.enterpriseSearch.content.supportedLanguages.danishLabel": "デンマーク語", + "xpack.enterpriseSearch.content.supportedLanguages.dutchLabel": "オランダ語", + "xpack.enterpriseSearch.content.supportedLanguages.englishLabel": "英語", + "xpack.enterpriseSearch.content.supportedLanguages.frenchLabel": "フランス語", + "xpack.enterpriseSearch.content.supportedLanguages.germanLabel": "ドイツ語", + "xpack.enterpriseSearch.content.supportedLanguages.italianLabel": "イタリア語", + "xpack.enterpriseSearch.content.supportedLanguages.japaneseLabel": "日本語", + "xpack.enterpriseSearch.content.supportedLanguages.koreanLabel": "韓国語", + "xpack.enterpriseSearch.content.supportedLanguages.portugueseBrazilLabel": "ポルトガル語(ブラジル)", + "xpack.enterpriseSearch.content.supportedLanguages.portugueseLabel": "ポルトガル語", + "xpack.enterpriseSearch.content.supportedLanguages.russianLabel": "ロシア語", + "xpack.enterpriseSearch.content.supportedLanguages.spanishLabel": "スペイン語", + "xpack.enterpriseSearch.content.supportedLanguages.thaiLabel": "タイ語", + "xpack.enterpriseSearch.content.supportedLanguages.universalLabel": "ユニバーサル", + "xpack.enterpriseSearch.content.syncJobs.flyout.canceledTitle": "同期がキャンセルされました", + "xpack.enterpriseSearch.content.syncJobs.flyout.completedTitle": "同期完了", + "xpack.enterpriseSearch.content.syncJobs.flyout.failureTitle": "同期失敗", + "xpack.enterpriseSearch.content.syncJobs.flyout.inProgressTitle": "進行中", + "xpack.enterpriseSearch.content.syncJobs.flyout.sync": "同期", + "xpack.enterpriseSearch.content.syncJobs.flyout.sync.id": "ID", + "xpack.enterpriseSearch.content.syncJobs.flyout.syncStartedManually": "同期は手動で開始しました", + "xpack.enterpriseSearch.content.syncJobs.flyout.syncStartedScheduled": "同期はスケジュールで開始しました", + "xpack.enterpriseSearch.content.syncJobs.flyout.title": "イベントログ", + "xpack.enterpriseSearch.content.syncJobs.lastSync.columnTitle": "前回の同期", + "xpack.enterpriseSearch.content.syncJobs.syncDuration.columnTitle": "同期時間", + "xpack.enterpriseSearch.content.syncStatus.canceled": "同期のキャンセル中", + "xpack.enterpriseSearch.content.syncStatus.canceling": "同期がキャンセルされました", + "xpack.enterpriseSearch.content.syncStatus.completed": "同期完了", + "xpack.enterpriseSearch.content.syncStatus.error": "同期失敗", + "xpack.enterpriseSearch.content.syncStatus.inProgress": "同期は実行中です", + "xpack.enterpriseSearch.content.syncStatus.pending": "同期は保留中です", + "xpack.enterpriseSearch.content.syncStatus.suspended": "同期が一時停止されました", "xpack.enterpriseSearch.crawler.addDomainFlyout.description": "複数のドメインをこのインデックスのWebクローラーに追加できます。ここで別のドメインを追加して、[管理]ページからエントリポイントとクロールルールを変更します。", "xpack.enterpriseSearch.crawler.addDomainFlyout.openButtonLabel": "ドメインを追加", "xpack.enterpriseSearch.crawler.addDomainFlyout.title": "新しいドメインを追加", @@ -11500,8 +12314,25 @@ "xpack.enterpriseSearch.crawler.addDomainForm.urlHelpText": "ドメインURLにはプロトコルが必要です。パスを含めることはできません。", "xpack.enterpriseSearch.crawler.addDomainForm.urlLabel": "ドメインURL", "xpack.enterpriseSearch.crawler.addDomainForm.validateButtonLabel": "ドメインを検証", - "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.crawlAutomaticallySwitchLabel": "自動的にクロール", - "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.readMoreLink": "詳細をお読みください。", + "xpack.enterpriseSearch.crawler.authenticationPanel.basicAuthenticationLabel": "基本認証", + "xpack.enterpriseSearch.crawler.authenticationPanel.configurationSavePanel.description": "クローリング保護されたコンテンツの認証設定が保存されました。認証メカニズムを更新するには、設定を削除して再起動してください。", + "xpack.enterpriseSearch.crawler.authenticationPanel.configurationSavePanel.title": "構成設定が保存されました", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.deleteButtonLabel": "削除", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.description": "これらの設定を削除すると、クローラーがドメインの保護された領域にインデックスを作成できない可能性があります。この操作は元に戻せません。", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.title": "これらの設定を削除しますか?", + "xpack.enterpriseSearch.crawler.authenticationPanel.description": "認証を設定し、このドメインのクローリング保護されたコンテンツを有効化します。", + "xpack.enterpriseSearch.crawler.authenticationPanel.editForm.headerValueLabel": "ヘッダー値", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.addAuthenticationButtonLabel": "認証の追加", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.title": "認証が構成されていません", + "xpack.enterpriseSearch.crawler.authenticationPanel.rawAuthenticationLabel": "認証ヘッダー", + "xpack.enterpriseSearch.crawler.authenticationPanel.resetToDefaultsButtonLabel": "資格情報の追加", + "xpack.enterpriseSearch.crawler.authenticationPanel.title": "認証", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.crawlAutomaticallySwitchLabel": "次のスケジュールで繰り返しクロールを有効にする", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.cronSchedulingDescription": "スケジュールされたクロールの頻度と時刻を定義", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.cronSchedulingTitle": "特定の時刻スケジュール", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.intervalSchedulingDescription": "スケジュールされたクロールの頻度と時刻を定義", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.intervalSchedulingTitle": "間隔スケジュール", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.readMoreLink": "スケジュールの詳細", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleDescription": "クローリングスケジュールは、このインデックスのすべてのドメインに対してフルクローリングを実行します。", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleFrequencyLabel": "スケジュール頻度", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleUnitsLabel": "スケジュール時間単位", @@ -11557,6 +12388,7 @@ "xpack.enterpriseSearch.crawler.crawlerStatusOptions.suspending": "一時停止中", "xpack.enterpriseSearch.crawler.crawlRequestsPanel.description": "最近のクロールリクエストはここに記録されます。KibanaのDiscoverまたはログユーザーインターフェイスで、進捗状況を追跡し、クロールイベントを検査できます。", "xpack.enterpriseSearch.crawler.crawlRequestsPanel.title": "クローリングリクエスト", + "xpack.enterpriseSearch.crawler.crawlRequestsPanel.userAgentDescription": "クローラーからのリクエストは、次のユーザーエージェントで特定できます。これはenterprise-search.ymlファイルで構成されます。", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.crawlType": "クロールタイプ", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.created": "作成済み", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.domains": "ドメイン", @@ -11584,6 +12416,7 @@ "xpack.enterpriseSearch.crawler.crawlTypeOptions.reAppliedCrawlRules": "再適用されたクロールルール", "xpack.enterpriseSearch.crawler.deduplicationPanel.allFieldsLabel": "すべてのフィールド", "xpack.enterpriseSearch.crawler.deduplicationPanel.learnMoreMessage": "コンテンツハッシュの詳細", + "xpack.enterpriseSearch.crawler.deduplicationPanel.preventDuplicateLabel": "重複するドキュメントの防止", "xpack.enterpriseSearch.crawler.deduplicationPanel.resetToDefaultsButtonLabel": "デフォルトにリセット", "xpack.enterpriseSearch.crawler.deduplicationPanel.selectedFieldsLabel": "スクリプトフィールド", "xpack.enterpriseSearch.crawler.deduplicationPanel.showAllFieldsButtonLabel": "すべてのフィールドを表示", @@ -11602,7 +12435,7 @@ "xpack.enterpriseSearch.crawler.domainsTable.action.manage.buttonLabel": "このドメインを管理", "xpack.enterpriseSearch.crawler.domainsTable.column.actions": "アクション", "xpack.enterpriseSearch.crawler.domainsTable.column.documents": "ドキュメント", - "xpack.enterpriseSearch.crawler.domainsTable.column.domainURL": "ドメインURL", + "xpack.enterpriseSearch.crawler.domainsTable.column.domainURL": "ドメイン", "xpack.enterpriseSearch.crawler.domainsTable.column.lastActivity": "前回のアクティビティ", "xpack.enterpriseSearch.crawler.domainsTitle": "ドメイン", "xpack.enterpriseSearch.crawler.entryPointsTable.addButtonLabel": "エントリポイントを追加", @@ -11624,8 +12457,56 @@ "xpack.enterpriseSearch.crawler.startCrawlContextMenu.crawlCustomSettingsMenuLabel": "カスタム設定でクロール", "xpack.enterpriseSearch.crawler.startCrawlContextMenu.reapplyCrawlRulesMenuLabel": "クローリングルールを再適用", "xpack.enterpriseSearch.crawler.urlComboBox.invalidUrlErrorMessage": "有効なURLを入力してください", + "xpack.enterpriseSearch.cronEditor.cronDaily.fieldHour.textAtLabel": "に", + "xpack.enterpriseSearch.cronEditor.cronDaily.fieldTimeLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronDaily.hourSelectLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronDaily.minuteSelectLabel": "分", + "xpack.enterpriseSearch.cronEditor.cronHourly.fieldMinute.textAtLabel": "に", + "xpack.enterpriseSearch.cronEditor.cronHourly.fieldTimeLabel": "分", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldDateLabel": "日付", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldHour.textAtLabel": "に", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldTimeLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronMonthly.hourSelectLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronMonthly.minuteSelectLabel": "分", + "xpack.enterpriseSearch.cronEditor.cronMonthly.textOnTheLabel": "に", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldDateLabel": "日", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldHour.textAtLabel": "に", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldTimeLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronWeekly.hourSelectLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronWeekly.minuteSelectLabel": "分", + "xpack.enterpriseSearch.cronEditor.cronWeekly.textOnLabel": "オン", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDate.textOnTheLabel": "に", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDateLabel": "日付", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldHour.textAtLabel": "に", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonth.textInLabel": "入", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonthLabel": "月", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldTimeLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronYearly.hourSelectLabel": "時間", + "xpack.enterpriseSearch.cronEditor.cronYearly.minuteSelectLabel": "分", + "xpack.enterpriseSearch.cronEditor.day.friday": "金曜日", + "xpack.enterpriseSearch.cronEditor.day.monday": "月曜日", + "xpack.enterpriseSearch.cronEditor.day.saturday": "土曜日", + "xpack.enterpriseSearch.cronEditor.day.sunday": "日曜日", + "xpack.enterpriseSearch.cronEditor.day.thursday": "木曜日", + "xpack.enterpriseSearch.cronEditor.day.tuesday": "火曜日", + "xpack.enterpriseSearch.cronEditor.day.wednesday": "水曜日", + "xpack.enterpriseSearch.cronEditor.fieldFrequencyLabel": "頻度", + "xpack.enterpriseSearch.cronEditor.month.april": "4 月", + "xpack.enterpriseSearch.cronEditor.month.august": "8 月", + "xpack.enterpriseSearch.cronEditor.month.december": "12 月", + "xpack.enterpriseSearch.cronEditor.month.february": "2 月", + "xpack.enterpriseSearch.cronEditor.month.january": "1 月", + "xpack.enterpriseSearch.cronEditor.month.july": "7 月", + "xpack.enterpriseSearch.cronEditor.month.june": "6 月", + "xpack.enterpriseSearch.cronEditor.month.march": "3 月", + "xpack.enterpriseSearch.cronEditor.month.may": "5月", + "xpack.enterpriseSearch.cronEditor.month.november": "11 月", + "xpack.enterpriseSearch.cronEditor.month.october": "10 月", + "xpack.enterpriseSearch.cronEditor.month.september": "9 月", + "xpack.enterpriseSearch.cronEditor.textEveryLabel": "毎", "xpack.enterpriseSearch.curations.settings.licenseUpgradeLink": "ライセンスアップグレードの詳細", "xpack.enterpriseSearch.curations.settings.start30DayTrialButtonLabel": "30 日間のトライアルの開始", + "xpack.enterpriseSearch.descriptionLabel": "説明", "xpack.enterpriseSearch.elasticsearch.features.buildSearchExperiences": "カスタム検索エクスペリエンスを構築", "xpack.enterpriseSearch.elasticsearch.features.buildTooling": "カスタムツールを作成", "xpack.enterpriseSearch.elasticsearch.features.integrate": "データベース、Webサイトなどを統合", @@ -11638,7 +12519,7 @@ "xpack.enterpriseSearch.elasticsearch.resources.languageClientLabel": "言語クライアントのセットアップ", "xpack.enterpriseSearch.elasticsearch.resources.searchUILabel": "ElasticsearchのUIを検索", "xpack.enterpriseSearch.emailLabel": "メール", - "xpack.enterpriseSearch.emptyState.description": "Elasticsearchインデックスは、コンテンツが格納される場所です。まず、Elasticsearchインデックスを作成し、インジェスチョン方法を選択します。オプションには、Elastic Webクローラー、サードパーティデータ統合、Elasticsearch APIエンドポイントの使用があります。", + "xpack.enterpriseSearch.emptyState.description": "コンテンツはElasticsearchインデックスに保存されます。まず、Elasticsearchインデックスを作成し、インジェスチョン方法を選択します。オプションには、Elastic Webクローラー、サードパーティデータ統合、Elasticsearch APIエンドポイントの使用があります。", "xpack.enterpriseSearch.emptyState.description.line2": "App SearchまたはElasticsearchのどちらで検索エクスペリエンスを構築しても、これが最初のステップです。", "xpack.enterpriseSearch.enterpriseSearch.setupGuide.description": "場所を問わず、何でも検索。組織を支える多忙なチームのために、パワフルでモダンな検索エクスペリエンスを簡単に導入できます。Webサイトやアプリ、ワークプレイスに事前調整済みの検索をすばやく追加しましょう。何でもシンプルに検索できます。", "xpack.enterpriseSearch.enterpriseSearch.setupGuide.notConfigured": "エンタープライズサーチはまだKibanaインスタンスで構成されていません。", @@ -11651,8 +12532,25 @@ "xpack.enterpriseSearch.errorConnectingState.troubleshootAuthNative": "Elasticsearchネイティブ認証、SSO/SAML、またはOpenID Connectを使用して認証する必要があります。", "xpack.enterpriseSearch.errorConnectingState.troubleshootAuthSAML": "SAMLやOpenID Connectなどの外部SSOプロバイダーを使用している場合は、エンタープライズ サーチでSAML/OIDCレルムを設定できる必要があります。", "xpack.enterpriseSearch.hiddenText": "非表示のテキスト", + "xpack.enterpriseSearch.index.header.cancelSyncsTitle": "同期のキャンセル", + "xpack.enterpriseSearch.inferencePipelineCard.action.delete": "パイプラインを削除", + "xpack.enterpriseSearch.inferencePipelineCard.action.detach": "パイプラインのデタッチ", + "xpack.enterpriseSearch.inferencePipelineCard.action.title": "アクション", + "xpack.enterpriseSearch.inferencePipelineCard.action.view": "スタック管理で表示", + "xpack.enterpriseSearch.inferencePipelineCard.actionButton": "アクション", + "xpack.enterpriseSearch.inferencePipelineCard.deleteConfirm.title": "パイプラインを削除", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed": "デプロイが失敗しました", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed": "デプロイされていません", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed.fixLink": "学習済みモデルで問題を修正", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed.tooltip": "この学習済みモデルは現在デプロイされていません。変更するには、学習済みモデルページを開いてください", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.started": "開始", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.started.tooltip": "この学習済みモデルは実行中で、利用できます", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.starting": "開始中", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.starting.tooltip": "この学習済みモデルは起動中で、まもなく利用できるようになります", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.stopping": "停止中", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.stopping.tooltip": "この学習済みモデルは停止中で、現在利用できません", "xpack.enterpriseSearch.inlineEditableTable.newRowButtonLabel": "新しい行", - "xpack.enterpriseSearch.integrations.apiDescription": "App Searchの堅牢なAPIを使用して、検索をアプリケーションに追加します。", + "xpack.enterpriseSearch.integrations.apiDescription": "Elasticsearchの堅牢なAPIを使用して、検索をアプリケーションに追加します。", "xpack.enterpriseSearch.integrations.apiName": "API", "xpack.enterpriseSearch.integrations.buildAConnectorDescription": "エンタープライズ サーチを使用して、カスタムデータソースに格納されているデータを検索します。", "xpack.enterpriseSearch.integrations.buildAConnectorName": "コネクターを作成", @@ -11661,17 +12559,23 @@ "xpack.enterpriseSearch.licenseCalloutBody": "SAML経由のエンタープライズ認証、ドキュメントレベルのアクセス権と許可サポート、カスタム検索経験などは有効なプレミアムライセンスで提供されます。", "xpack.enterpriseSearch.licenseDocumentationLink": "ライセンス機能の詳細", "xpack.enterpriseSearch.licenseManagementLink": "ライセンスを更新", + "xpack.enterpriseSearch.nameLabel": "名前", + "xpack.enterpriseSearch.nav.analyticsCollectionsTitle": "コレクション", + "xpack.enterpriseSearch.nav.analyticsTitle": "分析", "xpack.enterpriseSearch.nav.appSearchTitle": "App Search", + "xpack.enterpriseSearch.nav.contentSettingsTitle": "設定", "xpack.enterpriseSearch.nav.contentTitle": "コンテンツ", "xpack.enterpriseSearch.nav.elasticsearchTitle": "Elasticsearch", "xpack.enterpriseSearch.nav.enterpriseSearchOverviewTitle": "概要", - "xpack.enterpriseSearch.nav.searchTitle": "検索", + "xpack.enterpriseSearch.nav.searchExperiencesTitle": "検索エクスペリエンス", "xpack.enterpriseSearch.nav.searchIndicesTitle": "インデックス", + "xpack.enterpriseSearch.nav.searchTitle": "検索", "xpack.enterpriseSearch.nav.workplaceSearchTitle": "Workplace Search", "xpack.enterpriseSearch.notFound.action1": "ダッシュボードに戻す", "xpack.enterpriseSearch.notFound.action2": "サポートに問い合わせる", "xpack.enterpriseSearch.notFound.description": "お探しのページは見つかりませんでした。", "xpack.enterpriseSearch.notFound.title": "404 エラー", + "xpack.enterpriseSearch.optionalLabel": "オプション", "xpack.enterpriseSearch.overview.createAndManageButton": "APIキーの作成と管理", "xpack.enterpriseSearch.overview.deploymentDetails": "デプロイ詳細", "xpack.enterpriseSearch.overview.deploymentDetails.clientIdLabel": "クライアントID", @@ -11705,7 +12609,7 @@ "xpack.enterpriseSearch.overview.elasticsearchResources.searchUi": "ElasticsearchのUIを検索", "xpack.enterpriseSearch.overview.elasticsearchResources.title": "リソース", "xpack.enterpriseSearch.overview.emptyPromptButtonLabel": "Elasticsearchインデックスを作成", - "xpack.enterpriseSearch.overview.emptyPromptTitle": "検索の新しい開始", + "xpack.enterpriseSearch.overview.emptyPromptTitle": "データを追加して検索を開始", "xpack.enterpriseSearch.overview.emptyState.buttonTitle": "コンテンツをエンタープライズ サーチに追加", "xpack.enterpriseSearch.overview.emptyState.footerLinkTitle": "詳細", "xpack.enterpriseSearch.overview.emptyState.heading": "コンテンツをエンタープライズ サーチに追加", @@ -11741,6 +12645,7 @@ "xpack.enterpriseSearch.overview.productSelector.title": "すべてのユースケースの検索エクスペリエンス", "xpack.enterpriseSearch.overview.searchIndices.image.altText": "検索インデックスの例", "xpack.enterpriseSearch.overview.setupCta.description": "Elastic App Search および Workplace Search を使用して、アプリまたは社内組織に検索を追加できます。検索が簡単になるとどのような利点があるのかについては、動画をご覧ください。", + "xpack.enterpriseSearch.passwordLabel": "パスワード", "xpack.enterpriseSearch.productCard.resourcesTitle": "リソース", "xpack.enterpriseSearch.productSelectorCalloutTitle": "チームのためのエンタープライズレベルの機能を実現できるようにアップグレード", "xpack.enterpriseSearch.readOnlyMode.warning": "エンタープライズ サーチは読み取り専用モードです。作成、編集、削除などの変更を実行できません。", @@ -11829,15 +12734,39 @@ "xpack.enterpriseSearch.schema.errorsTable.link.view": "表示", "xpack.enterpriseSearch.schema.fieldNameLabel": "フィールド名", "xpack.enterpriseSearch.schema.fieldTypeLabel": "フィールド型", + "xpack.enterpriseSearch.searchExperiences.guide.description": "JavaScriptのライブラリであるSearch UIを使えば、追加の開発を行わずに、ワールドクラスの検索エクスペリエンスを実装できます。Elasticsearch、App Search、Workplace Searchでそのまま使えるため、ユーザー、顧客、従業員のための最善のエクスペリエンスを構築することに集中できます。", + "xpack.enterpriseSearch.searchExperiences.guide.documentationLink": "Search UIドキュメントを表示", + "xpack.enterpriseSearch.searchExperiences.guide.features.1": "検索の象徴ElasticはSearch UIを構築、管理します。", + "xpack.enterpriseSearch.searchExperiences.guide.features.2": "数行のコードですばやく包括的な検索エクスペリエンスを構築できます。", + "xpack.enterpriseSearch.searchExperiences.guide.features.3": "Search UIはカスタマイズ性が高いため、ユーザーに最適な検索エクスペリエンスを構築できます。", + "xpack.enterpriseSearch.searchExperiences.guide.features.4": "検索、ページ制御、フィルタリングなどが、直接検索リンクのURLに取り込まれます。", + "xpack.enterpriseSearch.searchExperiences.guide.features.5": "Reactだけではありません。すべてのJavaScriptライブラリ、vanilla JavaScriptでも使用できます。", + "xpack.enterpriseSearch.searchExperiences.guide.featuresTitle": "機能", + "xpack.enterpriseSearch.searchExperiences.guide.githubLink": "GitHubのSearch UI", + "xpack.enterpriseSearch.searchExperiences.guide.pageTitle": "Search UIで検索エクスペリエンスを構築", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.appSearch.description": "App SearchとSearch UIで検索エクスペリエンスを構築できます。", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.elasticsearch.description": "ElasticsearchとElasticsearchで検索エクスペリエンスを構築できます。", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.workplaceSearch.description": "Workplace SearchとSearch UIで検索エクスペリエンスを構築できます。", + "xpack.enterpriseSearch.searchExperiences.guide.tutorialsTitle": "チュートリアルを使用してすばやく開始", + "xpack.enterpriseSearch.searchExperiences.navTitle": "検索エクスペリエンス", + "xpack.enterpriseSearch.searchExperiences.productDescription": "直感的で、魅力的な検索エクスペリエンスを簡単に構築できます。", + "xpack.enterpriseSearch.searchExperiences.productName": "Enterprise Search", "xpack.enterpriseSearch.server.connectors.configuration.error": "ドキュメントが見つかりませんでした", "xpack.enterpriseSearch.server.connectors.scheduling.error": "ドキュメントが見つかりませんでした", + "xpack.enterpriseSearch.server.connectors.serviceType.error": "ドキュメントが見つかりませんでした", + "xpack.enterpriseSearch.server.routes.addAnalyticsCollection.analyticsCollectionExistsError": "分析コレクションはすでに存在します", + "xpack.enterpriseSearch.server.routes.addAnalyticsCollection.analyticsCollectionNotFoundErrorMessage": "分析コレクションが見つかりません", "xpack.enterpriseSearch.server.routes.addConnector.connectorExistsError": "コネクターまたはインデックスはすでに存在します", "xpack.enterpriseSearch.server.routes.addCrawler.connectorExistsError": "このインデックスのコネクターはすでに存在します", "xpack.enterpriseSearch.server.routes.addCrawler.crawlerExistsError": "このインデックスのクローラーはすでに存在します", "xpack.enterpriseSearch.server.routes.addCrawler.indexExistsError": "このインデックスはすでに存在します", + "xpack.enterpriseSearch.server.routes.configData.errorMessage": "エンタープライズ サーチからのデータの取得エラー", "xpack.enterpriseSearch.server.routes.createApiIndex.connectorExistsError": "このインデックスのコネクターはすでに存在します", "xpack.enterpriseSearch.server.routes.createApiIndex.crawlerExistsError": "このインデックスのクローラーはすでに存在します", "xpack.enterpriseSearch.server.routes.createApiIndex.indexExistsError": "このインデックスはすでに存在します", + "xpack.enterpriseSearch.server.routes.indices.mlInference.pipelineProcessors.pipelineIsInUseError": "推論パイプラインは、別のインデックスの管理されたパイプライン'{pipelineName}'で使用されています。", + "xpack.enterpriseSearch.server.routes.unauthorizedError": "十分な権限がありません。", + "xpack.enterpriseSearch.server.routes.uncaughtExceptionError": "エンタープライズ サーチでエラーが発生しました。", "xpack.enterpriseSearch.setupGuide.cloud.step1.instruction1LinkText": "デプロイの編集", "xpack.enterpriseSearch.setupGuide.cloud.step1.title": "デプロイの構成を編集", "xpack.enterpriseSearch.setupGuide.cloud.step2.instruction1": "デプロイの[デプロイの編集]画面が表示されたら、エンタープライズ サーチ構成までスクロールし、[有効にする]を選択します。", @@ -11856,8 +12785,10 @@ "xpack.enterpriseSearch.shared.flashMessages.defaultErrorMessage": "予期しないエラーが発生しました", "xpack.enterpriseSearch.shared.result.expandTooltip.allVisible": "すべてのフィールドが表示されます", "xpack.enterpriseSearch.shared.unsavedChangesMessage": "変更は保存されていません。終了してよろしいですか?", + "xpack.enterpriseSearch.technicalPreviewLabel": "テクニカルプレビュー", "xpack.enterpriseSearch.trialCalloutLink": "Elastic Stackライセンスの詳細を参照してください。", "xpack.enterpriseSearch.troubleshooting.setup.documentationLinkLabel": "エンタープライズ サーチ設定のトラブルシューティング", + "xpack.enterpriseSearch.typeLabel": "型", "xpack.enterpriseSearch.units.allDaysLabel": "すべての日", "xpack.enterpriseSearch.units.daysLabel": "日", "xpack.enterpriseSearch.units.daysOfWeekLabel.friday": "金曜日", @@ -12162,6 +13093,12 @@ "xpack.enterpriseSearch.workplaceSearch.integrations.jiraCloudName": "Jira Cloud", "xpack.enterpriseSearch.workplaceSearch.integrations.jiraServerDescription": "Workplace Searchを使用して、Jira Serverのプロジェクトワークフローを検索します。", "xpack.enterpriseSearch.workplaceSearch.integrations.jiraServerName": "Jira Server", + "xpack.enterpriseSearch.workplaceSearch.integrations.mongoDBDescription": "エンタープライズ サーチでMongoDBコンテンツを検索します。", + "xpack.enterpriseSearch.workplaceSearch.integrations.mongoDBName": "MongoDB", + "xpack.enterpriseSearch.workplaceSearch.integrations.mysqlDescription": "エンタープライズ サーチでMySQLコンテンツを検索します。", + "xpack.enterpriseSearch.workplaceSearch.integrations.mysqlName": "MySQL", + "xpack.enterpriseSearch.workplaceSearch.integrations.nativeConnectorDescription": "ネイティブのエンタープライズ サーチコネクターを使用して、データソースを検索します。", + "xpack.enterpriseSearch.workplaceSearch.integrations.nativeConnectorName": "コネクターを使用", "xpack.enterpriseSearch.workplaceSearch.integrations.networkDriveDescription": "Workplace Searchでネットワークドライブに保存されたファイルとフォルダーを検索します。", "xpack.enterpriseSearch.workplaceSearch.integrations.networkDriveName": "ネットワークドライブ", "xpack.enterpriseSearch.workplaceSearch.integrations.onedriveDescription": "Workplace Searchを使用して、OneDriveに保存されたファイルを検索します。", @@ -12582,9 +13519,23 @@ "xpack.fileUpload.maxFileSizeUiSetting.name": "最大ファイルアップロードサイズ", "xpack.fileUpload.noFileNameError": "ファイル名が指定されていません", "xpack.fileUpload.shapefile.sideCarFilePicker.promptText": "'{ext}'ファイルを選択", + "xpack.fileUpload.smallChunks.switchLabel": "小さいチャンクでファイルをアップロード", + "xpack.fileUpload.smallChunks.tooltip": "リクエストタイムアウトエラーを解消するために使用します。", "xpack.fleet.addAgentHelpPopover.popoverBody": "統合が正常に動作するために、{elasticAgent}をホストに追加し、データを収集して、Elastic Stackに送信してください。{learnMoreLink}", "xpack.fleet.addIntegration.installAgentStepTitle": "FleetでElasticエージェントを構成および登録して、自動的に更新をデプロイしたり、一元的にエージェントを管理したりします。上級者ユーザーは、Fleetの代わりに、{standaloneLink}でエージェントを実行できます。", "xpack.fleet.addIntegration.standaloneWarning": "スタンドアロンモードでElasticエージェントを実行して統合を設定する方法は、上級者向けです。可能なかぎり、{link}を使用することをお勧めします。", + "xpack.fleet.agentActivity.completedTitle": "{nbAgents} {agents} {completedText}", + "xpack.fleet.agentActivity.inProgressTitle": "{inProgressText} {nbAgents} {agents} {reassignText}{upgradeText}", + "xpack.fleet.agentActivityFlyout.cancelledDescription": "{date}にキャンセルされました", + "xpack.fleet.agentActivityFlyout.cancelledTitle": "エージェント{cancelledText}がキャンセルされました", + "xpack.fleet.agentActivityFlyout.completedDescription": "{date}に完了しました", + "xpack.fleet.agentActivityFlyout.expiredDescription": "{date}に失効しました", + "xpack.fleet.agentActivityFlyout.expiredTitle": "エージェント{expiredText}が失効しました", + "xpack.fleet.agentActivityFlyout.reassignCompletedDescription": "{policy}に割り当てられました。", + "xpack.fleet.agentActivityFlyout.scheduleTitle": "{nbAgents}個のエージェントがバージョン{version}にアップグレードされるようにスケジュールされました", + "xpack.fleet.agentActivityFlyout.startedDescription": "{date}に開始しました。", + "xpack.fleet.agentActivityFlyout.upgradeDescription": "エージェントアップグレードについては、{guideLink}。", + "xpack.fleet.agentBulkActions.requestDiagnostics": "{agentCount, plural, other {# 個のエージェント}}の診断をリクエスト", "xpack.fleet.agentBulkActions.scheduleUpgradeAgents": "{agentCount, plural, other {# 個のエージェント}}のアップグレードをスケジュール", "xpack.fleet.agentBulkActions.totalAgents": "{count, plural, other {#個のエージェント}}を表示しています", "xpack.fleet.agentBulkActions.totalAgentsWithLimit": "{count}/{total}個のエージェントを表示しています", @@ -12594,22 +13545,25 @@ "xpack.fleet.agentEnrollment.agentAuthenticationSettings": "{agentPolicyName}が選択されました。エージェントを登録するときに使用する登録トークンを選択します。", "xpack.fleet.agentEnrollment.agentsNotInitializedText": "エージェントを登録する前に、{link}。", "xpack.fleet.agentEnrollment.confirmation.title": "{agentCount} {agentCount, plural, other {個のエージェント}}が登録されました。", + "xpack.fleet.agentEnrollment.instructionstFleetServer": "Fleetにエージェントを登録する前に、Fleetサーバーが必要です。Fleetサーバーのセットアップについては、次の手順に従ってください。詳細については、{userGuideLink}を参照してください。", "xpack.fleet.agentEnrollment.loading.instructions": "エージェントが起動した後、Elastic Stackはエージェントを待機し、Fleetでの登録を確認します。接続の問題が発生した場合は、{link}を確認してください。", "xpack.fleet.agentEnrollment.missingFleetHostCalloutText": "Fleetにエージェントを登録するには、FleetサーバーホストのURLが必要です。Fleet設定でこの情報を追加できます。詳細は{link}をご覧ください。", "xpack.fleet.agentEnrollment.stepConfigureAgentDescription": "Elasticエージェントがインストールされているホストで、このポリシーを{fileName}にコピーします。Elasticsearch資格情報を使用するには、{fileName}の{outputSection}セクションで、{ESUsernameVariable}と{ESPasswordVariable}を変更します。", "xpack.fleet.agentEnrollment.stepConfigureAgentDescriptionk8s": "Kubernetesクラスター内でKubernetesマニフェストをコピーしてダウンロードします。Daemonsetで{ESUsernameVariable}および{ESPasswordVariable}環境変数を更新し、Elasticsearch資格情報と一致するようにします。", "xpack.fleet.agentFlyout.managedRadioOption": "{managed} – ElasticエージェントをFleetに登録して、自動的に更新をデプロイしたり、一元的にエージェントを管理したりします。", "xpack.fleet.agentFlyout.standaloneRadioOption": "{standaloneMessage} – Elasticエージェントをスタンドアロンで実行して、エージェントがインストールされているホストで、手動でエージェントを構成および更新します。", + "xpack.fleet.agentHealth.checkinMessageText": "前回のチェックインメッセージ:{lastCheckinMessage}", "xpack.fleet.agentHealth.checkInTooltipText": "前回のチェックイン {lastCheckIn}", "xpack.fleet.agentList.noFilteredAgentsPrompt": "エージェントが見つかりません。{clearFiltersLink}", "xpack.fleet.agentLogs.logDisabledCallOutDescription": "エージェントのポリシーを更新{settingsLink}して、ログ収集を有効にします。", "xpack.fleet.agentLogs.oldAgentWarningTitle": "ログの表示には、Elastic Agent 7.11以降が必要です。エージェントをアップグレードするには、[アクション]メニューに移動するか、新しいバージョンを{downloadLink}。", "xpack.fleet.agentPolicy.confirmModalCalloutDescription": "選択されたエージェントポリシー {policyName} が一部のエージェントですでに使用されていることを Fleet が検出しました。このアクションの結果として、Fleetはこのポリシーで使用されているすべてのエージェントに更新をデプロイします。", "xpack.fleet.agentPolicy.downloadSourcesOptions.defaultOutputText": "デフォルト(現在は{defaultDownloadSourceName})", + "xpack.fleet.agentPolicy.fleetServerHostsOptions.defaultOutputText": "デフォルト(現在は{defaultFleetServerHostsName})", "xpack.fleet.agentPolicy.linkedAgentCountText": "{count, plural, other {#個のエージェント}}", "xpack.fleet.agentPolicy.outputOptions.defaultOutputText": "デフォルト(現在{defaultOutputName})", "xpack.fleet.agentPolicy.postInstallAddAgentModal": "{packageName}統合が追加されました", - "xpack.fleet.agentPolicy.postInstallAddAgentModalDescription": "この統合を完了するために、{elasticAgent}をホストに追加し、データを収集して、Elastic Stackに送信してください", + "xpack.fleet.agentPolicy.postInstallAddAgentModalDescription": "この統合を完了するために、{elasticAgent}をホストに追加し、データを収集して、Elastic Stackに送信してください。", "xpack.fleet.agentPolicyForm.createAgentPolicyTypeOfHosts": "ホストのタイプは{agentPolicy}で制御されています。開始するには、新しいエージェントポリシーを作成してください。", "xpack.fleet.agentPolicyForm.monitoringDescription": "監視ログおよびメトリックを収集すると、{agent}統合も作成されます。監視データは上記のデフォルト名前空間に書き込まれます。", "xpack.fleet.agentPolicyForm.namespaceFieldDescription": "名前空間はユーザーが構成できる任意のグループであり、データの検索とユーザーアクセス権の管理が容易になります。ポリシー名前空間は、統合のデータストリームの名前を設定するために使用されます。{fleetUserGuide}。", @@ -12629,6 +13583,8 @@ "xpack.fleet.confirmIncomingDataWithPreview.loading": "データがElasticsearchに送信されるまでに、数分かかる場合があります。何も表示されない場合は、データを生成して検証してください。接続の問題が発生した場合は、{link}を確認してください。", "xpack.fleet.confirmIncomingDataWithPreview.prePollingInstructions": "エージェントが起動した後、Elastic Stackはエージェントを待機し、Fleetでの登録を確認します。接続の問題が発生した場合は、{link}を確認してください。", "xpack.fleet.confirmIncomingDataWithPreview.title": "{numAgentsWithData}登録された{numAgentsWithData, plural, other {個のエージェント}}からデータを受信しました。", + "xpack.fleet.ConfirmOpenUnverifiedModal.calloutBody": "この統合には、真正が不明な未署名のパッケージが含まれています。悪意のあるファイルが含まれている可能性があります。{learnMoreLink}の詳細をご覧ください。", + "xpack.fleet.ConfirmOpenUnverifiedModal.calloutTitleWithPkg": "統合{pkgName}で検証が失敗しました", "xpack.fleet.copyAgentPolicy.confirmModal.defaultNewPolicyName": "{name}(コピー)", "xpack.fleet.createPackagePolicy.multiPageTitle": "{title}統合を設定", "xpack.fleet.createPackagePolicy.pageTitleWithPackageName": "{packageName}統合の追加", @@ -12638,7 +13594,7 @@ "xpack.fleet.createPackagePolicy.stepConfigure.packagePolicyNamespaceHelpLabel": "選択したエージェントポリシーから継承されたデフォルト名前空間を変更します。この設定により、統合のデータストリームの名前が変更されます。{learnMore}。", "xpack.fleet.createPackagePolicy.stepConfigure.showStreamsAriaLabel": "{type}入力を表示", "xpack.fleet.createPackagePolicy.StepSelectPolicy.agentPolicyAgentsDescriptionText": "{count, plural, other {# 個のエージェント}}が選択したエージェントポリシーで登録されています。", - "xpack.fleet.currentUpgrade.confirmDescription": "{nbAgents}個のエージェントのアップグレードが中断されます", + "xpack.fleet.currentUpgrade.confirmDescription": "{nbAgents, plural, other {# 個のエージェント}}のアップグレードが中断されます", "xpack.fleet.debug.agentPolicyDebugger.description": "名前または{codeId}値を使用して、エージェントポリシーを検索します。以下のコードブロックを使用して、ポリシーの構成に関する潜在的な問題を診断します。", "xpack.fleet.debug.dangerZone.description": "このページは、Fleetの基本データと診断の問題を直接管理するためのインターフェイスです。これらのデバッグツールは、本質的に{strongDestructive}である可能性があり、{strongLossOfData}のおそれがあります。十分にご注意ください。", "xpack.fleet.debug.integrationDebugger.reinstall.error": "{integrationTitle}の再インストールエラー", @@ -12671,8 +13627,10 @@ "xpack.fleet.epm.install.packageInstallError": "{pkgName} {pkgVersion}のインストールエラー", "xpack.fleet.epm.install.packageUpdateError": "{pkgName} {pkgVersion}の更新エラー", "xpack.fleet.epm.integrationPreference.title": "{link}の統合が利用可能な場合は、以下が表示されます。", + "xpack.fleet.epm.packageDetails.apiReference.description": "Fleet Kibana API経由でこの統合をプログラム的に使用するために利用できる入力値、ストリーム、変数がすべて文書化されています。{learnMore}", "xpack.fleet.epm.packageDetails.integrationList.packageVersion": "v{version}", "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutDescription": "Fleetを完全に使用するには、ElasticsearchとKibanaセキュリティ機能を有効にする必要があります。セキュリティを有効にするには、{guideLink}に従ってください。", + "xpack.fleet.epm.prereleaseWarningCalloutTitle": "これは{packageTitle}統合のリリース前バージョンです。", "xpack.fleet.epm.screenshotAltText": "{packageName}スクリーンショット#{imageNumber}", "xpack.fleet.epm.screenshotPaginationAriaLabel": "{packageName}スクリーンショットページネーション", "xpack.fleet.epm.verificationWarningCalloutIntroText": "この統合には、真正が不明な未署名のパッケージが含まれています。{learnMoreLink}の詳細をご覧ください。", @@ -12684,6 +13642,7 @@ "xpack.fleet.fleetServerFlyout.generateFleetServerPolicySuccessInstructions": "Fleetサーバーポリシーとサービストークンが生成されました。ホストが{hostUrl}で構成されました。 {fleetSettingsLink}でFleetサーバーを編集できます。", "xpack.fleet.fleetServerFlyout.installFleetServerInstructions": "Fleetサーバーエージェントを一元化されたホストにインストールし、監視する他のホストがそれに接続できるようにします。本番では、1つ以上の専用ホストを使用することをお勧めします。詳細なガイダンスについては、{installationLink}を参照してください。", "xpack.fleet.fleetServerFlyout.instructions": "Fleetにエージェントを登録する前に、Fleetサーバーが必要です。Fleetサーバーのセットアップについては、次の手順に従ってください。詳細については、{userGuideLink}を参照してください。", + "xpack.fleet.fleetServerLanding.instructions": "Fleetにエージェントを登録する前に、Fleetサーバーが必要です。Fleetサーバーのセットアップについては、次の手順に従ってください。詳細については、{userGuideLink}を参照してください。", "xpack.fleet.fleetServerOnPremRequiredCallout.calloutDescription": "Fleetサーバーのセットアップについては、次の手順に従ってください。詳細については、{guideLink}を参照してください。", "xpack.fleet.fleetServerOnPremUnhealthyCallout.calloutDescription": "Fleetにエージェントを登録する前に、正常なFleetサーバーが必要です。 詳細については、{guideLink}を参照してください。", "xpack.fleet.fleetServerSetup.addFleetServerHostStepDescription": "まず、エージェントがFleetサーバーに接続するために使用する、公開IPまたはホスト名とポートを設定します。デフォルトでは、ポート{port}が使用されます。これで、自動的にポリシーが生成されます。", @@ -12691,6 +13650,7 @@ "xpack.fleet.fleetServerSetup.cloudSetupText": "Fleetにエージェントを登録する前に、Fleetサーバーが必要です。取得するための最も簡単な方法は、Fleetサーバー統合を実行する統合サーバーを追加することです。クラウドコンソールでデプロイに追加できます。詳細は{link}をご覧ください。", "xpack.fleet.fleetServerSetup.deploymentModeProductionOption": "{production} – 独自の証明書を指定します。このオプションでは、Fleetに登録するときに、エージェントで証明書鍵を指定する必要があります。", "xpack.fleet.fleetServerSetup.deploymentModeQuickStartOption": "{quickStart} – Fleetサーバーは自己署名証明書を生成します。後続のエージェントは--insecureフラグを使用して登録する必要があります。本番ユースケースには推奨されません。", + "xpack.fleet.fleetServerSetup.getStartedInstructions": "まず、エージェントがFleetサーバーに接続するために使用する、公開IPまたはホスト名とポートを設定します。デフォルトでは、ポート{port}が使用されます。これで、自動的にポリシーが生成されます。", "xpack.fleet.fleetServerSetupPermissionDeniedErrorMessage": "Fleetサーバーを設定する必要があります。これには{roleName}クラスター権限が必要です。管理者にお問い合わせください。", "xpack.fleet.homeIntegration.tutorialModule.noticeText": "{notePrefix}このモジュールの新しいバージョンは{availableAsIntegrationLink}です。統合と新しいElasticエージェントの詳細については、{blogPostLink}をお読みください。", "xpack.fleet.integration.settings.versionInfo.updatesAvailableBody": "バージョン{latestVersion}にアップグレードして最新の機能を入手", @@ -12747,6 +13707,10 @@ "xpack.fleet.preconfiguration.packageMissingError": "[{agentPolicyName}]を追加できませんでした。[{pkgName}]がインストールされていません。[{pkgName}]を[{packagesConfigValue}]に追加するか、[{packagePolicyName}]から削除してください。", "xpack.fleet.preconfiguration.packageRejectedError": "[{agentPolicyName}]を追加できませんでした。エラーのため、[{pkgName}]をインストールできませんでした:[{errorMessage}]", "xpack.fleet.preconfiguration.policyDeleted": "構成済みのポリシー{id}が削除されました。作成をスキップしています", + "xpack.fleet.requestDiagnostics.confirmMultipleButtonLabel": "{count}個のエージェントの診断をリクエスト", + "xpack.fleet.requestDiagnostics.fatalErrorNotificationTitle": "{count, plural, other {エージェント}}の診断のリクエストエラー", + "xpack.fleet.requestDiagnostics.multipleTitle": "{count}個のエージェントの診断をリクエスト", + "xpack.fleet.requestDiagnostics.readyNotificationTitle": "エージェント診断{name}が準備できました", "xpack.fleet.serverError.agentPolicyDoesNotExist": "エージェントポリシー{agentPolicyId}が存在しません", "xpack.fleet.serverError.enrollmentKeyDuplicate": "エージェントポリシーの{agentPolicyId}登録キー{providedKeyName}はすでに存在します", "xpack.fleet.settings.deleteDowloadSource.agentPolicyCount": "{agentPolicyCount, plural, other {# 件のエージェントポリシー}}", @@ -12760,7 +13724,7 @@ "xpack.fleet.settings.editOutputFlyout.defaultOutputSwitchLabel": "この出力を{boldAgentIntegrations}のデフォルトにします。", "xpack.fleet.settings.editOutputFlyout.logstashHostsInputDescription": "エージェントがLogstashに接続するために使用するアドレスを指定します。{guideLink}。", "xpack.fleet.settings.fleetServerHostSectionSubtitle": "エージェントがFleetサーバーに接続するために使用するURLを指定します。複数のURLが存在する場合、Fleetは登録目的で最初に指定されたURLを表示します。詳細については、{guideLink}を参照してください。", - "xpack.fleet.settings.fleetServerHostsFlyout.description": "エージェントがFleetサーバーに接続するために使用するURLを指定します。複数のURLが存在する場合、Fleetは登録目的で最初に指定されたURLを表示します。Fleetサーバーはデフォルトで8220番ポートを使用します。{link}を参照してください。", + "xpack.fleet.settings.fleetServerHostsFlyout.description": "デプロイをスケールし、自動フェイルオーバーを導入するための複数のURLを指定します。複数のURLが存在する場合、Fleetは登録目的で最初に指定されたURLを表示します。登録されたElasticエージェントは、正常に接続されるまで、ラウンドロビン方式でURLに接続します。詳細については、{link}をご覧ください。", "xpack.fleet.settings.logstashInstructions.addPipelineStepDescription": "Logstash構成ディレクトリの{pipelineFile}ファイルを開き、次の構成を追加します。ファイルへのパスを置換します。", "xpack.fleet.settings.logstashInstructions.description": "Elasticエージェントパイプライン構成をLogstashに追加し、Elasticエージェントフレームワークからイベントを受信します。{documentationLink}。", "xpack.fleet.settings.logstashInstructions.editPipelineStepDescription": "次に、{pipelineConfFile}ファイルを開き、次の内容を挿入します。", @@ -12790,6 +13754,7 @@ "xpack.fleet.upgradeAgents.warningCalloutErrors": "選択した{count, plural,other {{count}個のエージェント}}のアップグレードエラー", "xpack.fleet.upgradePackagePolicy.statusCallout.errorContent": "この統合には、バージョン{currentVersion}から{upgradeVersion}で競合するフィールドがあります。構成を確認して保存し、アップグレードを実行してください。{previousConfigurationLink}を参照して比較できます。", "xpack.fleet.upgradePackagePolicy.statusCallout.successContent": "この統合はバージョン{currentVersion}から{upgradeVersion}にアップグレードできます。以下の変更を確認して保存し、アップグレードしてください。", + "xpack.fleet.actionStatus.fetchRequestError": "アクションステータスの取得中にエラーが発生しました", "xpack.fleet.addAgentButton": "エージェントの追加", "xpack.fleet.addAgentHelpPopover.documentationLink": "Elasticエージェントの詳細。", "xpack.fleet.addAgentHelpPopover.footActionButton": "OK", @@ -12808,6 +13773,19 @@ "xpack.fleet.addIntegration.errorTitle": "統合の追加エラー", "xpack.fleet.addIntegration.noAgentPolicy": "エージェントポリシーの作成エラーです。", "xpack.fleet.addIntegration.switchToManagedButton": "Fleetで登録(推奨)", + "xpack.fleet.agentActivityButton.tourContent": "実行中、完了、スケジュール済みのエージェントアクションアクティビティ履歴をいつでもここで確認できます。", + "xpack.fleet.agentActivityButton.tourTitle": "エージェントアクティビティ履歴", + "xpack.fleet.agentActivityFlyout.abortUpgradeButtom": "アップグレードの中断", + "xpack.fleet.agentActivityFlyout.activityLogText": "Elasticエージェント運用のアクティビティログがここに表示されます。", + "xpack.fleet.agentActivityFlyout.closeBtn": "閉じる", + "xpack.fleet.agentActivityFlyout.failureDescription": " この処理中に問題が発生しました。", + "xpack.fleet.agentActivityFlyout.guideLink": "詳細", + "xpack.fleet.agentActivityFlyout.inProgressTitle": "進行中", + "xpack.fleet.agentActivityFlyout.noActivityDescription": "エージェントが再割り当て、アップグレード、または登録解除されたときに、アクティビティフィードがここに表示されます。", + "xpack.fleet.agentActivityFlyout.noActivityText": "表示するアクティビティがありません", + "xpack.fleet.agentActivityFlyout.scheduledDescription": "スケジュール済み ", + "xpack.fleet.agentActivityFlyout.title": "エージェントアクティビティ", + "xpack.fleet.agentActivityFlyout.todayTitle": "今日", "xpack.fleet.agentBulkActions.actions": "アクション", "xpack.fleet.agentBulkActions.addRemoveTags": "タグを追加/削除", "xpack.fleet.agentBulkActions.agentsSelected": "{count, plural, other {#個のエージェント} =all {すべてのエージェント}}が選択されました", @@ -12822,6 +13800,7 @@ "xpack.fleet.agentDetails.hostNameLabel": "ホスト名", "xpack.fleet.agentDetails.integrationsSectionTitle": "統合", "xpack.fleet.agentDetails.lastActivityLabel": "前回のアクティビティ", + "xpack.fleet.agentDetails.lastCheckinMessageLabel": "前回のチェックインメッセージ", "xpack.fleet.agentDetails.logLevel": "ログレベル", "xpack.fleet.agentDetails.monitorLogsLabel": "ログの監視", "xpack.fleet.agentDetails.monitorMetricsLabel": "メトリックの監視", @@ -12830,6 +13809,7 @@ "xpack.fleet.agentDetails.releaseLabel": "エージェントリリース", "xpack.fleet.agentDetails.statusLabel": "ステータス", "xpack.fleet.agentDetails.subTabs.detailsTab": "エージェントの詳細", + "xpack.fleet.agentDetails.subTabs.diagnosticsTab": "診断", "xpack.fleet.agentDetails.subTabs.logsTab": "ログ", "xpack.fleet.agentDetails.tagsLabel": "タグ", "xpack.fleet.agentDetails.unexceptedErrorTitle": "エージェントの読み込み中にエラーが発生しました", @@ -12850,11 +13830,13 @@ "xpack.fleet.agentEnrollment.confirmation.button": "登録されたエージェントを表示", "xpack.fleet.agentEnrollment.copyPolicyButton": "クリップボードにコピー", "xpack.fleet.agentEnrollment.downloadDescriptionForK8s": "Kubernetesマニフェストをコピーまたはダウンロードします。", + "xpack.fleet.agentEnrollment.downloadManifestButtonk8sClicked": "ダウンロード済み", "xpack.fleet.agentEnrollment.downloadPolicyButton": "ポリシーのダウンロード", "xpack.fleet.agentEnrollment.downloadPolicyButtonk8s": "マニフェストのダウンロード", "xpack.fleet.agentEnrollment.enrollFleetTabLabel": "Fleetで登録", "xpack.fleet.agentEnrollment.enrollStandaloneTabLabel": "スタンドアロンで実行", "xpack.fleet.agentEnrollment.fleetSettingsLink": "Fleet設定", + "xpack.fleet.agentEnrollment.flyoutFleetServerTitle": "Fleetサーバーの追加", "xpack.fleet.agentEnrollment.flyoutTitle": "エージェントの追加", "xpack.fleet.agentEnrollment.kubernetesCommandInstructions": "マニフェストがダウンロードされるディレクトリから適用コマンドを実行します。", "xpack.fleet.agentEnrollment.loading.listening": "エージェントを待機しています...", @@ -12864,6 +13846,7 @@ "xpack.fleet.agentEnrollment.missingFleetHostCalloutTitle": "FleetサーバーホストのURLが見つかりません", "xpack.fleet.agentEnrollment.missingFleetHostGuideLink": "FleetおよびElasticエージェントガイド", "xpack.fleet.agentEnrollment.setUpAgentsLink": "Elasticエージェントの集中管理を設定", + "xpack.fleet.agentEnrollment.setupGuideLink": "FleetおよびElasticエージェントガイド", "xpack.fleet.agentEnrollment.standaloneDescription": "Elasticエージェントをスタンドアロンで実行して、エージェントがインストールされているホストで、手動でエージェントを構成および更新します。", "xpack.fleet.agentEnrollment.stepAgentEnrollmentConfirmation": "エージェント登録の確認", "xpack.fleet.agentEnrollment.stepAgentEnrollmentConfirmationComplete": "エージェント登録が確認されました", @@ -12874,6 +13857,7 @@ "xpack.fleet.agentEnrollment.stepConfirmIncomingData.completed": "受信データが確認されました", "xpack.fleet.agentEnrollment.stepEnrollAndRunAgentTitle": "ホストにElasticエージェントをインストール", "xpack.fleet.agentEnrollment.stepInstallType": "Fleetで登録", + "xpack.fleet.agentEnrollment.stepKubernetesApplyManifest": "適用コマンドを実行", "xpack.fleet.agentFlyout.managedMessage": "Fleetで登録(推奨)", "xpack.fleet.agentFlyout.standaloneMessage": "スタンドアロンで実行", "xpack.fleet.agentHealth.healthyStatusText": "正常", @@ -12888,8 +13872,10 @@ "xpack.fleet.agentList.addFleetServerButton": "Fleetサーバーの追加", "xpack.fleet.agentList.addFleetServerButton.tooltip": "Fleet Serverは、Elasticエージェントを集中管理するために使用されるElastic Stackのコンポーネントです", "xpack.fleet.agentList.addRemoveTagsActionText": "タグを追加/削除", + "xpack.fleet.agentList.agentActivityButton": "エージェントアクティビティ", "xpack.fleet.agentList.agentUpgradeLabel": "アップグレードが利用可能です", "xpack.fleet.agentList.clearFiltersLinkText": "フィルターを消去", + "xpack.fleet.agentList.diagnosticsOneButton": "診断.zipのリクエスト", "xpack.fleet.agentList.errorFetchingDataTitle": "エージェントの取り込みエラー", "xpack.fleet.agentList.forceUnenrollOneButton": "強制的に登録解除する", "xpack.fleet.agentList.hostColumnTitle": "ホスト", @@ -12938,6 +13924,7 @@ "xpack.fleet.agentPolicy.postInstallAddAgentModalCancelButtonLabel": "後でElasticエージェントを追加", "xpack.fleet.agentPolicy.postInstallAddAgentModalConfirmButtonLabel": "Elasticエージェントをホストに追加", "xpack.fleet.agentPolicy.saveIntegrationTooltip": "統合ポリシーを保存するには、セキュリティを有効にし、統合のすべての権限が必要です。管理者にお問い合わせください。", + "xpack.fleet.agentPolicyActionMenu.addFleetServerActionText": "Fleetサーバーの追加", "xpack.fleet.agentPolicyActionMenu.buttonText": "アクション", "xpack.fleet.agentPolicyActionMenu.copyPolicyActionText": "ポリシーの複製", "xpack.fleet.agentPolicyActionMenu.enrollAgentActionText": "エージェントの追加", @@ -12958,6 +13945,8 @@ "xpack.fleet.agentPolicyForm.descriptionFieldPlaceholder": "任意の説明", "xpack.fleet.agentPolicyForm.downloadSourceDescription": "アップグレードアクションが発行されると、エージェントはこの場所からバイナリをダウンロードします。", "xpack.fleet.agentPolicyForm.downloadSourceLabel": "エージェントバイナリダウンロード", + "xpack.fleet.agentPolicyForm.fleetServerHostsDescripton": "このポリシーのエージェントが通信するFleetサーバーを選択します。", + "xpack.fleet.agentPolicyForm.fleetServerHostsLabel": "Fleetサーバー", "xpack.fleet.agentPolicyForm.monitoringLabel": "アラート監視", "xpack.fleet.agentPolicyForm.monitoringLogsFieldLabel": "エージェントログを収集", "xpack.fleet.agentPolicyForm.monitoringLogsTooltipText": "このポリシーを使用するElasticエージェントからログを収集します。", @@ -12993,7 +13982,7 @@ "xpack.fleet.agentReassignPolicy.flyoutTitle": "新しいエージェントポリシーを割り当てる", "xpack.fleet.agentReassignPolicy.packageBadgeFleetServerWarning": "Fleetサーバーはスタンドアロンモードで有効にされません。", "xpack.fleet.agentReassignPolicy.selectPolicyLabel": "エージェントポリシー", - "xpack.fleet.agentReassignPolicy.successSingleNotificationTitle": "エージェントポリシーが再割り当てされました", + "xpack.fleet.agentReassignPolicy.successSingleNotificationTitle": "エージェントポリシーを再割り当て中", "xpack.fleet.agentsInitializationErrorMessageTitle": "Elasticエージェントの集中管理を初期化できません", "xpack.fleet.agentStandaloneBottomBar.backButton": "戻る", "xpack.fleet.agentStandaloneBottomBar.viewIncomingDataBtn": "受信データを表示", @@ -13002,6 +13991,9 @@ "xpack.fleet.agentStatus.offlineLabel": "オフライン", "xpack.fleet.agentStatus.unhealthyLabel": "異常", "xpack.fleet.agentStatus.updatingLabel": "更新中", + "xpack.fleet.apiRequestFlyout.description": "Kibanaに対してこれらのリクエストを実行", + "xpack.fleet.apiRequestFlyout.openFlyoutButton": "APIリクエストをプレビュー", + "xpack.fleet.apiRequestFlyout.title": "Kibana APIリクエスト", "xpack.fleet.appNavigation.agentsLinkText": "エージェント", "xpack.fleet.appNavigation.dataStreamsLinkText": "データストリーム", "xpack.fleet.appNavigation.enrollmentTokensText": "登録トークン", @@ -13031,6 +14023,7 @@ "xpack.fleet.ConfirmForceInstallModal.confirmButtonLabel": "インストール", "xpack.fleet.ConfirmForceInstallModal.learnMoreLink": "パッケージ署名", "xpack.fleet.ConfirmForceInstallModal.title": "検証されていない統合をインストールしますか?", + "xpack.fleet.confirmIncomingData. '": "Kubernetes メトリックダッシュボードを表示", "xpack.fleet.confirmIncomingData.APMsubtitle": "次に、ホストでAPMエージェントをインストールし、アプリケーションとサービスからデータを収集できます。", "xpack.fleet.confirmIncomingData.installApmAgentButtonText": "APMエージェントのインストール", "xpack.fleet.confirmIncomingData.subtitle": "次に、キュレーションされたビュー、ダッシュボードなどの統合アセットを使用して、データを分析します。", @@ -13043,6 +14036,10 @@ "xpack.fleet.confirmIncomingDataStandalone.troubleshootingLink": "トラブルシューティングガイド", "xpack.fleet.confirmIncomingDataWithPreview.listening": "登録されたエージェントから受信データを待機しています...", "xpack.fleet.confirmIncomingDataWithPreview.previewTitle": "受信データのプレビュー:", + "xpack.fleet.ConfirmOpenUnverifiedModal.cancelButtonLabel": "キャンセル", + "xpack.fleet.ConfirmOpenUnverifiedModal.confirmButtonLabel": "表示", + "xpack.fleet.ConfirmOpenUnverifiedModal.learnMoreLink": "パッケージ署名", + "xpack.fleet.ConfirmOpenUnverifiedModal.title": "検証されていない統合を表示しますか?", "xpack.fleet.copyAgentPolicy.confirmModal.cancelButtonLabel": "キャンセル", "xpack.fleet.copyAgentPolicy.confirmModal.confirmButtonLabel": "ポリシーの複製", "xpack.fleet.copyAgentPolicy.confirmModal.copyPolicyPrompt": "新しいエージェントポリシーの名前と説明を選択してください。", @@ -13052,6 +14049,7 @@ "xpack.fleet.copyAgentPolicy.fatalErrorNotificationTitle": "エージェントポリシーの複製エラー", "xpack.fleet.copyAgentPolicy.successNotificationTitle": "エージェントポリシーが複製されました", "xpack.fleet.createAgentPolicy.cancelButtonLabel": "キャンセル", + "xpack.fleet.createAgentPolicy.devtoolsRequestDescription": "このKibanaリクエストにより、新しいエージェントポリシーが作成されます。", "xpack.fleet.createAgentPolicy.errorNotificationTitle": "エージェントポリシーを作成できません", "xpack.fleet.createAgentPolicy.flyoutTitle": "エージェントポリシーを作成", "xpack.fleet.createAgentPolicy.flyoutTitleDescription": "エージェントポリシーは、エージェントのグループ全体にわたる設定を管理する目的で使用されます。エージェントポリシーに統合を追加すると、エージェントで収集するデータを指定できます。エージェントポリシーの編集時には、フリートを使用して、指定したエージェントのグループに更新をデプロイできます。", @@ -13070,6 +14068,8 @@ "xpack.fleet.createPackagePolicy.agentPolicyNameLabel": "エージェントポリシー", "xpack.fleet.createPackagePolicy.cancelButton": "キャンセル", "xpack.fleet.createPackagePolicy.cancelLinkText": "キャンセル", + "xpack.fleet.createPackagePolicy.devtoolsRequestDescription": "このKibanaリクエストにより、新しいパッケージポリシーが作成されます。", + "xpack.fleet.createPackagePolicy.devtoolsRequestWithAgentPolicyDescription": "これらのKibanaリクエストにより、新しいエージェントポリシーと新しいパッケージポリシーが作成されます。", "xpack.fleet.createPackagePolicy.errorLoadingPackageTitle": "パッケージ情報の読み込みエラー", "xpack.fleet.createPackagePolicy.errorOnSaveText": "統合ポリシーにはエラーがあります。保存前に修正してください。", "xpack.fleet.createPackagePolicy.firstAgentPolicyNameText": "最初のエージェントポリシー", @@ -13108,6 +14108,7 @@ "xpack.fleet.createPackagePolicyBottomBar.addAnotherIntegration": "別の統合を追加", "xpack.fleet.createPackagePolicyBottomBar.backButton": "戻る", "xpack.fleet.createPackagePolicyBottomBar.loading": "読み込み中...", + "xpack.fleet.createPackagePolicyBottomBar.skipAddAgentButton": "統合の追加のみ(エージェントインストールはスキップ)", "xpack.fleet.currentUpgrade.abortRequestError": "アップグレードの中断中にエラーが発生しました", "xpack.fleet.currentUpgrade.confirmTitle": "アップグレードを中断しますか?", "xpack.fleet.dataStreamList.actionsColumnTitle": "アクション", @@ -13214,12 +14215,14 @@ "xpack.fleet.disabledSecurityDescription": "Elastic Fleet を使用するには、Kibana と Elasticsearch でセキュリティを有効にする必要があります。", "xpack.fleet.disabledSecurityTitle": "セキュリティが有効ではありません", "xpack.fleet.editAgentPolicy.cancelButtonText": "キャンセル", + "xpack.fleet.editAgentPolicy.devtoolsRequestDescription": "このKibanaリクエストにより、エージェントポリシーが更新されます。", "xpack.fleet.editAgentPolicy.errorNotificationTitle": "エージェントポリシーを更新できません", "xpack.fleet.editAgentPolicy.saveButtonText": "変更を保存", "xpack.fleet.editAgentPolicy.savingButtonText": "保存中…", "xpack.fleet.editAgentPolicy.successNotificationTitle": "正常に「{name}」設定を更新しました", "xpack.fleet.editAgentPolicy.unsavedChangesText": "保存されていない変更があります", "xpack.fleet.editPackagePolicy.cancelButton": "キャンセル", + "xpack.fleet.editPackagePolicy.devtoolsRequestDescription": "このKibanaリクエストにより、パッケージポリシーが更新されます。", "xpack.fleet.editPackagePolicy.errorLoadingDataMessage": "この統合情報の読み込みエラーが発生しました", "xpack.fleet.editPackagePolicy.errorLoadingDataTitle": "データの読み込み中にエラーが発生", "xpack.fleet.editPackagePolicy.failedConflictNotificationMessage": "データが最新ではありません。最新のポリシーを取得するには、ページを更新してください。", @@ -13247,9 +14250,13 @@ "xpack.fleet.enrollmentInstructions.callout": "システムパッケージ(RPM/DEB)ではインストーラー(TAR/ZIP)を使用することをお勧めします。インストーラーではFleetでエージェントをアップグレードできます。", "xpack.fleet.enrollmentInstructions.copyButton": "クリップボードにコピー", "xpack.fleet.enrollmentInstructions.copyButtonClicked": "コピー完了", + "xpack.fleet.enrollmentInstructions.copyPolicyButton": "クリップボードにコピー", + "xpack.fleet.enrollmentInstructions.copyPolicyButtonClicked": "コピー完了", "xpack.fleet.enrollmentInstructions.downloadLink": "ダウンロードページ", + "xpack.fleet.enrollmentInstructions.downloadManifestButtonk8s": "マニフェストのダウンロード", "xpack.fleet.enrollmentInstructions.installationMessage.link": "インストールドキュメント", "xpack.fleet.enrollmentInstructions.k8sCallout": "Kubernetesクラスターから有益なメトリックとログを取得するには、Kubernetes統合をエージェントポリシーに追加することをお勧めします。", + "xpack.fleet.enrollmentInstructions.k8sInstallationMessage": "次のマニフェストは自動的に生成されました。また、マニフェストには、このElasticエージェントのインスタンスが、Kubernetesで実行された後に、Fleetを使用して一元的に管理するための資格情報が含まれています。", "xpack.fleet.enrollmentInstructions.platformButtons.kubernetes": "Kubernetes", "xpack.fleet.enrollmentInstructions.platformButtons.linux": "Linux Tar", "xpack.fleet.enrollmentInstructions.platformButtons.linux.deb": "DEB", @@ -13305,6 +14312,7 @@ "xpack.fleet.epm.categoryLabel": "カテゴリー", "xpack.fleet.epm.detailsTitle": "詳細", "xpack.fleet.epm.elasticAgentBadgeLabel": "Elasticエージェント", + "xpack.fleet.epm.errorLoadingLicense": "ライセンス情報の読み込みエラー", "xpack.fleet.epm.errorLoadingNotice": "NOTICE.txtの読み込みエラー", "xpack.fleet.epm.featuresLabel": "機能", "xpack.fleet.epm.integrationPreference.beatsLabel": "Beatsのみ", @@ -13313,9 +14321,22 @@ "xpack.fleet.epm.integrationPreference.recommendedTooltip": "公開されたときには、Elasticエージェント統合をお勧めします。", "xpack.fleet.epm.integrationPreference.titleLink": "ElasticエージェントとBeats", "xpack.fleet.epm.licenseLabel": "ライセンス", + "xpack.fleet.epm.licenseModalCloseBtn": "閉じる", "xpack.fleet.epm.loadingIntegrationErrorTitle": "統合詳細の読み込みエラー", "xpack.fleet.epm.noticeModalCloseBtn": "閉じる", + "xpack.fleet.epm.packageDetails.apiReference.columnKeyName": "キー", + "xpack.fleet.epm.packageDetails.apiReference.columnMultidName": "複数", + "xpack.fleet.epm.packageDetails.apiReference.columnRequiredName": "必須", + "xpack.fleet.epm.packageDetails.apiReference.columnTitleName": "タイトル", + "xpack.fleet.epm.packageDetails.apiReference.columnTypeName": "型", + "xpack.fleet.epm.packageDetails.apiReference.globalVariablesTitle": "パッケージ変数", + "xpack.fleet.epm.packageDetails.apiReference.inputsTitle": "インプット", + "xpack.fleet.epm.packageDetails.apiReference.learnMoreLink": "詳細", + "xpack.fleet.epm.packageDetails.apiReference.streamsTitle": "ストリーム", + "xpack.fleet.epm.packageDetails.apiReference.variableTableTitle": "変数", "xpack.fleet.epm.packageDetails.assets.assetsNotAvailableInCurrentSpace": "この統合はインストールされますが、アセットはこのスペースで使用できません", + "xpack.fleet.epm.packageDetails.assets.assetsPermissionError": "その統合では、Kibanaで保存されたオブジェクトを取得する権限がありません。管理者にお問い合わせください。", + "xpack.fleet.epm.packageDetails.assets.assetsPermissionErrorTitle": "パーミッションエラー", "xpack.fleet.epm.packageDetails.assets.fetchAssetsErrorTitle": "アセットの読み込みエラー", "xpack.fleet.epm.packageDetails.assets.noAssetsFoundLabel": "アセットが見つかりません", "xpack.fleet.epm.packageDetails.integrationList.actions": "アクション", @@ -13328,6 +14349,7 @@ "xpack.fleet.epm.packageDetails.integrationList.updatedAt": "最終更新", "xpack.fleet.epm.packageDetails.integrationList.updatedBy": "最終更新者", "xpack.fleet.epm.packageDetails.integrationList.version": "バージョン", + "xpack.fleet.epm.packageDetailsNav.documentationLinkText": "API リファレンス", "xpack.fleet.epm.packageDetailsNav.overviewLinkText": "概要", "xpack.fleet.epm.packageDetailsNav.packageAssetsLinkText": "アセット", "xpack.fleet.epm.packageDetailsNav.packageCustomLinkText": "高度な設定", @@ -13336,10 +14358,16 @@ "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutDescriptionGuideLink": "このガイドの手順", "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutTitle": "Elasticエージェント統合を追加するには、セキュリティを有効にする必要があります", "xpack.fleet.epm.pageSubtitle": "データの収集と分析を開始するには、統合を選択します。", + "xpack.fleet.epm.prereleaseWarningCalloutSwitchToGAButton": "最新のリリースバージョンに切り替える", "xpack.fleet.epm.releaseBadge.betaDescription": "この統合は本番環境用ではありません。", "xpack.fleet.epm.releaseBadge.betaLabel": "ベータ", + "xpack.fleet.epm.releaseBadge.releaseCandidateDescription": "この統合は本番環境用ではありません。", + "xpack.fleet.epm.releaseBadge.releaseCandidateLabel": "リリース候補", + "xpack.fleet.epm.releaseBadge.technicalPreviewDescription": "この機能はテクニカルプレビュー中であり、将来のリリースでは変更されたり完全に削除されたりする場合があります。Elasticは最善の努力を講じてすべての問題の修正に努めますが、テクニカルプレビュー中の機能には正式なGA機能のサポートSLAが適用されません。", + "xpack.fleet.epm.releaseBadge.technicalPreviewLabel": "テクニカルプレビュー", "xpack.fleet.epm.screenshotErrorText": "このスクリーンショットを読み込めません", "xpack.fleet.epm.screenshotsTitle": "スクリーンショット", + "xpack.fleet.epm.subscriptionLabel": "サブスクリプション", "xpack.fleet.epm.updateAvailableTooltip": "更新が利用可能です", "xpack.fleet.epm.usedByLabel": "エージェントポリシー", "xpack.fleet.epm.verificationWarningCalloutLearnMoreLink": "パッケージ署名", @@ -13369,27 +14397,38 @@ "xpack.fleet.fleetServerFlyout.confirmConnectionTitle": "接続の確認", "xpack.fleet.fleetServerFlyout.connectionSuccessful": "Fleetでエージェントの登録を続行できます。", "xpack.fleet.fleetServerFlyout.continueEnrollingButton": "Elasticエージェントの登録を続行", + "xpack.fleet.fleetServerFlyout.continueFleetServerPolicyButton": "続行", "xpack.fleet.fleetServerFlyout.generateFleetServerPolicyButton": "Fleetサーバーポリシーの生成", "xpack.fleet.fleetServerFlyout.generateFleetServerPolicySuccessTitle": "Fleetサーバーポリシーが作成されました。", "xpack.fleet.fleetServerFlyout.getStartedTitle": "Fleetサーバーの基本", "xpack.fleet.fleetServerFlyout.installFleetServerTitle": "Fleetサーバーを一元化されたホストにインストール", "xpack.fleet.fleetServerFlyout.title": "Fleetサーバーを追加", + "xpack.fleet.fleetServerLanding.addFleetServerButton": "Fleetサーバーの追加", + "xpack.fleet.fleetServerLanding.addFleetServerButton.tooltip": "Fleet Serverは、Elasticエージェントを集中管理するために使用されるElastic Stackのコンポーネントです", + "xpack.fleet.fleetServerLanding.title": "Fleetサーバーを追加", "xpack.fleet.fleetServerOnPremRequiredCallout.calloutTitle": "Fleetにエージェントを登録する前に、Fleetサーバーが必要です。", "xpack.fleet.fleetServerOnPremRequiredCallout.guideLink": "FleetおよびElasticエージェントガイド", "xpack.fleet.fleetServerOnPremUnhealthyCallout.addFleetServerButtonLabel": "Fleetサーバーの追加", "xpack.fleet.fleetServerOnPremUnhealthyCallout.calloutTitle": "Fleetサーバーが正常ではありません", "xpack.fleet.fleetServerOnPremUnhealthyCallout.guideLink": "FleetおよびElasticエージェントガイド", + "xpack.fleet.fleetServerSetup.addFleetServerHostBtn": "新しいFleetサーバーホストの追加", "xpack.fleet.fleetServerSetup.addFleetServerHostButton": "ホストの追加", "xpack.fleet.fleetServerSetup.addFleetServerHostStepTitle": "Fleetサーバーホストの追加", "xpack.fleet.fleetServerSetup.addFleetServerHostSuccessTitle": "追加されたFleetサーバーホスト", + "xpack.fleet.fleetServerSetup.calloutTitle": "エージェント診断", "xpack.fleet.fleetServerSetup.cloudDeploymentLink": "デプロイを編集", "xpack.fleet.fleetServerSetup.cloudSetupTitle": "Fleetサーバーを有効にする", "xpack.fleet.fleetServerSetup.errorAddingFleetServerHostTitle": "Fleetサーバーホストの追加エラー", "xpack.fleet.fleetServerSetup.errorGeneratingTokenTitleText": "トークン生成エラー", "xpack.fleet.fleetServerSetup.errorRefreshingFleetServerStatus": "Fleetサーバーステータスの更新エラー", + "xpack.fleet.fleetServerSetup.fleetServerHostsInputPlaceholder": "ホストURLを指定", + "xpack.fleet.fleetServerSetup.fleetServerHostsLabel": "Fleetサーバーホスト", "xpack.fleet.fleetServerSetup.fleetSettingsLink": "Fleet設定", "xpack.fleet.fleetServerSetup.generateServiceTokenButton": "サービストークンを生成", "xpack.fleet.fleetServerSetup.generateServiceTokenDescription": "サービストークンは、Elasticsearchに書き込むためのFleetサーバーアクセス権を付与します。", + "xpack.fleet.fleetServerSetup.hostUrlLabel": "URL", + "xpack.fleet.fleetServerSetup.nameInputLabel": "名前", + "xpack.fleet.fleetServerSetup.nameInputPlaceholder": "名前を指定", "xpack.fleet.fleetServerSetup.productionText": "本番運用", "xpack.fleet.fleetServerSetup.quickStartText": "クイックスタート", "xpack.fleet.fleetServerSetup.saveServiceTokenDescription": "サービストークン情報を保存します。これは1回だけ表示されます。", @@ -13404,6 +14443,15 @@ "xpack.fleet.fleetServerSetupPermissionDeniedErrorTitle": "パーミッションが拒否されました", "xpack.fleet.fleetServerUnhealthy.requestError": "Fleetサーバーステータスの取得中にエラーが発生しました", "xpack.fleet.genericActionsMenuText": "開く", + "xpack.fleet.guidedOnboardingTour.agentModalButton.tourDescription": "設定を続行するには、ここでElasticエージェントをホストに追加してください。", + "xpack.fleet.guidedOnboardingTour.agentModalButton.tourTitle": "Elasticエージェントの追加", + "xpack.fleet.guidedOnboardingTour.endpointButton.description": "数ステップを実行するだけで、デフォルトの推奨値を使用してデータを構成できます。後から変更することができます。", + "xpack.fleet.guidedOnboardingTour.endpointButton.title": "Elastic Defendの追加", + "xpack.fleet.guidedOnboardingTour.endpointCard.description": "SIEMですばやくデータを取得するための最適な方法。", + "xpack.fleet.guidedOnboardingTour.endpointCard.title": "Elastic Defendを選択", + "xpack.fleet.guidedOnboardingTour.kubernetesButton.tourDescription": "数ステップを実行するだけで、デフォルトの推奨値を使用してデータを構成できます。後から変更することができます。", + "xpack.fleet.guidedOnboardingTour.kubernetesButton.tourTitle": "Kubernetesの追加", + "xpack.fleet.guidedOnboardingTour.nextButtonLabel": "OK", "xpack.fleet.homeIntegration.tutorialDirectory.fleetAppButtonText": "統合を試す", "xpack.fleet.homeIntegration.tutorialModule.noticeText.blogPostLink": "発表ブログ投稿", "xpack.fleet.homeIntegration.tutorialModule.noticeText.integrationLink": "Elasticエージェント統合として提供", @@ -13474,6 +14522,7 @@ "xpack.fleet.packagePolicyEditor.datastreamMappings.inspectBtn": "マッピングを検査", "xpack.fleet.packagePolicyEditor.datastreamMappings.learnMoreLink": "詳細", "xpack.fleet.packagePolicyEditor.datastreamMappings.title": "マッピング", + "xpack.fleet.packagePolicyEditor.experimentalSettings.title": "インデックス設定(実験)", "xpack.fleet.packagePolicyEdotpr.datastreamIngestPipelines.learnMoreLink": "詳細", "xpack.fleet.packagePolicyField.yamlCodeEditor": "YAMLコードエディター", "xpack.fleet.packagePolicyValidation.boolValueError": "ブール値はtrueまたはfalseでなければなりません", @@ -13523,6 +14572,14 @@ "xpack.fleet.policyForm.generalSettingsGroupTitle": "一般設定", "xpack.fleet.renameAgentTags.errorNotificationTitle": "タグ名の変更が失敗しました", "xpack.fleet.renameAgentTags.successNotificationTitle": "タグ名が変更されました", + "xpack.fleet.requestDiagnostics.calloutText": "診断ファイルはElasticsearchに保存されるため、ストレージコストが発生する可能性があります。Fleetでは、30日後に、自動的に古い診断ファイルが削除されます。", + "xpack.fleet.requestDiagnostics.cancelButtonLabel": "キャンセル", + "xpack.fleet.requestDiagnostics.confirmSingleButtonLabel": "診断のリクエスト", + "xpack.fleet.requestDiagnostics.description": "診断ファイルはElasticsearchに保存されるため、ストレージコストが発生する可能性があります。Fleetでは、30日後に、自動的に古い診断ファイルが削除されます。", + "xpack.fleet.requestDiagnostics.errorLoadingUploadsNotificationTitle": "診断アップロードの読み込みエラー", + "xpack.fleet.requestDiagnostics.generatingText": "診断ファイルを生成しています...", + "xpack.fleet.requestDiagnostics.singleTitle": "診断のリクエスト", + "xpack.fleet.requestDiagnostics.successSingleNotificationTitle": "診断のリクエストが送信されました", "xpack.fleet.serverError.returnedIncorrectKey": "find enrollmentKeyByIdで正しくないキーが返されました", "xpack.fleet.serverError.unableToCreateEnrollmentKey": "登録APIキーを作成できません", "xpack.fleet.serverPlugin.privilegesTooltip": "Fleetアクセスには、すべてのSpacesが必要です。", @@ -13531,6 +14588,10 @@ "xpack.fleet.settings.deleteDowloadSource.confirmModalTitle": "変更を保存してデプロイしますか?", "xpack.fleet.settings.deleteDownloadSource.confirmButtonLabel": "削除してデプロイ", "xpack.fleet.settings.deleteDownloadSource.errorToastTitle": "エージェントバイナリソースの削除エラーが発生しました。", + "xpack.fleet.settings.deleteFleetServerHosts.confirmButtonLabel": "変更を削除してデプロイ", + "xpack.fleet.settings.deleteFleetServerHosts.confirmModalText": "現在このFleetサーバーに登録されているエージェントポリシーが変更され、デフォルトFleetサーバーに登録されます。続行していいですか?", + "xpack.fleet.settings.deleteFleetServerHosts.confirmModalTitle": "変更を保存してデプロイしますか?", + "xpack.fleet.settings.deleteFleetServerHosts.errorToastTitle": "Fleetサーバーホストの削除エラー", "xpack.fleet.settings.deleteOutput.confirmModalTitle": "変更を保存してデプロイしますか?", "xpack.fleet.settings.deleteOutputs.confirmButtonLabel": "削除してデプロイ", "xpack.fleet.settings.deleteOutputs.errorToastTitle": "出力の削除エラー", @@ -13548,9 +14609,9 @@ "xpack.fleet.settings.downloadSourcesTable.hostColumnTitle": "ホスト", "xpack.fleet.settings.downloadSourcesTable.nameColumnTitle": "名前", "xpack.fleet.settings.editDownloadSourcesFlyout.cancelButtonLabel": "キャンセル", - "xpack.fleet.settings.editDownloadSourcesFlyout.createTitle": "新しいエージェントダウンロードバイナリホストを追加", + "xpack.fleet.settings.editDownloadSourcesFlyout.createTitle": "新しいエージェントバイナリソースを追加", "xpack.fleet.settings.editDownloadSourcesFlyout.defaultSwitchLabel": "すべてのエージェントポリシーでこのホストをデフォルトにします。", - "xpack.fleet.settings.editDownloadSourcesFlyout.editTitle": "エージェントダウンロードバイナリホストを編集", + "xpack.fleet.settings.editDownloadSourcesFlyout.editTitle": "エージェントバイナリソースを編集", "xpack.fleet.settings.editDownloadSourcesFlyout.hostInputLabel": "ホスト", "xpack.fleet.settings.editDownloadSourcesFlyout.hostsInputPlaceholder": "ホストを指定", "xpack.fleet.settings.editDownloadSourcesFlyout.nameInputLabel": "名前", @@ -13580,19 +14641,35 @@ "xpack.fleet.settings.editOutputFlyout.typeInputPlaceholder": "タイプを指定", "xpack.fleet.settings.editOutputFlyout.yamlConfigInputLabel": "詳細YAML構成", "xpack.fleet.settings.editOutputFlyout.yamlConfigInputPlaceholder": "# このYAML設定は、各エージェントポリシーの出力セクションに追加されます。", + "xpack.fleet.settings.fleetServerHost.nameIsRequiredErrorMessage": "名前が必要です", + "xpack.fleet.settings.fleetServerHostCreateButtonLabel": "Fleetサーバーの追加", "xpack.fleet.settings.fleetServerHostsDifferentPathOrProtocolError": "各URLのプロトコルとパスは同じでなければなりません", "xpack.fleet.settings.fleetServerHostsDuplicateError": "重複するURL", "xpack.fleet.settings.fleetServerHostSectionTitle": "Fleetサーバーホスト", "xpack.fleet.settings.fleetServerHostsEmptyError": "1つ以上のURLが必要です。", - "xpack.fleet.settings.fleetServerHostsError": "無効なURL", + "xpack.fleet.settings.fleetServerHostsError": "無効なURL(HTTP URLでなければなりません)", + "xpack.fleet.settings.fleetServerHostsFlyout.addTitle": "Fleetサーバーの追加", "xpack.fleet.settings.fleetServerHostsFlyout.cancelButtonLabel": "キャンセル", + "xpack.fleet.settings.fleetServerHostsFlyout.confirmModalText": "このFleetサーバーに登録されたエージェントポリシーが更新されます。このアクションは元に戻せません。続行していいですか?", "xpack.fleet.settings.fleetServerHostsFlyout.confirmModalTitle": "変更を保存してデプロイしますか?", - "xpack.fleet.settings.fleetServerHostsFlyout.errorToastTitle": "設定の保存中にエラーが発生しました", + "xpack.fleet.settings.fleetServerHostsFlyout.defaultOutputSwitchLabel": "このFleetサーバーをデフォルトにします。", + "xpack.fleet.settings.fleetServerHostsFlyout.editTitle": "Fleetサーバーを編集", + "xpack.fleet.settings.fleetServerHostsFlyout.errorToastTitle": "Fleetサーバーホストの保存中にエラーが発生しました", "xpack.fleet.settings.fleetServerHostsFlyout.fleetServerHostsInputPlaceholder": "ホストURLを指定", + "xpack.fleet.settings.fleetServerHostsFlyout.hostUrlLabel": "URL", + "xpack.fleet.settings.fleetServerHostsFlyout.nameInputLabel": "名前", + "xpack.fleet.settings.fleetServerHostsFlyout.nameInputPlaceholder": "名前を指定", "xpack.fleet.settings.fleetServerHostsFlyout.saveButton": "設定を保存して適用", - "xpack.fleet.settings.fleetServerHostsFlyout.successToastTitle": "設定が保存されました", + "xpack.fleet.settings.fleetServerHostsFlyout.successToastTitle": "Fleetサーバーホストが保存されました", "xpack.fleet.settings.fleetServerHostsFlyout.userGuideLink": "FleetおよびElasticエージェントガイド", "xpack.fleet.settings.fleetServerHostsRequiredError": "ホストURLは必須です", + "xpack.fleet.settings.fleetServerHostsTable.actionsColumnTitle": "アクション", + "xpack.fleet.settings.fleetServerHostsTable.defaultColumnTitle": "デフォルト", + "xpack.fleet.settings.fleetServerHostsTable.deleteButtonTitle": "削除", + "xpack.fleet.settings.fleetServerHostsTable.editButtonTitle": "編集", + "xpack.fleet.settings.fleetServerHostsTable.hostUrlsColumnTitle": "ホストURL", + "xpack.fleet.settings.fleetServerHostsTable.managedTooltip": "このFeetサーバーホストはFeet外で管理されています。詳細については、Kibana構成ファイルを参照してください。", + "xpack.fleet.settings.fleetServerHostsTable.nameColumnTitle": "名前", "xpack.fleet.settings.fleetSettingsLink": "詳細", "xpack.fleet.settings.fleetUserGuideLink": "FleetおよびElasticエージェントガイド", "xpack.fleet.settings.logstashInstructions.apiKeyStepDescription": "Elasticエージェントの最小限の権限で、LogstashがElasticsearchに出力できるようにすることをお勧めします。", @@ -13672,6 +14749,7 @@ "xpack.fleet.upgradeAgents.noVersionsText": "アップグレード対象の選択したエージェントはありません。1つ以上の対象のエージェントを選択してください。", "xpack.fleet.upgradeAgents.scheduleUpgradeMultipleTitle": "{count, plural, other {{count}個のエージェント} =true {すべての選択されたエージェント}}のアップグレードをスケジュール", "xpack.fleet.upgradeAgents.startTimeLabel": "スケジュールされた日時", + "xpack.fleet.upgradeAgents.successNotificationTitle": "エージェントをアップグレード中", "xpack.fleet.upgradeAgents.upgradeMultipleTitle": "{count, plural, other {{count}個のエージェント} =true {すべての選択されたエージェント}}をアップグレード", "xpack.fleet.upgradeAgents.upgradeSingleTitle": "エージェントをアップグレード", "xpack.fleet.upgradePackagePolicy.pageDescriptionFromUpgrade": "この統合をアップグレードし、選択したエージェントポリシーに変更をデプロイします", @@ -13690,7 +14768,7 @@ "xpack.globalSearchBar.searchBar.noResultsHeading": "結果が見つかりませんでした", "xpack.globalSearchBar.searchBar.noResultsImageAlt": "ブラックホールの図", "xpack.globalSearchBar.searchBar.optionTagListAriaLabel": "タグ", - "xpack.globalSearchBar.searchBar.placeholder": "アプリ、コンテンツなどを検索します。例:Discover", + "xpack.globalSearchBar.searchBar.placeholder": "アプリ、コンテンツなどを検索します。", "xpack.globalSearchBar.searchBar.shortcutDescription.macCommandDescription": "コマンド+ /", "xpack.globalSearchBar.searchBar.shortcutDescription.shortcutInstructionDescription": "ショートカット", "xpack.globalSearchBar.searchBar.shortcutDescription.windowsCommandDescription": "コントロール+ /", @@ -13795,6 +14873,10 @@ "xpack.graph.icon.tachometer": "タコメーター", "xpack.graph.icon.user": "ユーザー", "xpack.graph.icon.users": "ユーザー", + "xpack.graph.inspectAdapter.graphExploreRequest.dataView.description": "Elasticsearchインデックスに接続したデータビューです。", + "xpack.graph.inspectAdapter.graphExploreRequest.dataView.description.label": "データビュー", + "xpack.graph.inspectAdapter.graphExploreRequest.description": "このリクエストはElasticsearchに対してクエリを実行し、グラフのデータを取得します。", + "xpack.graph.inspectAdapter.graphExploreRequest.name": "データ", "xpack.graph.leaveWorkspace.confirmButtonLabel": "それでも移動", "xpack.graph.leaveWorkspace.confirmText": "今移動すると、保存されていない変更が失われます。", "xpack.graph.leaveWorkspace.modalTitle": "保存されていない変更", @@ -13852,6 +14934,7 @@ "xpack.graph.settings.advancedSettings.timeoutInputLabel": "タイムアウト(ms)", "xpack.graph.settings.advancedSettings.timeoutUnit": "ms", "xpack.graph.settings.advancedSettingsTitle": "高度な設定", + "xpack.graph.settings.ariaLabel": "設定", "xpack.graph.settings.blocklist.blocklistHelpText": "これらの用語は現在ワークスペースに再度表示されないようブラックリストに登録されています。", "xpack.graph.settings.blocklist.clearButtonLabel": "すべて削除", "xpack.graph.settings.blocklistTitle": "ブラックリスト", @@ -13864,6 +14947,7 @@ "xpack.graph.settings.drillDowns.removeButtonLabel": "削除", "xpack.graph.settings.drillDowns.resetButtonLabel": "リセット", "xpack.graph.settings.drillDowns.toolbarIconPickerLabel": "ツールバーアイコン", + "xpack.graph.settings.drillDowns.toolbarIconPickerSelectionAriaLabel": "ツールバーアイコン選択", "xpack.graph.settings.drillDowns.updateSaveButtonLabel": "ドリルダウンを更新", "xpack.graph.settings.drillDowns.urlDescriptionInputLabel": "タイトル", "xpack.graph.settings.drillDowns.urlDescriptionInputPlaceholder": "Google で検索", @@ -13906,6 +14990,7 @@ "xpack.graph.templates.addLabel": "新規ドリルダウン", "xpack.graph.templates.newTemplateFormLabel": "ドリルダウンを追加", "xpack.graph.topNavMenu.inspectAriaLabel": "検査", + "xpack.graph.topNavMenu.inspectButton.disabledTooltip": "検索を実行するか、ノードを展開して、Inspectを有効化", "xpack.graph.topNavMenu.inspectLabel": "検査", "xpack.graph.topNavMenu.newWorkspaceAriaLabel": "新規ワークスペース", "xpack.graph.topNavMenu.newWorkspaceLabel": "新規", @@ -15004,6 +16089,9 @@ "xpack.indexLifecycleMgmt.editPolicy.deletePhase.customPolicyMessage": "既存のスナップショットポリシーの名前を入力するか、この名前で{link}。", "xpack.indexLifecycleMgmt.editPolicy.deletePhase.noPoliciesCreatedMessage": "{link}して、クラスタースナップショットの作成と削除を自動化します。", "xpack.indexLifecycleMgmt.editPolicy.dependenciesMessage": " 行ったすべての変更は、このポリシーに関連付けられ{count, plural, other {ている}}{dependenciesLinks}に影響します。", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalColdPhaseHotError": "ホットフェーズ値({value})より大きく、ホットフェーズ値の倍数でなければなりません", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalColdPhaseWarmError": "ホットフェーズ値({value})より大きく、ウォームフェーズ値の倍数でなければなりません", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalWarmPhaseError": "ホットフェーズ値({value})より大きく、ホットフェーズ値の倍数でなければなりません", "xpack.indexLifecycleMgmt.editPolicy.editPolicyMessage": "ポリシー{originalPolicyName}の編集", "xpack.indexLifecycleMgmt.editPolicy.frozenPhase.partiallyMountedSearchableSnapshotField.description": "インデックスメタデータをキャッシュに格納する部分的にマウントされたインデックスに変換します。検索要求を処理する必要があるときに、データがスナップショットから取得されます。これにより、すべてのデータが完全に検索可能でありながらも、インデックスフットプリントが最小限に抑えられます。{learnMoreLink}", "xpack.indexLifecycleMgmt.editPolicy.fullyMountedSearchableSnapshotField.description": "データの完全なコピーを含み、スナップショットでバックアップされる完全にマウントされたインデックスに変換します。レプリカ数を減らし、スナップショットにより障害回復力を実現できます。{learnMoreLink}", @@ -15055,6 +16143,9 @@ "xpack.indexLifecycleMgmt.deprecations.enabled.manualStepTwoMessage": "「xpack.ilm.enabled」設定を「xpack.ilm.ui.enabled」に変更します。", "xpack.indexLifecycleMgmt.deprecations.enabledMessage": "ユーザーがインデックスライフサイクルポリシーUIにアクセスすることを禁止するには、「xpack.ilm.enabled」ではなく、「xpack.ilm.ui.enabled」設定を使用します。", "xpack.indexLifecycleMgmt.deprecations.enabledTitle": "「xpack.ilm.enabled」設定は廃止予定です。", + "xpack.indexLifecycleMgmt.downsampleFieldLabel": "ダウンサンプリングを有効化", + "xpack.indexLifecycleMgmt.downsampleIntervalFieldLabel": "ダウンサンプリング間隔", + "xpack.indexLifecycleMgmt.downsampleIntervalFieldUnitsLabel": "ダウンサンプリング間隔単位", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.bytesLabel": "バイト", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.gigabytesLabel": "ギガバイト", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.kilobytesLabel": "キロバイト", @@ -15108,6 +16199,8 @@ "xpack.indexLifecycleMgmt.editPolicy.deletePhase.waitForSnapshotTitle": "スナップショットポリシーを待機", "xpack.indexLifecycleMgmt.editPolicy.differentPolicyNameRequiredError": "ポリシー名は異なるものである必要があります。", "xpack.indexLifecycleMgmt.editPolicy.documentationLinkText": "ドキュメント", + "xpack.indexLifecycleMgmt.editPolicy.downsampleDescription": "固定間隔でドキュメントをロールアップし、1つの集約されたドキュメントを作成します。粒度を下げて時系列データを保存することで、インデックスのフットプリントを減らします。", + "xpack.indexLifecycleMgmt.editPolicy.downsampleTitle": "ダウンサンプリング", "xpack.indexLifecycleMgmt.editPolicy.editingExistingPolicyMessage": "既存のポリシーを編集しています。", "xpack.indexLifecycleMgmt.editPolicy.errors.integerRequiredError": "整数のみを使用できます。", "xpack.indexLifecycleMgmt.editPolicy.errors.maximumAgeMissingError": "最高年齢が必要です。", @@ -15192,6 +16285,7 @@ "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.repositoryHelpText": "各フェーズは同じスナップショットリポジトリを使用します。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.storageHelpText": "検索可能なスナップショットにマウントされたスナップショットのタイプ。これは高度なオプションです。作業内容を理解している場合にのみ変更してください。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.storageLabel": "ストレージ", + "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotCalloutBody": "このフェーズでデータを完全にマウントされたインデックスに変換するときには、強制マージ、縮小、ダウンサンプリング、読み取り専用アクションは許可されません。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotLicenseCalloutBody": "検索可能なスナップショットを作成するには、エンタープライズライセンスが必要です。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotLicenseCalloutTitle": "エンタープライズライセンスが必要です", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotRepoFieldLabel": "スナップショットリポジトリ", @@ -15354,6 +16448,7 @@ "xpack.infra.deprecations.tiebreakerAdjustIndexing": "インデックスを調整し、\"{field}\"をタイブレーカーとして使用します。", "xpack.infra.deprecations.timestampAdjustIndexing": "インデックスを調整し、\"{field}\"をタイムスタンプとして使用します。", "xpack.infra.homePage.toolbar.showingLastOneMinuteDataText": "指定期間のデータの最後の{duration}", + "xpack.infra.hostsTable.errorOnCreateOrLoadDataview": "データビューの読み込みまたは作成中にエラーが発生しました:{metricAlias}", "xpack.infra.inventoryTimeline.header": "平均{metricLabel}", "xpack.infra.kibanaMetrics.cloudIdMissingErrorMessage": "{metricId} のモデルには cloudId が必要ですが、{nodeId} に cloudId が指定されていません。", "xpack.infra.kibanaMetrics.invalidInfraMetricErrorMessage": "{id} は有効な InfraMetric ではありません", @@ -15400,7 +16495,6 @@ "xpack.infra.logSourceConfiguration.missingDataViewsLabel": "データビュー{indexPatternId}が見つかりません", "xpack.infra.logSourceConfiguration.missingMessageFieldErrorMessage": "データビューには{messageField}フィールドが必要です。", "xpack.infra.logSourceErrorPage.savedObjectNotFoundErrorMessage": "{savedObjectType}:{savedObjectId}が見つかりませんでした", - "xpack.infra.metricDetailPage.documentTitleError": "おっと", "xpack.infra.metrics.alertFlyout.alertPerRedundantFilterError": "このルールは想定未満の{matchedGroups}に対してアラートを通知できます。フィルタークエリには{groupCount, plural, one {このフィールド} other {これらのフィールド}}の完全一致が含まれるためです。詳細については、{filteringAndGroupingLink}を参照してください。", "xpack.infra.metrics.alertFlyout.ofExpression.helpTextDetail": "メトリックが見つからない場合は、{documentationLink}。", "xpack.infra.metrics.alerting.anomaly.summaryHigher": "{differential}x高い", @@ -15493,6 +16587,7 @@ "xpack.infra.analysisSetup.steps.setupProcess.viewResultsButton": "結果を表示", "xpack.infra.analysisSetup.timeRangeDescription": "デフォルトで、機械学習は 4 週間以内のログインデックスのログメッセージを分析し、永久に継続します。別の開始日、終了日、または両方を指定できます。", "xpack.infra.analysisSetup.timeRangeTitle": "時間範囲の選択", + "xpack.infra.appName": "インフラログ", "xpack.infra.chartSection.missingMetricDataBody": "このチャートはデータが欠けています。", "xpack.infra.chartSection.missingMetricDataText": "データが欠けています", "xpack.infra.chartSection.notEnoughDataPointsToRenderText": "チャートのレンダリングに必要なデータポイントが足りません。時間範囲を広げてみてください。", @@ -15556,21 +16651,22 @@ "xpack.infra.hideHistory": "履歴を表示しない", "xpack.infra.homePage.inventoryTabTitle": "インベントリ", "xpack.infra.homePage.metricsExplorerTabTitle": "メトリックエクスプローラー", + "xpack.infra.homePage.metricsHostsTabTitle": "ホスト", "xpack.infra.homePage.noMetricsIndicesInstructionsActionLabel": "セットアップの手順を表示", "xpack.infra.homePage.settingsTabTitle": "設定", "xpack.infra.homePage.toolbar.kqlSearchFieldPlaceholder": "インフラストラクチャデータを検索…(例:host.name:host-1)", "xpack.infra.hostsPage.experimentalBadgeDescription": "この機能はテクニカルプレビュー中であり、将来のリリースでは変更されたり完全に削除されたりする場合があります。Elasticは最善の努力を講じてすべての問題の修正に努めますが、テクニカルプレビュー中の機能には正式なGA機能のサポートSLAが適用されません。", "xpack.infra.hostsPage.experimentalBadgeLabel": "テクニカルプレビュー", "xpack.infra.hostsPage.giveFeedbackLink": "フィードバックを作成する", - "xpack.infra.hostsTable.averageMemoryTotalColumnHeader": "メモリ合計 (平均) ", + "xpack.infra.hostsTable.averageMemoryTotalColumnHeader": "メモリー合計(平均)", "xpack.infra.hostsTable.averageMemoryUsageColumnHeader": "メモリー使用状況(平均)", - "xpack.infra.hostsTable.averageTxColumnHeader": "", - "xpack.infra.hostsTable.averageRxColumnHeader": "", - "xpack.infra.hostsTable.diskLatencyColumnHeader": "", + "xpack.infra.hostsTable.averageRxColumnHeader": "RX(平均)", + "xpack.infra.hostsTable.averageTxColumnHeader": "TX(平均)", + "xpack.infra.hostsTable.diskLatencyColumnHeader": "ディスクレイテンシ(平均)", "xpack.infra.hostsTable.nameColumnHeader": "名前", "xpack.infra.hostsTable.numberOfCpusColumnHeader": "CPU数", "xpack.infra.hostsTable.operatingSystemColumnHeader": "オペレーティングシステム", - "xpack.infra.hostsTable.servicesOnHostColumnHeader": "", + "xpack.infra.hostsTable.servicesOnHostColumnHeader": "ホストのサービス", "xpack.infra.infra.nodeDetails.apmTabLabel": "APM", "xpack.infra.infra.nodeDetails.createAlertLink": "インベントリルールの作成", "xpack.infra.infra.nodeDetails.openAsPage": "ページとして開く", @@ -15599,7 +16695,7 @@ "xpack.infra.legendControls.buttonLabel": "凡例を校正", "xpack.infra.legendControls.cancelButton": "キャンセル", "xpack.infra.legendControls.colorPaletteLabel": "カラーパレット", - "xpack.infra.legendControls.maxLabel": "最大", + "xpack.infra.legendControls.maxLabel": "最高", "xpack.infra.legendControls.minLabel": "最低", "xpack.infra.legendControls.palettes.cool": "Cool", "xpack.infra.legendControls.palettes.negative": "負", @@ -15816,6 +16912,8 @@ "xpack.infra.logsPage.noLoggingIndicesInstructionsActionLabel": "セットアップの手順を表示", "xpack.infra.logsPage.noLoggingIndicesTitle": "ログインデックスがないようです。", "xpack.infra.logsPage.toolbar.kqlSearchFieldPlaceholder": "ログエントリーを検索中…(例:host.name:host-1)", + "xpack.infra.logsPage.toolbar.logFilterErrorToastTitle": "ログフィルターエラー", + "xpack.infra.logsPage.toolbar.logFilterUnsupportedLanguageError": "SQLはサポートされていません", "xpack.infra.logStream.kqlErrorTitle": "無効なKQL式", "xpack.infra.logStream.unknownErrorTitle": "エラーが発生しました", "xpack.infra.logStreamEmbeddable.description": "ライブストリーミングログのテーブルを追加します。", @@ -15857,6 +16955,7 @@ "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.memoryUsageSeriesLabel": "メモリー使用状況", "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.outboundTXSeriesLabel": "送信(TX)", "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.sectionLabel": "コンテナー概要", + "xpack.infra.metricDetailPage.documentTitleError": "Uh oh", "xpack.infra.metricDetailPage.ec2MetricsLayout.cpuUsageSection.sectionLabel": "CPU使用状況", "xpack.infra.metricDetailPage.ec2MetricsLayout.diskIOBytesSection.readLabel": "読み取り", "xpack.infra.metricDetailPage.ec2MetricsLayout.diskIOBytesSection.sectionLabel": "ディスク IO(バイト)", @@ -16000,6 +17099,7 @@ "xpack.infra.metrics.alertFlyout.removeCondition": "条件を削除", "xpack.infra.metrics.alertFlyout.removeWarningThreshold": "warningThresholdを削除", "xpack.infra.metrics.alertFlyout.warningThreshold": "警告", + "xpack.infra.metrics.alerting.alertDetailUrlActionVariableDescription": "このアラートに関連する詳細とコンテキストを示すElastic内のビューへのリンク", "xpack.infra.metrics.alerting.alertStateActionVariableDescription": "現在のアラートの状態", "xpack.infra.metrics.alerting.anomaly.defaultActionMessage": "\\{\\{alertName\\}\\}は\\{\\{context.alertState\\}\\}の状態です\n\n\\{\\{context.metric\\}\\}は\\{\\{context.timestamp\\}\\}で標準を超える\\{\\{context.summary\\}\\}でした\n\n標準の値:\\{\\{context.typical\\}\\}\n実際の値:\\{\\{context.actual\\}\\}\n", "xpack.infra.metrics.alerting.anomaly.fired": "実行", @@ -16013,12 +17113,18 @@ "xpack.infra.metrics.alerting.anomalySummaryDescription": "異常の説明。例:「2x高い」", "xpack.infra.metrics.alerting.anomalyTimestampDescription": "異常が検出された時点のタイムスタンプ。", "xpack.infra.metrics.alerting.anomalyTypicalDescription": "異常時に監視されたメトリックの標準の値。", + "xpack.infra.metrics.alerting.cloudActionVariableDescription": "ソースで使用可能な場合に、ECSで定義されたクラウドオブジェクト。", + "xpack.infra.metrics.alerting.containerActionVariableDescription": "ソースで使用可能な場合に、ECSで定義されたコンテナーオブジェクト。", "xpack.infra.metrics.alerting.groupActionVariableDescription": "データを報告するグループの名前", + "xpack.infra.metrics.alerting.hostActionVariableDescription": "ソースで使用可能な場合に、ECSで定義されたホストオブジェクト。", "xpack.infra.metrics.alerting.inventory.noDataFormattedValue": "[データなし]", "xpack.infra.metrics.alerting.inventory.threshold.defaultActionMessage": "\\{\\{alertName\\}\\} - \\{\\{context.group\\}\\}は状態\\{\\{context.alertState\\}\\}です\n\n理由:\n\\{\\{context.reason\\}\\}\n", "xpack.infra.metrics.alerting.inventory.threshold.fired": "アラート", + "xpack.infra.metrics.alerting.labelsActionVariableDescription": "このアラートがトリガーされたエンティティに関連付けられたラベルのリスト。", "xpack.infra.metrics.alerting.metricActionVariableDescription": "指定された条件のメトリック名。使用方法:(ctx.metric.condition0、ctx.metric.condition1など)。", + "xpack.infra.metrics.alerting.orchestratorActionVariableDescription": "ソースで使用可能な場合に、ECSで定義されたオーケストレーターオブジェクト。", "xpack.infra.metrics.alerting.reasonActionVariableDescription": "アラートの理由の簡潔な説明", + "xpack.infra.metrics.alerting.tagsActionVariableDescription": "このアラートがトリガーされたエンティティに関連付けられたタグのリスト。", "xpack.infra.metrics.alerting.threshold.aboveRecovery": "より大", "xpack.infra.metrics.alerting.threshold.alertState": "アラート", "xpack.infra.metrics.alerting.threshold.belowRecovery": "より小", @@ -16036,13 +17142,14 @@ "xpack.infra.metrics.alerting.thresholdActionVariableDescription": "指定された条件のメトリックのしきい値。使用方法:(ctx.threshold.condition0、ctx.threshold.condition1など)。", "xpack.infra.metrics.alerting.timestampDescription": "アラートが検出された時点のタイムスタンプ。", "xpack.infra.metrics.alerting.valueActionVariableDescription": "指定された条件のメトリックの値。使用方法:(ctx.value.condition0、ctx.value.condition1など)。", - "xpack.infra.metrics.alerting.viewInAppUrlActionVariableDescription": "アラートとコンテキストを調査するために使用できる、Elastic内のビューまたは機能へのリンク", + "xpack.infra.metrics.alerting.viewInAppUrlActionVariableDescription": "詳細な調査に役立つ、Elastic内のビューまたは機能へのリンク", "xpack.infra.metrics.alertName": "メトリックしきい値", "xpack.infra.metrics.anomaly.alertFlyout.alertDescription": "異常スコアが定義されたしきい値を超えたときにアラートを発行します。", "xpack.infra.metrics.anomaly.alertName": "インフラストラクチャーの異常", "xpack.infra.metrics.emptyViewDescription": "期間またはフィルターを調整してみてください。", "xpack.infra.metrics.emptyViewTitle": "表示するデータがありません。", "xpack.infra.metrics.expressionItems.components.closablePopoverTitle.closeLabel": "閉じる", + "xpack.infra.metrics.hostsTitle": "ホスト", "xpack.infra.metrics.invalidNodeErrorDescription": "構成をよく確認してください", "xpack.infra.metrics.inventory.alertFlyout.alertDescription": "インベントリが定義されたしきい値を超えたときにアラートを発行します。", "xpack.infra.metrics.inventory.alertName": "インベントリ", @@ -16129,6 +17236,7 @@ "xpack.infra.metricsHeaderAddDataButtonLabel": "データの追加", "xpack.infra.metricsTable.container.averageCpuUsagePercentColumnHeader": "CPU使用状況(平均)", "xpack.infra.metricsTable.container.averageMemoryUsageMegabytesColumnHeader": "メモリー使用状況(平均)", + "xpack.infra.metricsTable.container.idColumnHeader": "Id", "xpack.infra.metricsTable.container.paginationAriaLabel": "コンテナーメトリックページネーション", "xpack.infra.metricsTable.container.tableCaption": "コンテナーのインフラストラクチャーメトリック", "xpack.infra.metricsTable.emptyIndicesPromptQueryHintDescription": "別の用語の組み合わせを検索してください。", @@ -17143,6 +18251,7 @@ "xpack.lens.editorFrame.expressionFailureMessageWithContext": "リクエストエラー:{type}、{context}の{reason}", "xpack.lens.editorFrame.expressionMissingDataView": "{count, plural, other {個のデータビュー}}が見つかりませんでした:{ids}", "xpack.lens.editorFrame.requiresTwoOrMoreFieldsWarningLabel": "{requiredMinDimensionCount}フィールドは必須です", + "xpack.lens.editorFrame.tooManyDimensionsSingularWarningLabel": "{dimensionsTooMany, plural, other {{dimensionsTooMany} ディメンション}}を削除してください", "xpack.lens.formula.optionalArgument": "任意。デフォルト値は{defaultValue}です", "xpack.lens.formulaErrorCount": "{count} {count, plural, other {# 件のエラー}}", "xpack.lens.formulaWarningCount": "{count} {count, plural, other {件の警告}}", @@ -17150,6 +18259,7 @@ "xpack.lens.heatmapVisualization.arrayValuesWarningMessage": "{label}には配列値が含まれます。可視化が想定通りに表示されない場合があります。", "xpack.lens.indexPattern.addColumnAriaLabel": "フィールドを追加するか、{groupLabel}までドラッグアンドドロップします", "xpack.lens.indexPattern.addColumnAriaLabelClick": "注釈を{groupLabel}に追加", + "xpack.lens.indexPattern.annotationsDimensionEditorLabel": "{groupLabel}注釈", "xpack.lens.indexPattern.ascendingCountPrecisionErrorWarning": "データのインデックス方法のため、このビジュアライゼーションの{name}は近似される場合があります。レコード数の昇順ではなく希少性で並べ替えてください。この制限の詳細については、{link}。", "xpack.lens.indexPattern.autoIntervalLabel": "自動({interval})", "xpack.lens.indexPattern.avgOf": "{name} の平均", @@ -17158,7 +18268,7 @@ "xpack.lens.indexPattern.cardinalityOf": "{name} のユニークカウント", "xpack.lens.indexPattern.CounterRateOf": "{name} のカウンターレート", "xpack.lens.indexPattern.cumulativeSumOf": "{name}の累積和", - "xpack.lens.indexPattern.dateHistogram.autoLongerExplanation": "間隔を選択するには、Lensは指定された時間範囲を{targetBarSetting}設定で除算します。Lensはデータに最適な間隔を計算します。たとえば、30分、1時間、12です。棒の最大数は{maxBarSetting}値で設定します。", + "xpack.lens.indexPattern.dateHistogram.autoLongerExplanation": "間隔を選択するために、Lensでは、指定された時間範囲が{targetBarSetting}詳細設定で分割され、データに最適な間隔が計算されます。たとえば、時間範囲が4日の場合、データは1時間のバケットに分割されます。バーの最大数を設定するには、{maxBarSetting}詳細設定を使用します。", "xpack.lens.indexPattern.dateHistogram.restrictedInterval": "集約の制限により間隔は {intervalValue} に固定されています。", "xpack.lens.indexPattern.dateHistogramTimeShift": "単一のレイヤーでは、前の時間範囲シフトと日付ヒストグラムを結合できません。\"{column}\"で明示的な時間シフト期間を使用するか、日付ヒストグラムを置換してください。", "xpack.lens.indexPattern.derivativeOf": "{name} の差異", @@ -17175,15 +18285,15 @@ "xpack.lens.indexPattern.formulaFieldNotRequired": "演算{operation}ではどのフィールドも引数として使用できません", "xpack.lens.indexPattern.formulaMathMissingArgument": "式{operation}の演算には{count}個の引数がありません:{params}", "xpack.lens.indexPattern.formulaOperationDuplicateParams": "演算{operation}のパラメーターが複数回宣言されました:{params}", - "xpack.lens.indexPattern.formulaOperationFiltersTypeConflicts": "タイプ\"{outerType}\"の式フィルターは、{operation}演算のタイプ\"{innerType}\"の内部フィルターと比較できません。", + "xpack.lens.indexPattern.formulaOperationFiltersTypeConflicts": "タイプ\"{outerType}\"の式フィルターは、{operation}演算のタイプ\"{innerType}\"の内部フィルターと比較できません", "xpack.lens.indexPattern.formulaOperationQueryError": "{rawQuery}では{language}=''に単一引用符が必要です", "xpack.lens.indexPattern.formulaOperationTooManyFirstArguments": "式の演算{operation}には{supported, plural, one {1つの} other {サポートされている}} {type}が必要です。検出:{text}", "xpack.lens.indexPattern.formulaOperationwrongArgument": "式の演算{operation}は{type}パラメーターをサポートしていません。検出:{text}", "xpack.lens.indexPattern.formulaOperationWrongFirstArgument": "{operation}の最初の引数は{type}名でなければなりません。{argument}が見つかりました", - "xpack.lens.indexPattern.formulaOperationWrongReturnedType": "演算{text}の戻り値型が式でサポートされていません。", + "xpack.lens.indexPattern.formulaOperationWrongReturnedType": "演算{text}の戻り値型が式でサポートされていません", "xpack.lens.indexPattern.formulaParameterNotRequired": "演算{operation}ではどのパラメーターも使用できません", "xpack.lens.indexPattern.formulaPartLabel": "{label}の一部", - "xpack.lens.indexPattern.formulaUseAlternative": "式の演算{operation}には{params}引数がありません。{alternativeFn}演算を使用してください。", + "xpack.lens.indexPattern.formulaUseAlternative": "式の演算{operation}には{params}引数がありません。{alternativeFn}演算を使用してください", "xpack.lens.indexPattern.formulaWithTooManyArguments": "演算{operation}の引数が多すぎます", "xpack.lens.indexPattern.invalidReferenceConfiguration": "ディメンション\"{dimensionLabel}\"の構成が正しくありません", "xpack.lens.indexPattern.lastValue.invalidTypeSortField": "フィールド {invalidField} は日付フィールドではないため、並べ替えで使用できません", @@ -17211,6 +18321,9 @@ "xpack.lens.indexPattern.precisionErrorWarning.accuracyEnabled": "{name}は近似値の可能性があります。より正確な結果を得るには、{topValues}の数を増やすか、{filters}を使用してください。{learnMoreLink}", "xpack.lens.indexPattern.ranges.granularityPopoverExplanation": "間隔のサイズは「nice」値です。スライダーの粒度を変更すると、「nice」間隔が同じときには、間隔が同じままです。最小粒度は1です。最大値は{setting}です。最大粒度を変更するには、[高度な設定]に移動します。", "xpack.lens.indexPattern.rareTermsOf": "{name}の希少な値", + "xpack.lens.indexPattern.reducedTimeRangeWithDateHistogram": "時間範囲の縮小は、データヒストグラムなしでのみ使用できます。データヒストグラムディメンションを削除するか、縮小された時間範囲を{column}から削除してください。", + "xpack.lens.indexPattern.reducedTimeRangeWithoutTimefield": "時間範囲の縮小は、データビューの指定されたデフォルト時間フィールドでのみ使用できます。デフォルト時間フィールドで別のデータビューを使用するか、縮小された時間範囲を{column}から削除してください。", + "xpack.lens.indexPattern.referenceLineDimensionEditorLabel": "{groupLabel}基準線", "xpack.lens.indexPattern.removeColumnLabel": "「{groupLabel}」から構成を削除", "xpack.lens.indexPattern.standardDeviationOf": "{name}の標準偏差", "xpack.lens.indexPattern.staticValueError": "{value}の固定値が有効な数値ではありません", @@ -17227,18 +18340,27 @@ "xpack.lens.indexPattern.termsWithMultipleTermsAndScriptedFields": "複数のフィールドを使用するときには、スクリプトフィールドがサポートされていません。{fields}が見つかりました", "xpack.lens.indexPattern.timeShiftMultipleWarning": "{label}は{columnTimeShift}の時間シフトを使用しています。これは{interval}の日付ヒストグラム間隔の乗数ではありません。不一致のデータを防止するには、時間シフトとして{interval}を使用します。", "xpack.lens.indexPattern.timeShiftSmallWarning": "{label}は{columnTimeShift}の時間シフトを使用しています。これは{interval}の日付ヒストグラム間隔よりも小さいです。不一致のデータを防止するには、時間シフトとして{interval}を使用します。", + "xpack.lens.indexPattern.tsdbRollupWarning": "{label}は、ロールアップされたデータによってサポートされていない関数を使用しています。別の関数を選択するか、時間範囲を選択してください。", "xpack.lens.indexPattern.uniqueLabel": "{label} [{num}]", + "xpack.lens.indexPattern.useFieldExistenceSamplingBody": "フィールド存在サンプリングは廃止予定であり、Kibana {version}で削除される予定です。{link}でこの機能を無効化できます。", "xpack.lens.indexPattern.valueCountOf": "{name}のカウント", "xpack.lens.indexPatternSuggestion.removeLayerLabel": "{indexPatternTitle}のみを表示", "xpack.lens.indexPatternSuggestion.removeLayerPositionLabel": "レイヤー{layerNumber}のみを表示", - "xpack.lens.pie.arrayValues": "{label}には配列値が含まれます。可視化が想定通りに表示されない場合があります。", + "xpack.lens.pie.arrayValues": "次のディメンションには配列値があります:{label}。可視化が想定通りに表示されない場合があります。", + "xpack.lens.pie.multiMetricAccessorLabel": "{number}メトリック", "xpack.lens.pie.suggestionLabel": "{chartName}として", + "xpack.lens.reducedTimeRangeSuffix": "last {reducedTimeRange}", "xpack.lens.shared.legend.filterOptionsLegend": "{legendDataLabel}、フィルターオプション", "xpack.lens.table.tableCellFilter.filterForValueAriaLabel": "値のフィルター:{cellContent}", "xpack.lens.table.tableCellFilter.filterOutValueAriaLabel": "値の除外:{cellContent}", "xpack.lens.uniqueLabel": "{label} [{num}]", "xpack.lens.unknownVisType.longMessage": "ビジュアライゼーションタイプ{visType}を解決できませんでした。", "xpack.lens.visualizeGeoFieldMessage": "Lensは{fieldType}フィールドを可視化できません", + "xpack.lens.xyChart.annotationError": "注釈{annotationName}にはエラーがあります:{errorMessage}", + "xpack.lens.xyChart.annotationError.textFieldNotFound": "テキストフィールド{textField}がデータビュー{dataView}で見つかりません", + "xpack.lens.xyChart.annotationError.timeFieldNotFound": "時間フィールド{timeField}がデータビュー{dataView}で見つかりません", + "xpack.lens.xyChart.annotationError.tooltipFieldNotFound": "ツールチップ{missingFields, plural, other {フィールド}} {missingTooltipFields}がデータビュー{dataView}で見つかりません", + "xpack.lens.xyChart.randomSampling.help": "サンプリング割合が低いと、速度が上がりますが、精度が低下します。ベストプラクティスとして、大きいデータセットの場合にのみ低サンプリングを使用してください。{link}", "xpack.lens.xySuggestions.dateSuggestion": "{xTitle}の上の {yTitle}", "xpack.lens.xySuggestions.nonDateSuggestion": "{yTitle}/{xTitle}", "xpack.lens.xyVisualization.arrayValues": "{label}には配列値が含まれます。可視化が想定通りに表示されない場合があります。", @@ -17246,6 +18368,7 @@ "xpack.lens.xyVisualization.dataFailureSplitShort": "{axis} がありません。", "xpack.lens.xyVisualization.dataFailureYLong": "{layers, plural, other {レイヤー}} {layersList} には {axis} のフィールドが{layers, plural, other {必要です}}。", "xpack.lens.xyVisualization.dataFailureYShort": "{axis} がありません。", + "xpack.lens.xyVisualization.dataTypeFailureXLong": "レイヤー{firstLayer}の{axis}データは、レイヤー{secondLayer}のデータと互換性がありません。{axis}の新しい関数を選択してください。", "xpack.lens.xyVisualization.dataTypeFailureXShort": "{axis}のデータ型が正しくありません。", "xpack.lens.xyVisualization.dataTypeFailureYLong": "{axis}のディメンション{label}のデータ型が正しくありません。数値が想定されていますが、{dataType}です", "xpack.lens.xyVisualization.dataTypeFailureYShort": "{axis}のデータ型が正しくありません。", @@ -17255,11 +18378,18 @@ "xpack.lens.formula.ceilFunction.markdown": "\n値の上限(切り上げ)。\n\n例:価格を次のドル単位まで切り上げます\n`ceil(sum(price))`\n ", "xpack.lens.formula.clampFunction.markdown": "\n最小値から最大値までの値を制限します。\n\n例:確実に異常値を特定します\n```\nclamp(\n average(bytes),\n percentile(bytes, percentile=5),\n percentile(bytes, percentile=95)\n)\n```\n", "xpack.lens.formula.cubeFunction.markdown": "\n数値の三乗を計算します。\n\n例:側面の長さから体積を計算します\n`cube(last_value(length))`\n ", + "xpack.lens.formula.defaultFunction.markdown": "\n値がヌルのときにデフォルトの数値を返します。\n\n例:フィールドにデータがない場合は、-1を返します\n`defaults(average(bytes), -1)`\n", "xpack.lens.formula.divideFunction.markdown": "\n1番目の数値を2番目の数値で除算します。\n/記号も使用できます\n\n例:利益率を計算します\n`sum(profit) / sum(revenue)`\n\n例:`divide(sum(bytes), 2)`\n ", + "xpack.lens.formula.eqFunction.markdown": "\n2つの値で等価性の比較を実行します。\n「ifelse」比較関数の条件として使用されます。\n==記号も使用できます。\n\n例:バイトの平均が平均メモリーと同じ量の場合は、trueを返します。\n`average(bytes) == average(memory)`\n\n例: `eq(sum(bytes), 1000000)`\n ", "xpack.lens.formula.expFunction.markdown": "\n*e*をn乗します。\n\n例:自然指数関数を計算します\n\n`exp(last_value(duration))`\n ", "xpack.lens.formula.fixFunction.markdown": "\n正の値の場合は、下限を取ります。負の値の場合は、上限を取ります。\n\n例:ゼロに向かって端数処理します\n`fix(sum(profit))`\n ", "xpack.lens.formula.floorFunction.markdown": "\n最も近い整数値まで切り捨てます\n\n例:価格を切り捨てます\n`floor(sum(price))`\n ", + "xpack.lens.formula.gteFunction.markdown": "\n2つの値で大なりの比較を実行します。\n「ifelse」比較関数の条件として使用されます。\n>=記号も使用できます。\n\n例:バイトの平均がメモリーの平均量以上である場合は、trueを返します\n`average(bytes) >= average(memory)`\n\n例: `gte(average(bytes), 1000)`\n ", + "xpack.lens.formula.gtFunction.markdown": "\n2つの値で大なりの比較を実行します。\n「ifelse」比較関数の条件として使用されます。\n>記号も使用できます。\n\n例:バイトの平均がメモリーの平均量より大きい場合は、trueを返します\n`average(bytes) > average(memory)`\n\n例: `gt(average(bytes), 1000)`\n ", + "xpack.lens.formula.ifElseFunction.markdown": "\n条件の要素がtrueかfalseかに応じて、値を返します。\n\n例:顧客ごとの平均収益。ただし、場合によっては、顧客IDが提供されないことがあり、その場合は別の顧客としてカウントされます\n`sum(total)/(unique_count(customer_id) + ifelse( count() > count(kql='customer_id:*'), 1, 0))`\n ", "xpack.lens.formula.logFunction.markdown": "\nオプションで底をとる対数。デフォルトでは自然対数の底*e*を使用します。\n\n例:値を格納するために必要なビット数を計算します\n```\nlog(sum(bytes))\nlog(sum(bytes), 2)\n```\n ", + "xpack.lens.formula.lteFunction.markdown": "\n2つの値で小なりイコールの比較を実行します。\n「ifelse」比較関数の条件として使用されます。\n<=記号も使用できます。\n\n例:バイトの平均がメモリーの平均量以下である場合は、trueを返します\n`average(bytes) <= average(memory)`\n\n例: `lte(average(bytes), 1000)`\n ", + "xpack.lens.formula.ltFunction.markdown": "\n2つの値で小なりの比較を実行します。\n「ifelse」比較関数の条件として使用されます。\n<記号も使用できます。\n\n例:バイトの平均がメモリーの平均量より少ない場合は、trueを返します\n`average(bytes) <= average(memory)`\n\n例: `lt(average(bytes), 1000)`\n ", "xpack.lens.formula.maxFunction.markdown": "\n2つの数値の間の最大値が検出されます。\n\n例:2つのフィールドの平均の最大値が検出されます。\n`pick_max(average(bytes), average(memory))`\n ", "xpack.lens.formula.minFunction.markdown": "\n2つの数値の間の最小値が検出されます。\n\n例:2つのフィールドの平均の最小値が検索されます。\n`pick_min(average(bytes), average(memory))`\n ", "xpack.lens.formula.modFunction.markdown": "\n関数を数値で除算した後の余り\n\n例:値の最後の3ビットを計算します\n`mod(sum(price), 1000)`\n ", @@ -17270,11 +18400,12 @@ "xpack.lens.formula.squareFunction.markdown": "\n値を2乗します\n\n例:側面の長さに基づいて面積を計算します\n`square(last_value(length))`\n ", "xpack.lens.formula.subtractFunction.markdown": "\n2番目の数値から1番目の数値を減算します。\n-記号も使用できます。\n\n例:フィールドの範囲を計算します\n`subtract(max(bytes), min(bytes))`\n ", "xpack.lens.formulaDocumentation.filterRatioDescription.markdown": "### フィルター比率:\n\n`kql=''`を使用すると、1つのセットのドキュメントをフィルターして、同じグループの他のドキュメントと比較します。\n例:経時的なエラー率の変化を表示する\n\n```\ncount(kql='response.status_code > 400') / count()\n```\n ", - "xpack.lens.formulaDocumentation.markdown": "## 仕組み\n\nLens式では、Elasticsearchの集計および数学関数を使用して演算を実行できます\n。主に次の3種類の関数があります。\n\n* `sum(bytes)`などのElasticsearchメトリック\n* 時系列関数は`cumulative_sum()`などのElasticsearchメトリックを入力として使用します\n* `round()`などの数学関数\n\nこれらのすべての関数を使用する式の例:\n\n```\nround(100 * moving_average(\n average(cpu.load.pct),\n window=10,\n kql='datacenter.name: east*'\n))\n```\n\nElasticsearchの関数はフィールド名を取り、フィールドは引用符で囲むこともできます。`sum(bytes)`は\nas `sum('bytes')`.\n\n一部の関数は、`moving_average(count(), window=5)`のような名前付き引数を取ります。\n\nElasticsearchメトリックはKQLまたはLucene構文を使用してフィルターできます。フィルターを追加するには、名前付き\nparameter `kql='field: value'` or `lucene=''`.KQLまたはLuceneクエリを作成するときには、必ず引用符を使用してください\n。検索が引用符で囲まれている場合は、`kql='Women's''のようにバックスラッシュでエスケープします。\n\n数学関数は位置引数を取ることができます。たとえば、pow(count(), 3)はcount() * count() * count()と同じです。\n\n+、-、/、*記号を使用して、基本演算を実行できます。\n ", + "xpack.lens.formulaDocumentation.markdown": "## 仕組み\n\nLens式では、Elasticsearchの集計および数学関数を使用して演算を実行できます\n。主に次の3種類の関数があります。\n\n* `sum(bytes)`などのElasticsearchメトリック\n* 時系列関数は`cumulative_sum()`などのElasticsearchメトリックを入力として使用します\n* `round()`などの数学関数\n\nこれらのすべての関数を使用する式の例:\n\n```\nround(100 * moving_average(\naverage(cpu.load.pct),\nwindow=10,\nkql='datacenter.name: east*'\n))\n```\n\nElasticsearchの関数はフィールド名を取り、フィールドは引用符で囲むこともできます。`sum(bytes)`は\nas `sum('bytes')`.\n\n一部の関数は、`moving_average(count(), window=5)`のような名前付き引数を取ります。\n\nElasticsearchメトリックはKQLまたはLucene構文を使用してフィルターできます。フィルターを追加するには、名前付き\nparameter `kql='field: value'` or `lucene=''`.KQLまたはLuceneクエリを作成するときには、必ず引用符を使用してください\n。検索が引用符で囲まれている場合は、`kql='Women's''のようにバックスラッシュでエスケープします。\n\n数学関数は位置引数を取ることができます。たとえば、pow(count(), 3)はcount() * count() * count()と同じです。\n\n+、-、/、*記号を使用して、基本演算を実行できます。\n ", "xpack.lens.formulaDocumentation.percentOfTotalDescription.markdown": "### 合計の割合\n\nすべてのグループで式は`overall_sum`を計算できます。\nこれは各グループを合計の割合に変換できます。\n\n```\nsum(products.base_price) / overall_sum(sum(products.base_price))\n```\n ", + "xpack.lens.formulaDocumentation.recentChangeDescription.markdown": "### 最近の変更\n\n「reducedTimeRange='30m'」を使用して、グローバル時間範囲の最後と一致するメトリックの時間範囲で、フィルターを追加しました。これにより、どのくらいの値が最近変更されたのかを計算できます。\n\n```\nmax(system.network.in.bytes, reducedTimeRange=\"30m\")\n - min(system.network.in.bytes, reducedTimeRange=\"30m\")\n```\n ", "xpack.lens.formulaDocumentation.weekOverWeekDescription.markdown": "### 週単位:\n\n`shift='1w'`を使用すると、前の週から各グループの値を取得します\n。時間シフトは*Top values*関数と使用しないでください。\n\n```\npercentile(system.network.in.bytes, percentile=99) /\npercentile(system.network.in.bytes, percentile=99, shift='1w')\n```\n ", "xpack.lens.indexPattern.cardinality.documentation.markdown": "\n指定されたフィールドの一意の値の数を計算します。数値、文字列、日付、ブール値で機能します。\n\n例:異なる製品の数を計算します。\n`unique_count(product.name)`\n\n例:「clothes」グループから異なる製品の数を計算します。\n`unique_count(product.name, kql='product.group=clothes')`\n ", - "xpack.lens.indexPattern.count.documentation.markdown": "\nドキュメントの総数。フィールドを最初の引数として入力すると、フィールド値の合計数がカウントされます。1つのドキュメントに2つの値があるフィールドでは、count関数を使用します。\n\n#### 例\n\nドキュメントの合計数を計算するには、count()を使用します。\n\nすべての注文書の製品数を計算するには、count(products.id)を使用します。\n\n特定のフィルターと一致するドキュメントの数を計算するには、count(kql='price > 500')を使用します。\n ", + "xpack.lens.indexPattern.count.documentation.markdown": "\nドキュメントの総数。フィールドを入力すると、フィールド値の合計数がカウントされます。1つのドキュメントに複数の値があるフィールドでCount関数を使用すると、すべての値がカウントされます。\n\n#### 例\n\nドキュメントの合計数を計算するには、count()を使用します。\n\nすべての注文書の製品数を計算するには、count(products.id)を使用します。\n\n特定のフィルターと一致するドキュメントの数を計算するには、count(kql='price > 500')を使用します。\n ", "xpack.lens.indexPattern.counterRate.documentation.markdown": "\n増加し続けるカウンターのレートを計算します。この関数は、経時的に単調に増加する種類の測定を含むカウンターメトリックフィールドでのみ結果を生成します。\n値が小さくなる場合は、カウンターリセットであると解釈されます。最も正確な結果を得るには、フィールドの「max`」で「counter_rate」を計算してください。\n\nこの計算はフィルターで定義された別の系列または上位値のディメンションに対して個別に実行されます。\n式で使用されるときには、現在の間隔を使用します。\n\n例:Memcachedサーバーで経時的に受信されたバイトの比率を可視化します。\n`counter_rate(max(memcached.stats.read.bytes))`\n ", "xpack.lens.indexPattern.cumulativeSum.documentation.markdown": "\n経時的なメトリックの累計値を計算し、系列のすべての前の値を各値に追加します。この関数を使用するには、日付ヒストグラムディメンションも構成する必要があります。\n\nこの計算はフィルターで定義された別の系列または上位値のディメンションに対して個別に実行されます。\n\n例:経時的に累積された受信バイト数を可視化します。\n`cumulative_sum(sum(bytes))`\n ", "xpack.lens.indexPattern.differences.documentation.markdown": "\n経時的にメトリックの最後の値に対する差異を計算します。この関数を使用するには、日付ヒストグラムディメンションも構成する必要があります。\n差異ではデータが連続する必要があります。差異を使用するときにデータが空の場合は、データヒストグラム間隔を大きくしてみてください。\n\nこの計算はフィルターで定義された別の系列または上位値のディメンションに対して個別に実行されます。\n\n例:経時的に受信したバイト数の変化を可視化します。\n`differences(sum(bytes))`\n ", @@ -17289,6 +18420,7 @@ "xpack.lens.indexPattern.percentileRanks.documentation.markdown": "\n特定の値未満の値の割合が返されます。たとえば、値が観察された値の95%以上の場合、95パーセンタイルランクであるとされます。\n\n例:100未満の値のパーセンタイルを取得します。\n`percentile_rank(bytes, value=100)`\n ", "xpack.lens.indexPattern.standardDeviation.documentation.markdown": "\nフィールドの分散または散布度が返されます。この関数は数値フィールドでのみ動作します。\n\n#### 例\n\n価格の標準偏差を取得するには、standard_deviation(price)を使用します。\n\n英国からの注文書の価格の分散を取得するには、square(standard_deviation(price, kql='location:UK'))を使用します。\n ", "xpack.lens.indexPattern.time_scale.documentation.markdown": "\n\nこの高度な機能は、特定の期間に対してカウントと合計を正規化する際に役立ちます。すでに特定の期間に対して正規化され、保存されたメトリックとの統合が可能です。\n\nこの機能は、現在のグラフで日付ヒストグラム関数が使用されている場合にのみ使用できます。\n\n例:すでに正規化されているメトリックを、正規化が必要な別のメトリックと比較した比率。\n`normalize_by_unit(counter_rate(max(system.diskio.write.bytes)), unit='s') / last_value(apache.status.bytes_per_second)`\n ", + "xpack.lens.AggBasedLabel": "集約に基づく可視化", "xpack.lens.app.addToLibrary": "ライブラリに保存", "xpack.lens.app.cancel": "キャンセル", "xpack.lens.app.cancelButtonAriaLabel": "変更を保存せずに最後に使用していたアプリに戻る", @@ -17337,6 +18469,7 @@ "xpack.lens.chartSwitch.dataLossLabel": "警告", "xpack.lens.chartSwitch.experimentalLabel": "テクニカルプレビュー", "xpack.lens.chartTitle.unsaved": "保存されていないビジュアライゼーション", + "xpack.lens.cloneLayerAriaLabel": "レイヤーの複製", "xpack.lens.collapse.avg": "平均", "xpack.lens.collapse.infoIcon": "ビジュアライゼーションでこのディメンションを表示して、このディメンションと同じ値のすべてのメトリック値を1つの数値に集約しないでください。", "xpack.lens.collapse.label": "縮小", @@ -17347,7 +18480,7 @@ "xpack.lens.configPanel.addLayerButton": "レイヤーを追加", "xpack.lens.configPanel.color.tooltip.auto": "カスタム色を指定しない場合、Lensは自動的に色を選択します。", "xpack.lens.configPanel.color.tooltip.custom": "[自動]モードに戻すには、カスタム色をオフにしてください。", - "xpack.lens.configPanel.color.tooltip.disabled": "レイヤーに「内訳条件」が含まれている場合は、個別の系列をカスタム色にできません。", + "xpack.lens.configPanel.color.tooltip.disabled": "レイヤーに[内訳の基準]フィールドが含まれている場合は、個別の系列にカスタム色を適用できません。", "xpack.lens.configPanel.experimentalLabel": "テクニカルプレビュー", "xpack.lens.configPanel.selectLayerType": "レイヤータイプを選択", "xpack.lens.configPanel.selectVisualization": "ビジュアライゼーションを選択してください", @@ -17361,29 +18494,36 @@ "xpack.lens.confirmModal.cancelButtonLabel": "キャンセル", "xpack.lens.customBucketContainer.dragToReorder": "ドラッグして並べ替え", "xpack.lens.datatable.addLayer": "ビジュアライゼーション", - "xpack.lens.datatable.breakdownColumns": "列", + "xpack.lens.datatable.breakdownColumn": "メトリックの分割基準", + "xpack.lens.datatable.breakdownColumns": "メトリックの分割基準", "xpack.lens.datatable.breakdownColumns.description": "フィールドでメトリックを列に分割します。列数を少なくし、横スクロールを避けることをお勧めします。", + "xpack.lens.datatable.breakdownRow": "行", "xpack.lens.datatable.breakdownRows": "行", "xpack.lens.datatable.breakdownRows.description": "フィールドで表の行を分割します。これは高カーディナリティ内訳にお勧めです。", "xpack.lens.datatable.column.help": "データテーブル列", "xpack.lens.datatable.conjunctionSign": " & ", "xpack.lens.datatable.expressionHelpLabel": "データベースレンダー", "xpack.lens.datatable.groupLabel": "タブ", + "xpack.lens.datatable.headingLabel": "値", "xpack.lens.datatable.label": "表", + "xpack.lens.datatable.metric": "メトリック", "xpack.lens.datatable.metrics": "メトリック", "xpack.lens.datatable.suggestionLabel": "表として", "xpack.lens.datatable.titleLabel": "タイトル", "xpack.lens.datatable.visualizationName": "データベース", "xpack.lens.datatypes.boolean": "ブール", + "xpack.lens.datatypes.counter": "カウンターメトリック", "xpack.lens.datatypes.date": "日付", - "xpack.lens.datatypes.geoPoint": "geo_point", - "xpack.lens.datatypes.geoShape": "geo_shape", + "xpack.lens.datatypes.gauge": "ゲージメトリック", + "xpack.lens.datatypes.geoPoint": "地理的な位置", + "xpack.lens.datatypes.geoShape": "地理的な形状", "xpack.lens.datatypes.histogram": "ヒストグラム", - "xpack.lens.datatypes.ipAddress": "IP", + "xpack.lens.datatypes.ipAddress": "IP アドレス", "xpack.lens.datatypes.murmur3": "murmur3", "xpack.lens.datatypes.number": "数字", "xpack.lens.datatypes.record": "レコード", - "xpack.lens.datatypes.string": "文字列", + "xpack.lens.datatypes.string": "テキスト文字列", + "xpack.lens.deleteLayerAriaLabel": "レイヤーを削除", "xpack.lens.dimensionContainer.close": "閉じる", "xpack.lens.dimensionContainer.closeConfiguration": "構成を閉じる", "xpack.lens.discover.visualizeFieldLegend": "Visualize フィールド", @@ -17416,6 +18556,7 @@ "xpack.lens.editorFrame.expressionMissingVisualizationType": "ビジュアライゼーションタイプが見つかりません。", "xpack.lens.editorFrame.goToForums": "リクエストとフィードバック", "xpack.lens.editorFrame.invisibleIndicatorLabel": "このディメンションは現在グラフに表示されません", + "xpack.lens.editorFrame.layerSettingsTitle": "レイヤー設定", "xpack.lens.editorFrame.networkErrorMessage": "ネットワークエラーです。しばらくたってから再試行するか、管理者に連絡してください。", "xpack.lens.editorFrame.noColorIndicatorLabel": "このディメンションには個別の色がありません", "xpack.lens.editorFrame.optionalDimensionLabel": "オプション", @@ -17446,7 +18587,10 @@ "xpack.lens.fieldFormats.suffix.m": "/m", "xpack.lens.fieldFormats.suffix.s": "/s", "xpack.lens.fieldFormats.suffix.title": "接尾辞", - "xpack.lens.fieldPicker.fieldPlaceholder": "フィールド", + "xpack.lens.fieldPicker.fieldPlaceholder": "フィールドを選択", + "xpack.lens.fieldsBucketContainer.deleteButtonDisabled": "1つ以上のアイテムが必要です。", + "xpack.lens.fieldsBucketContainer.dragHandleDisabled": "並べ替えには1つ以上のアイテムが必要です。", + "xpack.lens.fieldsBucketContainer.dragToReorder": "ドラッグして並べ替え", "xpack.lens.fittingFunctionsDescription.carry": "ギャップを最後の値で埋める", "xpack.lens.fittingFunctionsDescription.linear": "ギャップを線で埋める", "xpack.lens.fittingFunctionsDescription.lookahead": "ギャップを次の値で埋める", @@ -17458,7 +18602,10 @@ "xpack.lens.fittingFunctionsTitle.none": "非表示", "xpack.lens.fittingFunctionsTitle.zero": "ゼロ", "xpack.lens.formula.base": "基数", + "xpack.lens.formula.boolean": "ブール", + "xpack.lens.formula.condition": "条件", "xpack.lens.formula.decimals": "小数点以下", + "xpack.lens.formula.defaultValue": "デフォルト", "xpack.lens.formula.disableWordWrapLabel": "単語の折り返しを無効にする", "xpack.lens.formula.editorHelpInlineHideLabel": "関数リファレンスを非表示", "xpack.lens.formula.editorHelpInlineHideToolTip": "関数リファレンスを非表示", @@ -17470,6 +18617,7 @@ "xpack.lens.formula.max": "最高", "xpack.lens.formula.min": "分", "xpack.lens.formula.number": "数字", + "xpack.lens.formula.reducedTimeRangeExtraArguments": "[reducedTimeRange]?: string", "xpack.lens.formula.requiredArgument": "必須", "xpack.lens.formula.right": "右", "xpack.lens.formula.shiftExtraArguments": "[shift]?:文字列", @@ -17478,12 +18626,15 @@ "xpack.lens.formulaCommonFormulaDocumentation": "最も一般的な式は2つの値を分割して割合を生成します。正確に表示するには、[値形式]を[割合]に設定します。", "xpack.lens.formulaDocumentation.columnCalculationSection": "列計算", "xpack.lens.formulaDocumentation.columnCalculationSectionDescription": "各行でこれらの関数が実行されますが、コンテキストとして列全体が提供されます。これはウィンドウ関数とも呼ばれます。", + "xpack.lens.formulaDocumentation.comparisonSection": "比較", + "xpack.lens.formulaDocumentation.comparisonSectionDescription": "これらの関数は値を比較するために使用されます。", "xpack.lens.formulaDocumentation.elasticsearchSection": "Elasticsearch", "xpack.lens.formulaDocumentation.elasticsearchSectionDescription": "これらの関数は結果テーブルの各行の未加工ドキュメントで実行され、内訳ディメンションと一致するすべてのドキュメントを単一の値に集約します。", "xpack.lens.formulaDocumentation.filterRatio": "フィルター比率", "xpack.lens.formulaDocumentation.mathSection": "数学処理", "xpack.lens.formulaDocumentation.mathSectionDescription": "これらの関数は、他の関数で計算された同じ行の単一の値を使用して、結果テーブルの各行で実行されます。", "xpack.lens.formulaDocumentation.percentOfTotal": "合計の割合", + "xpack.lens.formulaDocumentation.recentChange": "最近の変更", "xpack.lens.formulaDocumentation.weekOverWeek": "週単位", "xpack.lens.formulaDocumentationHeading": "仕組み", "xpack.lens.formulaEnableWordWrapLabel": "単語の折り返しを有効にする", @@ -17502,12 +18653,14 @@ "xpack.lens.functions.lastValue.missingSortField": "このデータビューには日付フィールドが含まれていません", "xpack.lens.functions.mapToColumns.help": "Lens列定義に合わせてデータテーブルを変換するヘルパー", "xpack.lens.functions.mapToColumns.idMap.help": "キーがデータベース列IDで、値がLens列定義であるJSONエンコードオブジェクト。IDマップで指定されていないデータテーブルは、マッピングされません。", + "xpack.lens.functions.timeScale.timeBoundsMissingMessage": "「時間範囲」を解析できませんでした", "xpack.lens.functions.timeScale.timeInfoMissingMessage": "日付ヒストグラム情報を取得できませんでした", "xpack.lens.gauge.addLayer": "ビジュアライゼーション", "xpack.lens.gauge.appearanceLabel": "見た目", "xpack.lens.gauge.dynamicColoring.label": "帯色", "xpack.lens.gauge.gaugeLabel": "ゲージ", "xpack.lens.gauge.goalValueLabel": "目標値", + "xpack.lens.gauge.headingLabel": "値", "xpack.lens.gauge.maxValueLabel": "最高値", "xpack.lens.gauge.metricLabel": "メトリック", "xpack.lens.gauge.minValueLabel": "最小値", @@ -17524,6 +18677,7 @@ "xpack.lens.heatmap.addLayer": "ビジュアライゼーション", "xpack.lens.heatmap.cellValueLabel": "セル値", "xpack.lens.heatmap.groupLabel": "ヒートマップ", + "xpack.lens.heatmap.headingLabel": "値", "xpack.lens.heatmap.heatmapLabel": "ヒートマップ", "xpack.lens.heatmap.horizontalAxisDisabledHelpText": "この設定は、横軸が有効であるときにのみ適用されます。", "xpack.lens.heatmap.horizontalAxisLabel": "横軸", @@ -17536,14 +18690,18 @@ "xpack.lens.heatmapVisualization.missingXAccessorLongMessage": "横軸の構成がありません。", "xpack.lens.heatmapVisualization.missingXAccessorShortMessage": "横軸がありません。", "xpack.lens.indexPattern.advancedSettings": "高度な設定", + "xpack.lens.indexPattern.allFieldsForTextBasedLabelHelp": "使用可能なフィールドをワークスペースまでドラッグし、ビジュアライゼーションを作成します。使用可能なフィールドを変更するには、クエリを編集します。", "xpack.lens.indexPattern.allFieldsLabelHelp": "使用可能なフィールドをワークスペースまでドラッグし、ビジュアライゼーションを作成します。使用可能なフィールドを変更するには、別のデータビューを選択するか、クエリを編集するか、別の時間範囲を使用します。一部のフィールドタイプは、完全なテキストおよびグラフィックフィールドを含む Lens では、ビジュアライゼーションできません。", "xpack.lens.indexPattern.allFieldsSamplingLabelHelp": "使用可能なフィールドには、フィルターと一致する最初の 500 件のドキュメントのデータがあります。すべてのフィールドを表示するには、空のフィールドを展開します。全文、地理、フラット化、オブジェクトフィールドでビジュアライゼーションを作成できません。", "xpack.lens.indexPattern.ascendingCountPrecisionErrorWarning.link": "ドキュメントをご覧ください", "xpack.lens.indexPattern.availableFieldsLabel": "利用可能なフィールド", "xpack.lens.indexPattern.avg": "平均", "xpack.lens.indexPattern.avg.description": "集約されたドキュメントから抽出された数値の平均値を計算する単一値メトリック集約", + "xpack.lens.indexPattern.avg.quickFunctionDescription": "数値フィールドの集合の平均値。", + "xpack.lens.indexPattern.bitsFormatLabel": "ビット(1000)", "xpack.lens.indexPattern.bytesFormatLabel": "バイト(1024)", "xpack.lens.indexPattern.cardinality": "ユニークカウント", + "xpack.lens.indexPattern.cardinality.documentation.quick": "\n指定した数値、文字列、日付、ブール値フィールドの一意の値の数。\n ", "xpack.lens.indexPattern.cardinality.signature": "フィールド:文字列", "xpack.lens.indexPattern.changeDataViewTitle": "データビュー", "xpack.lens.indexPattern.chooseField": "フィールド", @@ -17552,37 +18710,50 @@ "xpack.lens.indexPattern.columnFormatLabel": "値の形式", "xpack.lens.indexPattern.columnLabel": "名前", "xpack.lens.indexPattern.count": "カウント", + "xpack.lens.indexPattern.count.documentation.quick": "\nドキュメントの総数。フィールドを入力すると、フィールド値の合計数がカウントされます。1つのドキュメントに複数の値があるフィールドでCount関数を使用すると、すべての値がカウントされます。\n ", "xpack.lens.indexPattern.count.signature": "[field: string]", "xpack.lens.indexPattern.counterRate": "カウンターレート", + "xpack.lens.indexPattern.counterRate.documentation.quick": "\n 増加を続ける時系列メトリックの経時的な変化率。\n ", "xpack.lens.indexPattern.counterRate.signature": "メトリック:数値", "xpack.lens.indexPattern.countOf": "レコード数", "xpack.lens.indexPattern.cumulative_sum.signature": "メトリック:数値", "xpack.lens.indexPattern.cumulativeSum": "累積和", + "xpack.lens.indexPattern.cumulativeSum.documentation.quick": "\n 経時的に増加するすべての値の合計。\n ", "xpack.lens.indexPattern.dataViewLoadError": "データビューの読み込み中にエラーが発生しました", "xpack.lens.indexPattern.dateHistogram": "日付ヒストグラム", "xpack.lens.indexPattern.dateHistogram.autoAdvancedExplanation": "間隔は次のロジックに従います。", - "xpack.lens.indexPattern.dateHistogram.autoBasicExplanation": "自動日付ヒストグラムは、間隔でデータフィールドをバケットに分割します。", + "xpack.lens.indexPattern.dateHistogram.autoBasicExplanation": "データヒストグラムはデータを時間間隔に分割します。", "xpack.lens.indexPattern.dateHistogram.autoBoundHeader": "対象間隔の測定", "xpack.lens.indexPattern.dateHistogram.autoIntervalHeader": "使用される間隔", "xpack.lens.indexPattern.dateHistogram.bindToGlobalTimePicker": "グローバル時刻ピッカーにバインド", - "xpack.lens.indexPattern.dateHistogram.dropPartialBuckets": "不完全なバケットをドロップ", - "xpack.lens.indexPattern.dateHistogram.dropPartialBucketsHelp": "不完全なバケットのドロップは無効です。これらは、右上のグローバル時刻ピッカーにバインドされた時刻フィールドでのみ計算できます。", + "xpack.lens.indexPattern.dateHistogram.documentation.quick": "\n日付または日付範囲値が間隔に分散されます。\n ", + "xpack.lens.indexPattern.dateHistogram.dropPartialBuckets": "一部の間隔を破棄", + "xpack.lens.indexPattern.dateHistogram.dropPartialBucketsHelp": "一部の間隔の破棄は無効です。これらは、右上のグローバル時刻ピッカーにバインドされた時刻フィールドでのみ計算できます。", "xpack.lens.indexPattern.dateHistogram.globalTimePickerHelp": "右上のグローバル時刻ピッカーで選択したフィールドをフィルタリングします。現在のデータビューのデフォルト時刻フィールドではこの設定をオンにできません。", "xpack.lens.indexPattern.dateHistogram.includeEmptyRows": "空の行を含める", "xpack.lens.indexPattern.dateHistogram.invalidInterval": "有効な間隔を選択してください。複数の週、月、年を間隔として使用できません。", "xpack.lens.indexPattern.dateHistogram.minimumInterval": "最低間隔", "xpack.lens.indexPattern.dateHistogram.moreThanYear": "1年を超える", "xpack.lens.indexPattern.dateHistogram.selectIntervalPlaceholder": "間隔を選択", - "xpack.lens.indexPattern.dateHistogram.selectOptionHelpText": "オプションを選択するかカスタム値を作成します。例:30s、20m、24h、2d、1w、1M", - "xpack.lens.indexPattern.dateHistogram.titleHelp": "自動日付ヒストグラムの仕組み", + "xpack.lens.indexPattern.dateHistogram.selectOptionExamplesHelpText": "例:30s、20m、24h、2d、1w、1M", + "xpack.lens.indexPattern.dateHistogram.selectOptionHelpText": "オプションを選択するかカスタム値を作成します。", + "xpack.lens.indexPattern.dateHistogram.titleHelp": "日付ヒストグラムの仕組み", "xpack.lens.indexPattern.dateHistogram.upTo": "最大", "xpack.lens.indexPattern.decimalPlacesLabel": "小数点以下", "xpack.lens.indexPattern.defaultFormatLabel": "デフォルト", "xpack.lens.indexPattern.derivative": "差異", + "xpack.lens.indexPattern.differences.documentation.quick": "\n 後続の間隔の値の変化。\n ", "xpack.lens.indexPattern.differences.signature": "メトリック:数値", + "xpack.lens.indexPattern.dimensionEditor.headingAppearance": "見た目", + "xpack.lens.indexPattern.dimensionEditor.headingData": "データ", + "xpack.lens.indexPattern.dimensionEditor.headingFormula": "式", + "xpack.lens.indexPattern.dimensionEditor.headingMethod": "メソド", + "xpack.lens.indexPattern.dimensionEditor.headingSummary": "まとめ", + "xpack.lens.indexPattern.dimensionEditorModes": "ディメンションエディター構成モード", "xpack.lens.indexPattern.emptyDimensionButton": "空のディメンション", "xpack.lens.indexPattern.emptyFieldsLabel": "空のフィールド", "xpack.lens.indexPattern.enableAccuracyMode": "精度モードを有効にする", + "xpack.lens.indexPattern.fieldExploreInDiscover": "Discoverで値を探索", "xpack.lens.indexPattern.fieldItemTooltip": "可視化するには、ドラッグアンドドロップします。", "xpack.lens.indexPattern.fieldPlaceholder": "フィールド", "xpack.lens.indexPattern.fieldStatsButtonEmptyLabel": "このフィールドにはデータがありませんが、ドラッグアンドドロップで可視化できます。", @@ -17595,9 +18766,11 @@ "xpack.lens.indexPattern.filters": "フィルター", "xpack.lens.indexPattern.filters.addaFilter": "フィルターを追加", "xpack.lens.indexPattern.filters.clickToEdit": "クリックして編集", + "xpack.lens.indexPattern.filters.documentation.quick": "\n 値を定義済みのサブセットに分割します。\n ", "xpack.lens.indexPattern.filters.isInvalid": "このクエリは無効です", "xpack.lens.indexPattern.filters.label.placeholder": "すべてのレコード", "xpack.lens.indexPattern.filters.removeFilter": "フィルターを削除", + "xpack.lens.indexPattern.formulaCanReduceTimeRangeHelpText": "式全体に適用します。", "xpack.lens.indexPattern.formulaFieldValue": "フィールド", "xpack.lens.indexPattern.formulaFilterableHelpText": "指定されたフィルターは式全体に適用されます。", "xpack.lens.indexPattern.formulaLabel": "式", @@ -17610,16 +18783,22 @@ "xpack.lens.indexPattern.formulaWarningStaticValueText": "式を上書きするには、入力フィールドの値を変更します", "xpack.lens.indexPattern.formulaWarningText": "式を上書きするには、クイック関数を選択します", "xpack.lens.indexPattern.functionsLabel": "関数", + "xpack.lens.indexPattern.functionTable.descriptionHeader": "説明", + "xpack.lens.indexPattern.functionTable.functionHeader": "関数", "xpack.lens.indexPattern.groupByDropdown": "グループ分けの条件", + "xpack.lens.indexPattern.helpIncompatibleFieldDotLabel": "この関数は現在選択されているフィールドと互換性がありません。", "xpack.lens.indexPattern.helpLabel": "関数ヘルプ", + "xpack.lens.indexPattern.helpPartiallyApplicableFunctionLabel": "この関数は、ロールアップされた履歴データの全時間範囲をサポートしていないため、一部の結果しか返されない場合があります。", "xpack.lens.indexPattern.hideZero": "ゼロ値を非表示", "xpack.lens.indexPattern.incompleteOperation": "(未完了)", "xpack.lens.indexPattern.intervals": "間隔", "xpack.lens.indexPattern.invalidFieldLabel": "無効なフィールドです。データビューを確認するか、別のフィールドを選択してください。", "xpack.lens.indexPattern.invalidOperationLabel": "選択した関数はこのフィールドで動作しません。", + "xpack.lens.indexPattern.invalidReducedTimeRange": "縮小された時間範囲が無効です。正の整数の後に単位s、m、h、d、w、M、yのいずれかを入力します。例:3時間は3hです", "xpack.lens.indexPattern.invalidTimeShift": "無効な時間シフトです。正の整数の後に単位s、m、h、d、w、M、yのいずれかを入力します。例:3時間は3hです", "xpack.lens.indexPattern.lastValue": "最終値", "xpack.lens.indexPattern.lastValue.disabled": "この関数には、データビューの日付フィールドが必要です", + "xpack.lens.indexPattern.lastValue.documentation.quick": "\n最後のドキュメントのフィールドの値。データビューのデフォルト時刻フィールドで並べ替えられます。\n ", "xpack.lens.indexPattern.lastValue.showArrayValues": "ゼロ値を表示", "xpack.lens.indexPattern.lastValue.showArrayValuesExplanation": "各最後のドキュメントのこのフィールドに関連付けられたすべての値を表示します。", "xpack.lens.indexPattern.lastValue.showArrayValuesWithTopValuesWarning": "配列値を表示するときには、このフィールドを使用して上位の値をランク付けできません。", @@ -17628,16 +18807,20 @@ "xpack.lens.indexPattern.lastValue.sortFieldPlaceholder": "並べ替えフィールド", "xpack.lens.indexPattern.max": "最高", "xpack.lens.indexPattern.max.description": "集約されたドキュメントから抽出された数値の最大値を返す単一値メトリック集約。", + "xpack.lens.indexPattern.max.quickFunctionDescription": "数値フィールドの最大値。", "xpack.lens.indexPattern.median": "中央", "xpack.lens.indexPattern.median.description": "集約されたドキュメントから抽出された中央値を計算する単一値メトリック集約。", + "xpack.lens.indexPattern.median.quickFunctionDescription": "数値フィールドの中央値。", "xpack.lens.indexPattern.metaFieldsLabel": "メタフィールド", "xpack.lens.indexPattern.metric.signature": "フィールド:文字列", "xpack.lens.indexPattern.min": "最低", "xpack.lens.indexPattern.min.description": "集約されたドキュメントから抽出された数値の最小値を返す単一値メトリック集約。", + "xpack.lens.indexPattern.min.quickFunctionDescription": "数値フィールドの最小値。", "xpack.lens.indexPattern.missingFieldLabel": "見つからないフィールド", "xpack.lens.indexPattern.moving_average.signature": "メトリック:数値、[window]:数値", "xpack.lens.indexPattern.movingAverage": "移動平均", "xpack.lens.indexPattern.movingAverage.basicExplanation": "移動平均はデータ全体でウィンドウをスライドし、平均値を表示します。移動平均は日付ヒストグラムでのみサポートされています。", + "xpack.lens.indexPattern.movingAverage.documentation.quick": "\n 経時的な値の移動範囲の平均。\n ", "xpack.lens.indexPattern.movingAverage.limitations": "最初の移動平均値は2番目の項目から開始します。", "xpack.lens.indexPattern.movingAverage.longerExplanation": "移動平均を計算するには、Lensはウィンドウの平均値を使用し、ギャップのスキップポリシーを適用します。 見つからない値がある場合、バケットがスキップされます。次の値に対して計算が実行されます。", "xpack.lens.indexPattern.movingAverage.tableExplanation": "たとえば、データ[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]がある場合、ウィンドウサイズ5でシンプルな移動平均を計算できます。", @@ -17656,16 +18839,20 @@ "xpack.lens.indexPattern.overallSum": "全体合計", "xpack.lens.indexPattern.percentFormatLabel": "割合(%)", "xpack.lens.indexPattern.percentile": "パーセンタイル", + "xpack.lens.indexPattern.percentile.documentation.quick": "\n すべてのドキュメントで発生する値のnパーセントよりも小さい最大値。\n ", "xpack.lens.indexPattern.percentile.errorMessage": "パーセンタイルは1~99の範囲の整数でなければなりません。", "xpack.lens.indexPattern.percentile.percentileRanksValue": "パーセンタイル順位値", "xpack.lens.indexPattern.percentile.percentileValue": "パーセンタイル", "xpack.lens.indexPattern.percentile.signature": "フィールド:文字列、[percentile]:数値", "xpack.lens.indexPattern.percentileRank": "パーセンタイル順位", + "xpack.lens.indexPattern.percentileRanks.documentation.quick": "\n特定の値未満の値の割合。たとえば、値が計算された値の95%以上の場合、95パーセンタイルランクです。\n ", "xpack.lens.indexPattern.percentileRanks.errorMessage": "パーセンタイル順位値は数値でなければなりません", "xpack.lens.indexPattern.percentileRanks.signature": "フィールド: 文字列, [value]: 数値", "xpack.lens.indexPattern.precisionErrorWarning.filters": "フィルター", "xpack.lens.indexPattern.precisionErrorWarning.link": "詳細情報", "xpack.lens.indexPattern.precisionErrorWarning.topValues": "トップの値", + "xpack.lens.indexPattern.quickFunctions.popoverTitle": "クイック機能", + "xpack.lens.indexPattern.quickFunctions.tableTitle": "機能の説明", "xpack.lens.indexPattern.quickFunctionsLabel": "クイック機能", "xpack.lens.indexPattern.range.isInvalid": "この範囲は無効です", "xpack.lens.indexPattern.ranges.addRange": "範囲を追加", @@ -17675,6 +18862,7 @@ "xpack.lens.indexPattern.ranges.customRangesRemoval": "カスタム範囲を削除", "xpack.lens.indexPattern.ranges.decreaseButtonLabel": "粒度を下げる", "xpack.lens.indexPattern.ranges.deleteRange": "範囲を削除", + "xpack.lens.indexPattern.ranges.documentation.quick": "\n 定義済みの数値範囲に沿ったバケット値。\n ", "xpack.lens.indexPattern.ranges.granularity": "間隔粒度", "xpack.lens.indexPattern.ranges.granularityHelpText": "仕組み", "xpack.lens.indexPattern.ranges.granularityPopoverAdvancedExplanation": "間隔は10、5、または2ずつ増分します。たとえば、間隔を100または0.2にすることができます。", @@ -17687,10 +18875,21 @@ "xpack.lens.indexPattern.ranges.lessThanPrepend": "<", "xpack.lens.indexPattern.ranges.lessThanTooltip": "より小さい", "xpack.lens.indexPattern.records": "記録", + "xpack.lens.indexPattern.reducedTimeRange.15m": "15分", + "xpack.lens.indexPattern.reducedTimeRange.1h": "1時間", + "xpack.lens.indexPattern.reducedTimeRange.1m": "1分", + "xpack.lens.indexPattern.reducedTimeRange.30s": "30秒", + "xpack.lens.indexPattern.reducedTimeRange.5m": "5分", + "xpack.lens.indexPattern.reducedTimeRange.genericInvalidHelp": "時間範囲値が無効です。", + "xpack.lens.indexPattern.reducedTimeRange.help": "グローバル時刻フィルターの最後から、グローバル時刻フィルターで指定された時間範囲を縮小します。", + "xpack.lens.indexPattern.reducedTimeRange.label": "縮小された時間範囲", + "xpack.lens.indexPattern.reducedTimeRange.notApplicableHelp": "追加の時間範囲フィルターは、日付ヒストグラムでは使用できません。また、データビューでデフォルト時刻フィールドを指定しない場合にも使用できません。", + "xpack.lens.indexPattern.reducedTimeRangePlaceholder": "カスタム値を入力(例:12分)", "xpack.lens.indexPattern.referenceFunctionPlaceholder": "サブ関数", "xpack.lens.indexPattern.sortField.invalid": "無効なフィールドです。データビューを確認するか、別のフィールドを選択してください。", "xpack.lens.indexPattern.standardDeviation": "標準偏差", "xpack.lens.indexPattern.standardDeviation.description": "集約されたドキュメントから抽出された数値の標準偏差を計算する単一値メトリック集約", + "xpack.lens.indexPattern.standardDeviation.quickFunctionDescription": "フィールド値の変動量である数値フィールドの値の標準偏差。", "xpack.lens.indexPattern.staticValue.label": "基準線値", "xpack.lens.indexPattern.staticValueLabel": "固定値", "xpack.lens.indexPattern.staticValueLabelDefault": "固定値", @@ -17700,6 +18899,7 @@ "xpack.lens.indexpattern.suggestions.overTimeLabel": "一定時間", "xpack.lens.indexPattern.sum": "合計", "xpack.lens.indexPattern.sum.description": "集約されたドキュメントから抽出された数値を合計する単一値メトリック集約。", + "xpack.lens.indexPattern.sum.quickFunctionDescription": "数値フィールドの値の合計量。", "xpack.lens.indexPattern.switchToRare": "希少性でランク", "xpack.lens.indexPattern.terms": "トップの値", "xpack.lens.indexPattern.terms.accuracyModeDescription": "精度モードを有効にする", @@ -17708,13 +18908,14 @@ "xpack.lens.indexPattern.terms.addRegex": "正規表現を使用", "xpack.lens.indexPattern.terms.advancedSettings": "高度な設定", "xpack.lens.indexPattern.terms.deleteButtonLabel": "削除", + "xpack.lens.indexPattern.terms.documentation.quick": "\n選択したメトリックでランク付けされた指定されたフィールドの最上位の値。\n ", "xpack.lens.indexPattern.terms.exclude": "値を除外", "xpack.lens.indexPattern.terms.include": "値を含める", "xpack.lens.indexPattern.terms.includeExcludePatternPlaceholder": "値をフィルターするには正規表現を入力します", "xpack.lens.indexPattern.terms.includeExcludePlaceholder": "値を選択するか、新しく作成してください", "xpack.lens.indexPattern.terms.lastValue.sortRankBy": "順位の並べ替え条件", "xpack.lens.indexPattern.terms.maxDocCount": "用語ごとの最大ドキュメント数", - "xpack.lens.indexPattern.terms.missingBucketDescription": "このフィールドなしでドキュメントを含める", + "xpack.lens.indexPattern.terms.missingBucketDescription": "選択したフィールドなしでドキュメントを含める", "xpack.lens.indexPattern.terms.missingLabel": "(欠落値)", "xpack.lens.indexPattern.terms.orderAgg.rankField": "順位フィールド", "xpack.lens.indexPattern.terms.orderAgg.rankFunction": "順位関数", @@ -17726,7 +18927,7 @@ "xpack.lens.indexPattern.terms.orderDescending": "降順", "xpack.lens.indexPattern.terms.orderDirection": "ランク方向", "xpack.lens.indexPattern.terms.orderRare": "希少性", - "xpack.lens.indexPattern.terms.otherBucketDescription": "他の値を「その他」としてグループ化", + "xpack.lens.indexPattern.terms.otherBucketDescription": "残りの値を「その他」としてグループ化", "xpack.lens.indexPattern.terms.otherLabel": "その他", "xpack.lens.indexPattern.terms.percentile.": "パーセンタイル順位", "xpack.lens.indexPattern.terms.scriptedFieldErrorShort": "複数のフィールドを使用するときには、スクリプトフィールドがサポートされていません", @@ -17751,19 +18952,23 @@ "xpack.lens.indexPattern.timeShift.label": "時間シフト", "xpack.lens.indexPattern.timeShift.month": "1か月前(1M)", "xpack.lens.indexPattern.timeShift.noMultipleHelp": "時間シフトは日付ヒストグラム間隔の乗数でなければなりません。時間シフトまたは日付ヒストグラム間隔を調整", + "xpack.lens.indexPattern.timeShift.none": "なし", "xpack.lens.indexPattern.timeShift.previous": "前の時間範囲", "xpack.lens.indexPattern.timeShift.tooSmallHelp": "時間シフトは日付ヒストグラム間隔よりも大きくなければなりません。時間シフトを増やすか、日付ヒストグラムで間隔を小さくしてください", "xpack.lens.indexPattern.timeShift.week": "1週間前(1w)", "xpack.lens.indexPattern.timeShift.year": "1年前(1y)", "xpack.lens.indexPattern.timeShiftPlaceholder": "カスタム値を入力(例:8w)", - "xpack.lens.indexPattern.useAsTopLevelAgg": "最初にこのフィールドでグループ化", + "xpack.lens.indexPattern.useAsTopLevelAgg": "最初にこのディメンションで集約", + "xpack.lens.indexPattern.useFieldExistenceSampling.advancedSettings": "高度な設定", "xpack.lens.indexPatterns.clearFiltersLabel": "名前とタイプフィルターを消去", "xpack.lens.indexPatterns.filterByNameLabel": "検索フィールド名", + "xpack.lens.indexPatterns.filterByTypeAriaLabel": "タイプでフィルタリング", "xpack.lens.label.gauge.labelMajor.header": "タイトル", "xpack.lens.label.gauge.labelMinor.header": "サブタイトル", "xpack.lens.label.header": "ラベル", "xpack.lens.label.shared.axisHeader": "軸のタイトル", "xpack.lens.labelInput.label": "ラベル", + "xpack.lens.layer.actions.contextMenuAriaLabel": "レイヤー操作", "xpack.lens.layer.cancelDelete": "キャンセル", "xpack.lens.layer.confirmClear": "レイヤーをクリア", "xpack.lens.layer.confirmDelete": "レイヤーを削除", @@ -17773,6 +18978,7 @@ "xpack.lens.layer.confirmModal.deleteRefLine": "このレイヤーを削除すると、基準線と構成が削除されます。", "xpack.lens.layer.confirmModal.deleteVis": "このレイヤーを削除すると、ビジュアライゼーションと構成が削除されます。", "xpack.lens.layer.confirmModal.dontAskAgain": "次回以降確認しない", + "xpack.lens.layerActions.layerSettingsAction": "レイヤー設定", "xpack.lens.layerPanel.layerVisualizationType": "レイヤービジュアライゼーションタイプ", "xpack.lens.layerPanel.missingDataView": "データビューが見つかりません", "xpack.lens.legacyMetric.addLayer": "ビジュアライゼーション", @@ -17808,17 +19014,33 @@ "xpack.lens.metric.colorMode.static": "静的", "xpack.lens.metric.dynamicColoring.label": "色モード", "xpack.lens.metric.groupLabel": "目標値と単一の値", + "xpack.lens.metric.headingLabel": "値", "xpack.lens.metric.label": "メトリック", "xpack.lens.metric.labels": "ラベル", + "xpack.lens.metric.layerType.trendLine": "トレンドライン", "xpack.lens.metric.max": "最高値", "xpack.lens.metric.maxColumns": "レイアウト列", "xpack.lens.metric.maxTooltip": "最大値が指定される場合、最小値がゼロに固定されます。", + "xpack.lens.metric.prefix.auto": "自動", + "xpack.lens.metric.prefix.custom": "カスタム", + "xpack.lens.metric.prefix.label": "接頭辞", + "xpack.lens.metric.prefix.none": "なし", "xpack.lens.metric.prefixText.label": "接頭辞", "xpack.lens.metric.progressDirection.horizontal": "横", "xpack.lens.metric.progressDirection.vertical": "縦", - "xpack.lens.metric.progressDirectionLabel": "バーの方向", + "xpack.lens.metric.progressDirectionLabel": "棒の向き", "xpack.lens.metric.secondaryMetric": "副メトリック", "xpack.lens.metric.subtitleLabel": "サブタイトル", + "xpack.lens.metric.summportingVis.needMaxDimension": "棒グラフの可視化では、最大値を定義する必要があります。", + "xpack.lens.metric.supportingVis.label": "可視化のサポート", + "xpack.lens.metric.supportingVis.metricHasReducedTimeRange": "縮小された時間範囲が主メトリックに適用されている場合は、折れ線グラフの可視化を使用できません。", + "xpack.lens.metric.supportingVis.needDefaultTimeField": "折れ線グラフの可視化では、データビューとデフォルト時刻フィールドを使用する必要があります。", + "xpack.lens.metric.supportingVis.secondaryMetricHasReducedTimeRange": "縮小された時間範囲が副メトリックに適用されている場合は、折れ線グラフの可視化を使用できません。", + "xpack.lens.metric.supportingVis.type": "型", + "xpack.lens.metric.supportingVisualization.bar": "棒", + "xpack.lens.metric.supportingVisualization.none": "なし", + "xpack.lens.metric.supportingVisualization.trendline": "折れ線", + "xpack.lens.metric.timeField": "時間フィールド", "xpack.lens.pageTitle": "レンズ", "xpack.lens.paletteHeatmapGradient.customize": "編集", "xpack.lens.paletteHeatmapGradient.customizeLong": "パレットを編集", @@ -17828,16 +19050,28 @@ "xpack.lens.paletteTableGradient.customize": "編集", "xpack.lens.paletteTableGradient.label": "色", "xpack.lens.pie.addLayer": "ビジュアライゼーション", + "xpack.lens.pie.collapsedDimensionsDontCount": "(折りたたまれたディメンションはこの制限に対してカウントされません。)", "xpack.lens.pie.donutLabel": "ドーナッツ", "xpack.lens.pie.groupLabel": "比率", + "xpack.lens.pie.groupMetricLabel": "メトリック", + "xpack.lens.pie.groupMetricLabelSingular": "メトリック", + "xpack.lens.pie.headingLabel": "値", + "xpack.lens.pie.horizontalAxisDimensionLabel": "横軸", + "xpack.lens.pie.horizontalAxisLabel": "横軸", "xpack.lens.pie.mosaiclabel": "モザイク", "xpack.lens.pie.mosaicSuggestionLabel": "モザイクとして", "xpack.lens.pie.pielabel": "円", + "xpack.lens.pie.sliceDimensionGroupLabel": "スライス", "xpack.lens.pie.sliceGroupLabel": "スライス", "xpack.lens.pie.smallValuesWarningMessage": "ワッフルグラフは小さいフィールド値を効果的に表示できません。すべてのフィールド値を表示するには、データ表または樹形図を使用してください。", + "xpack.lens.pie.tooManyDimensions": "可視化のディメンションが多すぎます。", + "xpack.lens.pie.tooManyDimensionsLong": "可視化のディメンションが多すぎます。レイヤーパネルの手順に従ってください。", + "xpack.lens.pie.treemapDimensionGroupLabel": "グループ", "xpack.lens.pie.treemapGroupLabel": "グループ分けの条件", "xpack.lens.pie.treemaplabel": "ツリーマップ", "xpack.lens.pie.treemapSuggestionLabel": "ツリーマップとして", + "xpack.lens.pie.verticalAxisDimensionLabel": "縦軸", + "xpack.lens.pie.verticalAxisLabel": "縦軸", "xpack.lens.pie.wafflelabel": "ワッフル", "xpack.lens.pie.waffleSuggestionLabel": "ワッフルとして", "xpack.lens.pieChart.categoriesInLegendLabel": "ラベルを非表示", @@ -17851,6 +19085,7 @@ "xpack.lens.pieChart.legendVisibility.auto": "自動", "xpack.lens.pieChart.legendVisibility.hide": "非表示", "xpack.lens.pieChart.legendVisibility.show": "表示", + "xpack.lens.pieChart.multipleMetrics": "複数のメトリック", "xpack.lens.pieChart.nestedLegendLabel": "ネスト済み", "xpack.lens.pieChart.numberLabels": "値", "xpack.lens.pieChart.percentDecimalsLabel": "割合の最大小数点桁数", @@ -17860,9 +19095,14 @@ "xpack.lens.pieChart.showTreemapCategoriesLabel": "ラベルを表示", "xpack.lens.pieChart.valuesLabel": "ラベル", "xpack.lens.pieChart.visualOptionsLabel": "視覚オプション", + "xpack.lens.primaryMetric.headingLabel": "値", "xpack.lens.primaryMetric.label": "主メトリック", + "xpack.lens.queryInput.appName": "レンズ", + "xpack.lens.randomSampling.experimentalLabel": "テクニカルプレビュー", + "xpack.lens.resetLayerAriaLabel": "レイヤーをクリア", "xpack.lens.saveDuplicateRejectedDescription": "重複ファイルの保存確認が拒否されました", "xpack.lens.searchTitle": "Lens:ビジュアライゼーションを作成", + "xpack.lens.section.bannerMessagesLabel": "廃止予定メッセージ", "xpack.lens.section.configPanelLabel": "構成パネル", "xpack.lens.section.dataPanelLabel": "データパネル", "xpack.lens.section.workspaceLabel": "ビジュアライゼーションワークスペース", @@ -17871,6 +19111,7 @@ "xpack.lens.shared.AppearanceLabel": "見た目", "xpack.lens.shared.axisNameLabel": "軸のタイトル", "xpack.lens.shared.chartValueLabelVisibilityLabel": "ラベル", + "xpack.lens.shared.chartValueLabelVisibilityTooltip": "十分なスペースがない場合、値ラベルが非表示になることがあります。", "xpack.lens.shared.curveLabel": "視覚オプション", "xpack.lens.shared.legend.filterForValueButtonAriaLabel": "値でフィルター", "xpack.lens.shared.legend.filterOutValueButtonAriaLabel": "値を除外", @@ -17905,6 +19146,7 @@ "xpack.lens.shared.valueInLegendLabel": "値を表示", "xpack.lens.shared.valueLabelsVisibility.auto": "非表示", "xpack.lens.shared.valueLabelsVisibility.inside": "表示", + "xpack.lens.staticValue.headingLabel": "配置", "xpack.lens.sugegstion.refreshSuggestionLabel": "更新", "xpack.lens.suggestion.refreshSuggestionTooltip": "選択したビジュアライゼーションに基づいて、候補を更新します。", "xpack.lens.suggestions.applyChangesLabel": "変更を適用", @@ -17917,6 +19159,7 @@ "xpack.lens.table.alignment.right": "右", "xpack.lens.table.columnFilter.filterForValueText": "列のフィルター", "xpack.lens.table.columnFilter.filterOutValueText": "列を除外", + "xpack.lens.table.columnFilterClickLabel": "クリック時に直接フィルター", "xpack.lens.table.columnVisibilityLabel": "列を非表示", "xpack.lens.table.defaultAriaLabel": "データ表ビジュアライゼーション", "xpack.lens.table.dynamicColoring.cell": "セル", @@ -17925,7 +19168,7 @@ "xpack.lens.table.dynamicColoring.text": "テキスト", "xpack.lens.table.hide.hideLabel": "非表示", "xpack.lens.table.palettePanelContainer.back": "戻る", - "xpack.lens.table.palettePanelTitle": "色の編集", + "xpack.lens.table.palettePanelTitle": "色", "xpack.lens.table.resize.reset": "幅のリセット", "xpack.lens.table.rowHeight.auto": "自動的に合わせる", "xpack.lens.table.rowHeight.custom": "カスタム", @@ -17947,13 +19190,18 @@ "xpack.lens.table.visualOptionsHeaderRowHeightLabel": "ヘッダー行高さ", "xpack.lens.table.visualOptionsPaginateTable": "表のページ制御", "xpack.lens.table.visualOptionsPaginateTableTooltip": "項目が9件以下の場合、ページ制御は非表示です", + "xpack.lens.textBasedLanguages.chooseField": "フィールド", + "xpack.lens.textBasedLanguages.missingField": "見つからないフィールド", "xpack.lens.timeScale.normalizeNone": "なし", + "xpack.lens.timeShift.none": "なし", "xpack.lens.TSVBLabel": "TSVB", + "xpack.lens.uiErrors.unexpectedError": "予期しないエラーが発生しました。", "xpack.lens.unknownVisType.shortMessage": "不明なビジュアライゼーションタイプ", "xpack.lens.visTypeAlias.description": "ドラッグアンドドロップエディターでビジュアライゼーションを作成します。いつでもビジュアライゼーションタイプを切り替えることができます。", "xpack.lens.visTypeAlias.note": "ほとんどのユーザーに推奨されます。", "xpack.lens.visTypeAlias.title": "レンズ", "xpack.lens.visTypeAlias.type": "レンズ", + "xpack.lens.visualizeAggBasedLegend": "集約に基づくグラフを可視化", "xpack.lens.visualizeTSVBLegend": "TSVBグラフを可視化", "xpack.lens.xyChart.addAnnotationsLayerLabel": "注釈", "xpack.lens.xyChart.addAnnotationsLayerLabelDisabledHelp": "注釈では時間に基づくグラフが動作する必要があります。日付ヒストグラムを追加します。", @@ -17962,9 +19210,24 @@ "xpack.lens.xyChart.addLayerTooltip": "複数のレイヤーを使用すると、ビジュアライゼーションタイプを組み合わせたり、別のデータビューを可視化したりすることができます。", "xpack.lens.xyChart.addReferenceLineLayerLabel": "基準線", "xpack.lens.xyChart.addReferenceLineLayerLabelDisabledHelp": "一部のデータを追加して、基準レイヤーを有効にする", + "xpack.lens.xyChart.annotation.hide": "注釈を非表示", + "xpack.lens.xyChart.annotation.manual": "固定日付", + "xpack.lens.xyChart.annotation.query": "カスタムクエリ", + "xpack.lens.xyChart.annotation.queryField": "ターゲット日付フィールド", + "xpack.lens.xyChart.annotation.queryInput": "注釈クエリ", + "xpack.lens.xyChart.annotation.tooltip": "追加フィールドを表示", + "xpack.lens.xyChart.annotation.tooltip.addField": "フィールドの追加", + "xpack.lens.xyChart.annotation.tooltip.deleteButtonLabel": "削除", + "xpack.lens.xyChart.annotation.tooltip.noFields": "選択されていません", "xpack.lens.xyChart.annotationDate": "注釈日", "xpack.lens.xyChart.annotationDate.from": "開始:", + "xpack.lens.xyChart.annotationDate.placementType": "配置タイプ", "xpack.lens.xyChart.annotationDate.to": "終了:", + "xpack.lens.xyChart.annotationError.timeFieldEmpty": "時刻フィールドがありません", + "xpack.lens.xyChart.annotations.ignoreGlobalFiltersDescription": "このレイヤーで構成されたすべてのディメンションは、Kibanaレベルで定義されたフィルターを無視します。", + "xpack.lens.xyChart.annotations.ignoreGlobalFiltersLabel": "グローバルフィルターを無視", + "xpack.lens.xyChart.annotations.keepGlobalFiltersDescription": "このレイヤーで構成されたすべてのディメンションは、Kibanaレベルで定義されたフィルターを適用します。", + "xpack.lens.xyChart.annotations.keepGlobalFiltersLabel": "グローバルフィルターを保持", "xpack.lens.xyChart.appearance": "見た目", "xpack.lens.xyChart.applyAsRange": "範囲として適用", "xpack.lens.xyChart.axisExtent.custom": "カスタム", @@ -18015,11 +19278,14 @@ "xpack.lens.xyChart.iconSelect.mapMarkerLabel": "マップマーカー", "xpack.lens.xyChart.iconSelect.mapPinLabel": "マップピン", "xpack.lens.xyChart.iconSelect.noIconLabel": "なし", + "xpack.lens.xyChart.iconSelect.starFilledLabel": "塗りつぶされた星", "xpack.lens.xyChart.iconSelect.starLabel": "星", "xpack.lens.xyChart.iconSelect.tagIconLabel": "タグ", "xpack.lens.xyChart.iconSelect.triangleIconLabel": "三角形", "xpack.lens.xyChart.inclusiveZero": "境界にはゼロを含める必要があります。", + "xpack.lens.xyChart.layerAnnotation": "注釈", "xpack.lens.xyChart.layerAnnotationsLabel": "注釈", + "xpack.lens.xyChart.layerReferenceLine": "基準線", "xpack.lens.xyChart.layerReferenceLineLabel": "基準線", "xpack.lens.xyChart.leftAxisDisabledHelpText": "この設定は、左の軸が有効であるときにのみ適用されます。", "xpack.lens.xyChart.leftAxisLabel": "左の軸", @@ -18032,6 +19298,7 @@ "xpack.lens.xyChart.lineMarker.auto": "自動", "xpack.lens.xyChart.lineMarker.icon": "アイコン装飾", "xpack.lens.xyChart.lineMarker.position": "装飾位置", + "xpack.lens.xyChart.lineMarker.textVisibility.field": "フィールド", "xpack.lens.xyChart.lineMarker.textVisibility.name": "名前", "xpack.lens.xyChart.lineMarker.textVisibility.none": "なし", "xpack.lens.xyChart.lineStyle.dashed": "鎖線", @@ -18047,6 +19314,10 @@ "xpack.lens.xyChart.missingValuesStyle": "点線として表示", "xpack.lens.xyChart.nestUnderRoot": "データセット全体", "xpack.lens.xyChart.placement": "配置", + "xpack.lens.xyChart.randomSampling.accuracyLabel": "精度", + "xpack.lens.xyChart.randomSampling.label": "無作為抽出", + "xpack.lens.xyChart.randomSampling.learnMore": "ドキュメンテーションを表示", + "xpack.lens.xyChart.randomSampling.speedLabel": "スピード", "xpack.lens.xyChart.rightAxisDisabledHelpText": "この設定は、右の軸が有効であるときにのみ適用されます。", "xpack.lens.xyChart.rightAxisLabel": "右の軸", "xpack.lens.xyChart.scaleLinear": "線形", @@ -18055,9 +19326,11 @@ "xpack.lens.xyChart.seriesColor.auto": "自動", "xpack.lens.xyChart.seriesColor.label": "系列色", "xpack.lens.xyChart.setScale": "軸のスケール", + "xpack.lens.xyChart.showCurrenTimeMarker": "現在時刻マーカーを表示", "xpack.lens.xyChart.showEnzones": "部分データマーカーを表示", - "xpack.lens.xyChart.splitSeries": "内訳の基準", + "xpack.lens.xyChart.splitSeries": "内訳", "xpack.lens.xyChart.tickLabels": "目盛ラベル", + "xpack.lens.xyChart.tooltip": "ツールチップ", "xpack.lens.xyChart.topAxisDisabledHelpText": "この設定は、上の軸が有効であるときにのみ適用されます。", "xpack.lens.xyChart.topAxisLabel": "上の軸", "xpack.lens.xyChart.valuesHistogramDisabledHelpText": "この設定はヒストグラムで変更できません。", @@ -18190,6 +19463,7 @@ "xpack.lists.exceptions.builder.fieldLabel": "フィールド", "xpack.lists.exceptions.builder.operatorLabel": "演算子", "xpack.lists.exceptions.builder.valueLabel": "値", + "xpack.lists.exceptions.comboBoxCustomOptionText": "リストからフィールドを選択してください。フィールドがない場合は、カスタムフィールドを作成してください。", "xpack.lists.exceptions.orDescription": "OR", "xpack.logstash.addRoleAlert.grantAdditionalPrivilegesDescription": "Kibana の管理で、Kibana ユーザーに {role} ロールを割り当ててください。", "xpack.logstash.confirmDeleteModal.deletedPipelinesConfirmButtonLabel": "{numPipelinesSelected} パイプラインを削除", @@ -18280,6 +19554,7 @@ "xpack.logstash.workersTooltip": "パイプラインのフィルターとアウトプットステージを同時に実行するワーカーの数です。イベントが詰まってしまう場合や CPU が飽和状態ではない場合は、マシンの処理能力をより有効に活用するため、この数字を上げてみてください。\n\nデフォルト値:ホストの CPU コア数です", "xpack.maps.blendedVectorLayer.clusteredLayerName": "クラスター化 {displayName}", "xpack.maps.common.esSpatialRelation.clusterFilterLabel": "クラスター{gridId}と交差します", + "xpack.maps.deleteLayerConfirmModal.multiLayerWarning": "このレイヤーを削除すると、{numChildren}ネストされた{numChildren, plural, other {レイヤー}}も削除されます。", "xpack.maps.embeddable.boundsFilterLabel": "マップ境界内の{geoFieldsLabel}", "xpack.maps.es_geo_utils.convert.unsupportedGeometryTypeErrorMessage": "{geometryType} ジオメトリから Geojson に変換できません。サポートされていません", "xpack.maps.es_geo_utils.distanceFilterAlias": "{pointLabel}の{distanceKm} km以内", @@ -18319,6 +19594,7 @@ "xpack.maps.sescurity.destinationLayerLabel": "{indexPatternTitle} | ディスティネーションポイント", "xpack.maps.sescurity.lineLayerLabel": "{indexPatternTitle} | Line", "xpack.maps.sescurity.sourceLayerLabel": "{indexPatternTitle} | ソースポイント", + "xpack.maps.setViewControl.outOfRangeErrorMsg": "{min} と {max} の間でなければなりません", "xpack.maps.source.ems_xyzDescription": "{z}/{x}/{y} urlパターンを使用するラスター画像タイルマッピングサービス。", "xpack.maps.source.ems.noOnPremConnectionDescription": "{host} に接続できません。", "xpack.maps.source.emsFile.unableToFindFileIdErrorMessage": "ID {id} の EMS ベクターシェイプが見つかりません。{info}", @@ -18332,12 +19608,14 @@ "xpack.maps.source.esGrid.compositeInspectorDescription": "Elasticsearch ジオグリッド集約リクエスト:{requestId}", "xpack.maps.source.esGrid.compositePaginationErrorMessage": "{layerName} はリクエスト過多の原因になります。「グリッド解像度」を下げるか、またはトップ用語「メトリック」の数を減らしてください。", "xpack.maps.source.esGrid.resolutionParamErrorMessage": "グリッド解像度パラメーターが認識されません:{resolution}", + "xpack.maps.source.esJoin.countLabel": "{indexPatternLabel}の数", "xpack.maps.source.esJoin.joinDescription": "Elasticsearch 用語集約リクエスト、左ソース:{leftSource}、右ソース:{rightSource}", "xpack.maps.source.esSearch.clusterScalingLabel": "結果が{maxResultWindow}を超えたらクラスターを表示", "xpack.maps.source.esSearch.convertToGeoJsonErrorMsg": "検索への応答を geoJson 機能コレクションに変換できません。エラー:{errorMsg}", "xpack.maps.source.esSearch.limitScalingLabel": "結果を{maxResultWindow}に限定", "xpack.maps.source.esSearch.loadTooltipPropertiesErrorMsg": "ドキュメントが見つかりません。_id:{docId}", "xpack.maps.source.esSearch.mvtScalingJoinMsg": "ベクトルタイルは1つの用語結合をサポートします。レイヤーには{numberOfJoins}個の用語結合があります。ベクトルタイルに切り替えると、最初の用語結合が保持され、すべての他の用語結合がレイヤー構成から削除されます。", + "xpack.maps.source.esSource.noGeoFieldErrorMessage": "データビュー\"{indexPatternLabel}\"には現在ジオフィールド\"{geoField}\"が含まれていません", "xpack.maps.source.esSource.requestFailedErrorMessage": "Elasticsearch 検索リクエストに失敗。エラー:{message}", "xpack.maps.source.esSource.stylePropsMetaRequestName": "{layerName} - メタデータ", "xpack.maps.source.MVTSingleLayerVectorSourceEditor.urlHelpMessage": ".mvtベクトルタイルサービスのURL。例:{url}", @@ -18414,6 +19692,10 @@ "xpack.maps.dataView.notFoundMessage": "データビュー'{id}'が見つかりません", "xpack.maps.dataView.selectPlacholder": "データビューを選択", "xpack.maps.deleteBtnTitle": "削除", + "xpack.maps.deleteLayerConfirmModal.cancelButtonText": "キャンセル", + "xpack.maps.deleteLayerConfirmModal.confirmButtonText": "レイヤーを削除", + "xpack.maps.deleteLayerConfirmModal.title": "レイヤーを削除しますか?", + "xpack.maps.deleteLayerConfirmModal.unrecoverableWarning": "削除されたレイヤーは復元できません。", "xpack.maps.discover.visualizeFieldLabel": "Mapsで可視化", "xpack.maps.distanceFilterForm.filterLabelLabel": "ラベルでフィルタリング", "xpack.maps.drawFeatureControl.invalidGeometry": "無効なジオメトリが検出されました", @@ -18501,10 +19783,12 @@ "xpack.maps.layer.loadWarningAriaLabel": "警告を読み込む", "xpack.maps.layerControl.addLayerButtonLabel": "レイヤーを追加", "xpack.maps.layerControl.closeLayerTOCButtonAriaLabel": "レイヤーパネルを畳む", + "xpack.maps.layerControl.hideAllLayersButton": "すべてのレイヤーを非表示", "xpack.maps.layerControl.layersTitle": "レイヤー", "xpack.maps.layerControl.layerTocActions.editFeaturesButtonLabel": "機能の編集", "xpack.maps.layerControl.layerTocActions.layerSettingsButtonLabel": "レイヤー設定を編集", "xpack.maps.layerControl.openLayerTOCButtonAriaLabel": "レイヤーパネルを拡張", + "xpack.maps.layerControl.showAllLayersButton": "すべてのレイヤーを表示", "xpack.maps.layerControl.tocEntry.EditFeatures": "機能の編集", "xpack.maps.layerControl.tocEntry.exitEditModeAriaLabel": "終了", "xpack.maps.layerControl.tocEntry.grabButtonAriaLabel": "レイヤーの並べ替え", @@ -18513,6 +19797,9 @@ "xpack.maps.layerControl.tocEntry.hideDetailsButtonTitle": "レイヤー詳細を非表示", "xpack.maps.layerControl.tocEntry.showDetailsButtonAriaLabel": "レイヤー詳細を表示", "xpack.maps.layerControl.tocEntry.showDetailsButtonTitle": "レイヤー詳細を表示", + "xpack.maps.layerGroup.defaultName": "レイヤーグループ", + "xpack.maps.layerGroupWizard.description": "関連するレイヤーを階層構造で整理", + "xpack.maps.layerGroupWizard.title": "レイヤーグループ", "xpack.maps.layerPanel.filterEditor.addFilterButtonLabel": "フィルターを設定", "xpack.maps.layerPanel.filterEditor.editFilterButtonLabel": "フィルターを編集", "xpack.maps.layerPanel.filterEditor.emptyState.description": "フィルターを追加してレイヤーデータを絞ります。", @@ -18546,12 +19833,17 @@ "xpack.maps.layerPanel.metricsExpression.helpText": "右のソースのメトリックを構成します。これらの値はレイヤー機能に追加されます。", "xpack.maps.layerPanel.metricsExpression.joinMustBeSetErrorMessage": "JOIN の設定が必要です", "xpack.maps.layerPanel.metricsExpression.metricsPopoverTitle": "メトリック", + "xpack.maps.layerPanel.settingsPanel.DisableTooltips": "ツールヒントを表示", "xpack.maps.layerPanel.settingsPanel.fittableFlagLabel": "データ境界への適合計算にレイヤーを含める", "xpack.maps.layerPanel.settingsPanel.fittableFlagTooltip": "データ境界に合わせると、マップ範囲が調整され、すべてのデータが表示されます。レイヤーは参照データを提供する場合があります。データ境界への適合計算には含めないでください。このオプションを使用すると、データ境界への適合計算からレイヤーを除外します。", "xpack.maps.layerPanel.settingsPanel.labelLanguageAutoselectDropDown": "Kibanaロケールに基づき自動選択", "xpack.maps.layerPanel.settingsPanel.labelLanguageLabel": "ラベル言語", "xpack.maps.layerPanel.settingsPanel.labelLanguageNoneDropDown": "なし", "xpack.maps.layerPanel.settingsPanel.labelsOnTop": "上部にラベルを表示", + "xpack.maps.layerPanel.settingsPanel.layerGroupAddToFront": "最初のレイヤーを追加するには、グループ名にドラッグします。", + "xpack.maps.layerPanel.settingsPanel.layerGroupAddToPosition": "別のレイヤーを追加するには、グループの最後のレイヤーより上の任意の場所にドラッグします。", + "xpack.maps.layerPanel.settingsPanel.layerGroupCalloutTitle": "グループの内部と外部にレイヤーをドラッグ", + "xpack.maps.layerPanel.settingsPanel.layerGroupRemove": "レイヤーを削除するには、グループの上または下にドラッグします。", "xpack.maps.layerPanel.settingsPanel.layerNameLabel": "名前", "xpack.maps.layerPanel.settingsPanel.layerTransparencyLabel": "レイヤーの透明度", "xpack.maps.layerPanel.settingsPanel.percentageLabel": "%", @@ -18576,6 +19868,7 @@ "xpack.maps.layerTocActions.removeLayerTitle": "レイヤーを削除", "xpack.maps.layerTocActions.showLayerTitle": "レイヤーの表示", "xpack.maps.layerTocActions.showThisLayerOnlyTitle": "このレイヤーのみを表示", + "xpack.maps.layerTocActions.ungroupLayerTitle": "レイヤーのグループを解除", "xpack.maps.layerWizardSelect.allCategories": "すべて", "xpack.maps.layerWizardSelect.elasticsearchCategoryLabel": "Elasticsearch", "xpack.maps.layerWizardSelect.referenceCategoryLabel": "リファレンス", @@ -18705,6 +19998,8 @@ "xpack.maps.security.desc": "セキュリティレイヤー", "xpack.maps.security.disabledDesc": "セキュリティデータビューが見つかりません。セキュリティを開始するには、[セキュリティ]>[概要]に移動します。", "xpack.maps.security.title": "セキュリティ", + "xpack.maps.setViewControl.changeCoordinateSystemButtonLabel": "座標系", + "xpack.maps.setViewControl.decimalDegreesLabel": "十進角", "xpack.maps.setViewControl.goToButtonLabel": "移動:", "xpack.maps.setViewControl.latitudeLabel": "緯度", "xpack.maps.setViewControl.longitudeLabel": "経度", @@ -18781,6 +20076,7 @@ "xpack.maps.source.esSearch.clusterScalingJoinMsg": "クラスターのスケーリングは用語結合をサポートしていません。クラスターに切り替えると、すべての用語結合がレイヤー構成から削除されます。", "xpack.maps.source.esSearch.descendingLabel": "降順", "xpack.maps.source.esSearch.extentFilterLabel": "マップの表示範囲でデータを動的にフィルタリング", + "xpack.maps.source.esSearch.fieldNotFoundMsg": "インデックスパターン'{indexPatternName}'に'{fieldName}'が見つかりません。", "xpack.maps.source.esSearch.geofieldLabel": "地理空間フィールド", "xpack.maps.source.esSearch.geoFieldLabel": "地理空間フィールド", "xpack.maps.source.esSearch.geoFieldTypeLabel": "地理空間フィールドタイプ", @@ -18847,6 +20143,8 @@ "xpack.maps.style.customColorPaletteLabel": "カスタムカラーパレット", "xpack.maps.style.customColorRampLabel": "カスタマカラーランプ", "xpack.maps.style.field.unsupportedWithVectorTileMsg": "ベクトルタイルでは、'{styleLabel}'はこのフィールドをサポートしません。このフィールドで'{styleLabel}'のスタイルを設定するには、[スケーリング]で[結果を制限]を選択します。", + "xpack.maps.style.revereseColorsLabel": "色を反転", + "xpack.maps.style.revereseSizeLabel": "サイズを反転", "xpack.maps.styles.categorical.otherCategoryLabel": "その他", "xpack.maps.styles.categoricalDataMapping.isEnabled.local": "無効にすると、ローカルデータからカテゴリを計算し、データが変更されたときにカテゴリを再計算します。ユーザーがパン、ズーム、フィルターを使用するときにスタイルが一貫しない場合があります。", "xpack.maps.styles.categoricalDataMapping.isEnabled.server": "データセット全体からカテゴリを計算します。ユーザーがパン、ズーム、フィルターを使用するときにスタイルが一貫します。", @@ -18965,6 +20263,8 @@ "xpack.maps.tooltipSelector.togglePopoverLabel": "追加", "xpack.maps.tooltipSelector.trashButtonAriaLabel": "プロパティを削除", "xpack.maps.tooltipSelector.trashButtonTitle": "プロパティを削除", + "xpack.maps.topNav.cancel": "キャンセル", + "xpack.maps.topNav.cancelButtonAriaLabel": "変更を保存せずに最後に使用していたアプリに戻る", "xpack.maps.topNav.fullScreenButtonLabel": "全画面", "xpack.maps.topNav.fullScreenDescription": "全画面", "xpack.maps.topNav.openInspectorButtonLabel": "検査", @@ -19028,6 +20328,8 @@ "xpack.ml.anomaliesTable.anomalyDetails.multivariateDescription": "{sourceByFieldName} で多変量相関が見つかりました; {sourceByFieldValue} は {sourceCorrelatedByFieldValue} のため異例とみなされます", "xpack.ml.anomaliesTable.anomalyDetails.regexDescriptionTooltip": "カテゴリーが一致する値を検索するのに使用される正規表現です({maxChars} 文字の制限で切り捨てられている可能性があります)", "xpack.ml.anomaliesTable.anomalyDetails.termsDescriptionTooltip": "カテゴリーの値で一致している共通のトークンのスペース区切りのリストです(({maxChars} 文字の制限で切り捨てられている可能性があります)", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.anomalyType.dip": "{anomalyLength, plural, other {# バケット}}より低下", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.anomalyType.spike": "{anomalyLength, plural, other {# バケット}}より上昇", "xpack.ml.anomaliesTable.influencersCell.moreInfluencersLinkText": "他 {othersCount} 件", "xpack.ml.anomaliesTable.linksMenu.loadingDetailsErrorMessage": "カテゴリー ID {categoryId} の詳細の読み込み中にエラーが発生したため例を表示できません", "xpack.ml.anomaliesTable.linksMenu.noMappingCouldBeFoundErrorMessage": "カテゴリー分けフィールド {categorizationFieldName} のマッピングが見つからなかったため、ML カテゴリー {categoryId} のドキュメントの例を表示できません", @@ -19054,6 +20356,8 @@ "xpack.ml.controls.selectSeverity.scoreDetailsDescription": "スコア{value}以上", "xpack.ml.dataframe.analytics.classificationExploration.generalizationDocsCount": "{docsCount, plural, other {#個のドキュメント}}が評価されました", "xpack.ml.dataframe.analytics.classificationExploration.tableJobIdTitle": "分類ジョブID {jobId}のデスティネーションインデックス", + "xpack.ml.dataframe.analytics.cloneAction.dataViewPromptLink": "{linkToDataViewManagement}", + "xpack.ml.dataframe.analytics.cloneAction.dataViewPromptLinkText": "{sourceIndex}のデータビューを作成", "xpack.ml.dataframe.analytics.create.advancedEditor.errorCheckingJobIdExists": "ジョブIDが存在するかどうかの確認中に次のエラーが発生しました。{error}", "xpack.ml.dataframe.analytics.create.advancedEditorMessage.numTopFeatureImportanceValuesInvalid": "num_top_feature_importance_valuesの値は整数の{min}以上でなければなりません。", "xpack.ml.dataframe.analytics.create.advancedEditorMessage.trainingPercentInvalid": "学習割合は{min}~{max}の範囲の数値でなければなりません。", @@ -19078,7 +20382,7 @@ "xpack.ml.dataframe.analytics.create.UseResultsFieldDefaultLabel": "結果フィールドデフォルト値「{defaultValue}」を使用", "xpack.ml.dataframe.analytics.create.zeroClassesMessage": "{wikiLink}を評価するには、すべてのクラス、またはカテゴリの合計数より大きい値を選択します。", "xpack.ml.dataframe.analytics.creationPageSourceIndexTitle": "ソースデータビュー:{dataViewTitle}", - "xpack.ml.dataframe.analytics.dataViewPromptLink": "{destIndex}の{linkToDataViewManagement}。", + "xpack.ml.dataframe.analytics.dataViewPromptLink": "{linkToDataViewManagement}{destIndex}。", "xpack.ml.dataframe.analytics.dataViewPromptMessage": "インデックス{destIndex}のデータビューは存在しません。", "xpack.ml.dataframe.analytics.explorationResults.decisionPathPlotHelpText": "SHAP決定プロットは{linkedFeatureImportanceValues}を使用して、モデルがどのように「{predictionFieldName}」の予測値に到達するのかを示します。", "xpack.ml.dataframe.analytics.explorationResults.decisionPathXAxisTitle": "'{predictionFieldName}'の{xAxisLabel}", @@ -19106,6 +20410,7 @@ "xpack.ml.dataframe.analyticsList.errorWithCheckingIfUserCanDeleteIndexNotificationErrorMessage": "ユーザーが{destinationIndex}を削除できるかどうかを確認するときにエラーが発生しました。{error}", "xpack.ml.dataframe.analyticsList.fetchSourceDataViewForCloneErrorMessage": "データビュー{dataView}が存在するかどうかを確認しているときにエラーが発生しました:{error}", "xpack.ml.dataframe.analyticsList.forceStopModalBody": "{analyticsId}は失敗状態です。ジョブを停止して、エラーを修正する必要があります。", + "xpack.ml.dataframe.analyticsList.noSourceDataViewForClone": "分析ジョブを複製できません。インデックス{sourceIndex}のデータビューは存在しません。", "xpack.ml.dataframe.analyticsList.progressOfPhase": "フェーズ{currentPhase}の進捗:{progress}%", "xpack.ml.dataframe.analyticsList.rowCollapse": "{analyticsId}の詳細を非表示", "xpack.ml.dataframe.analyticsList.rowExpand": "{analyticsId}の詳細を表示", @@ -19136,12 +20441,14 @@ "xpack.ml.deleteSpaceAwareItemCheckModal.unTagSuccessTitle": "正常に {id} を更新しました", "xpack.ml.editModelSnapshotFlyout.calloutText": "これはジョブ{jobId}で使用されている現在のスナップショットであるため削除できません。", "xpack.ml.editModelSnapshotFlyout.title": "スナップショット{ssId}の編集", + "xpack.ml.embeddables.lensLayerFlyout.secondTitle": "ビジュアライゼーション{title}から互換性があるレイヤーを選択し、異常検知ジョブを作成してください。", "xpack.ml.entityFilter.addFilterAriaLabel": "{influencerFieldName} {influencerFieldValue}のフィルターを追加", "xpack.ml.entityFilter.removeFilterAriaLabel": "{influencerFieldName} {influencerFieldValue}のフィルターを削除", "xpack.ml.explorer.annotationsOutOfTotalCountTitle": "合計{totalCount}件中最初の{visibleCount}件", "xpack.ml.explorer.annotationsTitle": "注釈{badge}", "xpack.ml.explorer.annotationsTitleTotalCount": "合計:{count}", "xpack.ml.explorer.anomaliesMap.anomaliesCount": "異常数: {jobId}", + "xpack.ml.explorer.attachViewBySwimLane": "{viewByField}が表示", "xpack.ml.explorer.charts.detectorLabel": "「{fieldName}」で分割された {detectorLabel}{br} Y 軸イベントの分布", "xpack.ml.explorer.charts.infoTooltip.chartEventDistributionDescription": "グレーの点は、{byFieldValuesParam} のサンプルの一定期間のオカレンスのおおよその分布を示しており、より頻繁なイベントタイプが上に、頻繁ではないものが下に表示されます。", "xpack.ml.explorer.charts.infoTooltip.chartPopulationDistributionDescription": "グレーの点は、{overFieldValuesParam} のサンプルの一定期間の値のおおよその分布を示しています。", @@ -19302,6 +20609,7 @@ "xpack.ml.models.jobValidation.validateJobObject.jobIsNotObjectErrorMessage": "無効な {invalidParamName}:オブジェクトでなければなりません。", "xpack.ml.models.jobValidation.validateJobObject.timeFieldIsNotStringErrorMessage": "無効な {invalidParamName}:文字列でなければなりません。", "xpack.ml.newJob.fromLens.createJob.error.incorrectFunction": "選択した機能{operationType}は異常検知検出器ではサポートされていません。", + "xpack.ml.newJob.fromLens.createJob.namedUrlDashboard": "{dashboardName}を開く", "xpack.ml.newJob.page.createJob.dataViewName": "データビュー{dataViewName}を使用しています", "xpack.ml.newJob.recognize.createJobButtonLabel": "{numberOfJobs, plural, other {ジョブ}} を作成", "xpack.ml.newJob.recognize.dataViewPageTitle": "データビュー{dataViewName}", @@ -19348,6 +20656,9 @@ "xpack.ml.newJob.wizard.validateJob.modelMemoryLimitRangeInvalidErrorMessage": "モデルメモリー制限は最高値の {maxModelMemoryLimit} よりも高くできません", "xpack.ml.newJob.wizard.validateJob.modelMemoryLimitUnitsInvalidErrorMessage": "モデルメモリー制限のデータユニットが認識されません。{str}でなければなりません", "xpack.ml.notFoundPage.bannerText": "機械学習アプリケーションはこのルートを認識できません:{route}。[概要]ページに移動しました。", + "xpack.ml.notifications.newNotificationsMessage": "{sinceDate}以降に{newNotificationsCount, plural, other {# 通知があります}}。更新を表示するには、ページを更新してください。", + "xpack.ml.notificationsIndicator.errorsAndWarningLabel": "{lastCheckedAt}以降に、エラーまたは警告レベルの{count, plural, other {# 通知があります}}", + "xpack.ml.notificationsIndicator.unreadLabel": "{lastCheckedAt}以降に未読の通知があります", "xpack.ml.overview.analyticsList.emptyPromptHelperText": "データフレーム分析ジョブを構築する前に、{transforms}を使用して{sourcedata}を作成してください。", "xpack.ml.overview.feedbackSectionText": "ご利用に際し、ご意見やご提案がありましたら、{feedbackLink}までお送りください。", "xpack.ml.overview.gettingStartedSectionText": "機械学習へようこそ。はじめに{docs}をご覧になるか、新しいジョブを作成してください。", @@ -19403,6 +20714,7 @@ "xpack.ml.timeSeriesExplorer.dataNotChartableDescription": "選択された{entityCount, plural, other {エンティティ}}のモデルプロットは収集されていません。\nこのディテクターのソースデータはプロットできません。", "xpack.ml.timeSeriesExplorer.forecastDataErrorMessage": "予測ID {forecastId}の予測データの読み込みエラー", "xpack.ml.timeSeriesExplorer.forecastingModal.dataContainsMorePartitionsMessage": "このデータには {warnNumPartitions} 個以上のパーティションが含まれているため、予測の実行に時間がかかり、多くのリソースを消費する可能性があります", + "xpack.ml.timeSeriesExplorer.forecastingModal.errorRunningForecastMessage": "予測の実行中にエラーが発生しました:{errorMessage}", "xpack.ml.timeSeriesExplorer.forecastingModal.forecastDurationMustNotBeGreaterThanMaximumErrorMessage": "{maximumForecastDurationDays} 日を超える予想期間は使用できません", "xpack.ml.timeSeriesExplorer.forecastingModal.forecastingOnlyAvailableForJobsCreatedInSpecifiedVersionMessage": "予測はバージョン{minVersion} 以降で作成されたジョブでのみ利用できます", "xpack.ml.timeSeriesExplorer.forecastingModal.noProgressReportedForNewForecastErrorMessage": "{WarnNoProgressMs}ms の新規予測の進捗が報告されていません。予測の実行中にエラーが発生した可能性があります。", @@ -19432,7 +20744,11 @@ "xpack.ml.trainedModels.modelsList.startSuccess": "\"{modelId}\"のデプロイが正常に開始しました。", "xpack.ml.trainedModels.modelsList.stopFailed": "\"{modelId}\"の停止に失敗しました", "xpack.ml.trainedModels.modelsList.stopSuccess": "\"{modelId}\"のデプロイが正常に停止しました。", + "xpack.ml.trainedModels.modelsList.updateDeployment.modalTitle": "{modelId}デプロイを更新", + "xpack.ml.trainedModels.modelsList.updateFailed": "\"{modelId}\"を更新できませんでした", + "xpack.ml.trainedModels.modelsList.updateSuccess": "\"{modelId}\"のデプロイが正常に更新されました。", "xpack.ml.trainedModels.testModelsFlyout.langIdent.output.title": "これは{lang}のようになります", + "xpack.ml.trainedModels.testModelsFlyout.langIdent.output.titleUnknown": "不明な言語コード:{langCode}", "xpack.ml.validateJob.modal.linkToJobTipsText": "詳細は {mlJobTipsLink} をご覧ください。", "xpack.ml.validateJob.modal.validateJobTitle": "ジョブ {title} の検証", "xpack.ml.accessDenied.description": "機械学習プラグインを表示するアクセス権がありません。プラグインにアクセスするには、機械学習機能をこのスペースで表示する必要があります。", @@ -19449,9 +20765,16 @@ "xpack.ml.advancedSettings.anomalyDetectionDefaultTimeRangeName": "異常検知結果の時間フィルターデフォルト", "xpack.ml.advancedSettings.enableAnomalyDetectionDefaultTimeRangeDesc": "シングルメトリックビューアーと異常エクスプローラーでデフォルト時間フィルターを使用します。有効ではない場合、ジョブの全時間範囲の結果が表示されます。", "xpack.ml.advancedSettings.enableAnomalyDetectionDefaultTimeRangeName": "異常検知結果の時間フィルターデフォルトを有効にする", + "xpack.ml.aiops.changePointDetection.docTitle": "変化点検出", + "xpack.ml.aiops.changePointDetectionBreadcrumbLabel": "変化点検出", "xpack.ml.aiops.explainLogRateSpikes.docTitle": "ログレートスパイクを説明", - "xpack.ml.aiopsBreadcrumbLabel": "AIOps", + "xpack.ml.aiops.explainLogRateSpikesBreadcrumbLabel": "ログレートスパイクを説明", + "xpack.ml.aiops.logCategorization.docTitle": "ログパターン分析", + "xpack.ml.aiops.logPatternAnalysisBreadcrumbLabel": "ログパターン分析", + "xpack.ml.aiopsBreadcrumbLabel": "AIOps Labs", + "xpack.ml.aiopsBreadcrumbs.changePointDetectionLabel": "変化点検出", "xpack.ml.aiopsBreadcrumbs.explainLogRateSpikesLabel": "ログレートスパイクを説明", + "xpack.ml.aiopsBreadcrumbs.selectDataViewLabel": "データビューを選択", "xpack.ml.alertConditionValidation.title": "アラート条件には次の問題が含まれます。", "xpack.ml.alertContext.anomalyExplorerUrlDescription": "異常エクスプローラーを開くURL", "xpack.ml.alertContext.isInterimDescription": "上位の一致に中間結果が含まれるかどうかを示します", @@ -19543,6 +20866,26 @@ "xpack.ml.anomaliesTable.anomalyDetails.actualTitle": "実際", "xpack.ml.anomaliesTable.anomalyDetails.anomalyDescriptionShowLessLinkText": "簡易表示", "xpack.ml.anomaliesTable.anomalyDetails.anomalyDetailsTitle": "異常の詳細", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristics": "異常特性影響", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.high": "過去の平均と比較した、検出された異常の期間と規模から、影響が大きいと見なされます。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.low": "過去の平均と比較した、検出された異常の期間と規模から、影響が低いと見なされます。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.medium": "過去の平均と比較した、検出された異常の期間と規模から、影響が中程度だと見なされます。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyType": "異常タイプ", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.highVariance": "高変動間隔", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.highVarianceTooltip": "大きい信頼度間隔で、バケットの異常スコアの減少を示します。バケットの信頼度間隔が大きい場合、スコアが低くなります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.incompleteBucket": "不完全なバケット", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.incompleteBucketTooltip": "バケットに含まれるサンプルが想定よりも少ない場合は、スコアが低くなります。バケットに含まれるサンプルが想定よりも少ない場合は、スコアが低くなります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucket": "複数バケットの影響", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.high": "過去12バケットの実際の値と標準の値の間で見られる差異の影響が大きくなります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.low": "過去12バケットの実際の値と標準の値の間で見られる差異の影響が中程度になります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.medium": "過去12バケットの実際の値と標準の値の間で見られる差異の影響が非常に大きくなります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.recordScore": "レコードスコアの減少", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.recordScoreTooltip": "初期レコードスコアは、後続データの分析に基づいて減少します。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucket": "単一バケットの影響", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.high": "このバケットの実際の値と標準の値の間で見られる差異の影響が大きくなります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.low": "このバケットの実際の値と標準の値の間で見られる差異の影響が中程度になります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.medium": "このバケットの実際の値と標準の値の間で見られる差異の影響が非常に大きくなります。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationTitle": "異常の説明", "xpack.ml.anomaliesTable.anomalyDetails.categoryExamplesTitle": "カテゴリーの例", "xpack.ml.anomaliesTable.anomalyDetails.descriptionTitle": "説明", "xpack.ml.anomaliesTable.anomalyDetails.detailsOnHighestSeverityAnomalyTitle": "深刻度が高い異常の詳細", @@ -19550,11 +20893,13 @@ "xpack.ml.anomaliesTable.anomalyDetails.examplesTitle": "例", "xpack.ml.anomaliesTable.anomalyDetails.fieldNameTitle": "フィールド名", "xpack.ml.anomaliesTable.anomalyDetails.functionTitle": "関数", + "xpack.ml.anomaliesTable.anomalyDetails.impactOnScoreTitle": "初期スコアへの影響", "xpack.ml.anomaliesTable.anomalyDetails.influencersTitle": "影響", "xpack.ml.anomaliesTable.anomalyDetails.initialRecordScoreTitle": "初期レコードスコア", "xpack.ml.anomaliesTable.anomalyDetails.initialRecordScoreTooltip": "0~100の正規化されたスコア。バケットが最初に処理されたときの異常レコード結果の相対的な有意性を示します。", "xpack.ml.anomaliesTable.anomalyDetails.interimResultLabel": "中間結果", "xpack.ml.anomaliesTable.anomalyDetails.jobIdTitle": "ジョブID", + "xpack.ml.anomaliesTable.anomalyDetails.lowerBoundsTitle": "下界", "xpack.ml.anomaliesTable.anomalyDetails.probabilityTitle": "確率", "xpack.ml.anomaliesTable.anomalyDetails.recordScoreTitle": "レコードスコア", "xpack.ml.anomaliesTable.anomalyDetails.recordScoreTooltip": "0~100の正規化されたスコア。異常レコード結果の相対的な有意性を示します。新しいデータが分析されると、この値が変化する場合があります。", @@ -19564,6 +20909,9 @@ "xpack.ml.anomaliesTable.anomalyDetails.termsTitle": "用語", "xpack.ml.anomaliesTable.anomalyDetails.timeTitle": "時間", "xpack.ml.anomaliesTable.anomalyDetails.typicalTitle": "通常", + "xpack.ml.anomaliesTable.anomalyDetails.upperBoundsTitle": "上界", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.no": "いいえ", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.yes": "はい", "xpack.ml.anomaliesTable.categoryExamplesColumnName": "カテゴリーの例", "xpack.ml.anomaliesTable.detectorCell.rulesConfiguredTooltip": "この検知器にはルールが構成されています", "xpack.ml.anomaliesTable.detectorColumnName": "検知器", @@ -19587,6 +20935,7 @@ "xpack.ml.anomaliesTable.linksMenu.viewInDiscover": "Discoverに表示", "xpack.ml.anomaliesTable.linksMenu.viewInMapsLabel": "Mapsで表示", "xpack.ml.anomaliesTable.linksMenu.viewSeriesLabel": "数列を表示", + "xpack.ml.anomaliesTable.linksMenu.viewSourceIndexInMapsLabel": "Mapsでソースインデックスを表示", "xpack.ml.anomaliesTable.metricDescriptionSortColumnName": "説明", "xpack.ml.anomaliesTable.noMatchingAnomaliesFoundTitle": "一致する注釈が見つかりません", "xpack.ml.anomaliesTable.severityColumnName": "深刻度", @@ -19672,6 +21021,17 @@ "xpack.ml.calendarsList.table.idColumnName": "ID", "xpack.ml.calendarsList.table.jobsColumnName": "ジョブ", "xpack.ml.calendarsList.table.newButtonLabel": "新規", + "xpack.ml.cases.anomalyCharts.description.jobIdsLabel": "ジョブID", + "xpack.ml.cases.anomalyCharts.description.timeRangeLabel": "時間範囲", + "xpack.ml.cases.anomalyCharts.displayName": "異常グラフ", + "xpack.ml.cases.anomalyCharts.embeddableAddedEvent": "追加された異常グラフ", + "xpack.ml.cases.anomalySwimLane.description.jobIdsLabel": "ジョブID", + "xpack.ml.cases.anomalySwimLane.description.queryLabel": "クエリ", + "xpack.ml.cases.anomalySwimLane.description.timeRangeLabel": "時間範囲", + "xpack.ml.cases.anomalySwimLane.description.viewByLabel": "表示方式", + "xpack.ml.cases.anomalySwimLane.displayName": "異常スイムレーン", + "xpack.ml.cases.anomalySwimLane.embeddableAddedEvent": "追加された異常スイムレーン", + "xpack.ml.changePointDetection.pageHeader": "変化点検出", "xpack.ml.checkLicense.licenseHasExpiredMessage": "機械学習ライセンスの期限が切れました。", "xpack.ml.chrome.help.appName": "機械学習", "xpack.ml.common.learnMoreQuestion": "詳細について", @@ -20203,8 +21563,23 @@ "xpack.ml.editModelSnapshotFlyout.saveErrorTitle": "モデルスナップショットの更新が失敗しました", "xpack.ml.editModelSnapshotFlyout.useDefaultButton": "削除", "xpack.ml.embeddables.lensLayerFlyout.closeButton": "閉じる", - "xpack.ml.embeddables.lensLayerFlyout.createJobButton": "このレイヤーからジョブを作成", + "xpack.ml.embeddables.lensLayerFlyout.createJobButton": "ウィザードを使用してジョブを作成", + "xpack.ml.embeddables.lensLayerFlyout.createJobButton.saving": "ジョブを作成", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.realTime": "新しいデータに対してジョブを実行したままにする", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.start": "保存後にジョブを開始", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.title": "追加設定", + "xpack.ml.embeddables.lensLayerFlyout.createJobCalloutTitle.multiMetric": "このレイヤーを使用して、複数メトリックジョブを作成できます", + "xpack.ml.embeddables.lensLayerFlyout.createJobCalloutTitle.singleMetric": "このレイヤーを使用して、単一メトリックジョブを作成できます", + "xpack.ml.embeddables.lensLayerFlyout.creatingJob": "ジョブの作成中", "xpack.ml.embeddables.lensLayerFlyout.defaultLayerError": "このレイヤーを使用して、異常検知ジョブを作成できません", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.datafeedCreated": "ジョブが作成されましたが、データフィールドを作成できませんでした。", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.datafeedStarted": "ジョブとデータフィードが作成されましたが、データフィードを起動できませんでした。", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.jobCreated": "ジョブを作成できませんでした。", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.jobOpened": "ジョブとデータフィードが作成されましたが、データフィードをもう一度開くことができませんでした。", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess": "ジョブが作成されました", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.jobList": "ジョブ管理ページで表示", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.multiMetric": "異常エクスプローラーで結果を表示", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.singleMetric": "シングルメトリックビューアーで結果を表示", "xpack.ml.embeddables.lensLayerFlyout.title": "異常検知ジョブの作成", "xpack.ml.entityFilter.addFilterTooltip": "フィルターを追加します", "xpack.ml.entityFilter.removeFilterTooltip": "フィルターを削除", @@ -20219,7 +21594,8 @@ "xpack.ml.explorer.annotationsErrorCallOutTitle": "注釈の読み込み中にエラーが発生しました。", "xpack.ml.explorer.annotationsErrorTitle": "注釈", "xpack.ml.explorer.anomalies.actionsAriaLabel": "アクション", - "xpack.ml.explorer.anomalies.addToDashboardLabel": "異常グラフをダッシュボードに追加", + "xpack.ml.explorer.anomalies.actionsPopoverLabel": "異常グラフ", + "xpack.ml.explorer.anomalies.addToDashboardLabel": "ダッシュボードに追加", "xpack.ml.explorer.anomaliesTitle": "異常", "xpack.ml.explorer.anomalyTimelinePopoverAdvancedExplanation": "異常エクスプローラーの各セクションに表示される異常スコアは少し異なる場合があります。各ジョブではバケット結果、全体的なバケット結果、影響因子結果、レコード結果があるため、このような不一致が発生します。各タイプの結果の異常スコアが生成されます。全体的なスイムレーンは、各ブロックの最大全体バケットスコアの最大値を示します。ジョブでスイムレーンを表示するときには、各ブロックに最大バケットスコアが表示されます。影響因子別に表示するときには、各ブロックに最大影響因子スコアが表示されます。", "xpack.ml.explorer.anomalyTimelinePopoverBasicExplanation": "スイムレーンは、選択した期間内に分析されたデータのバケットの概要を示します。全体的なスイムレーンを表示するか、ジョブまたは影響因子別に表示できます。", @@ -20227,6 +21603,8 @@ "xpack.ml.explorer.anomalyTimelinePopoverSelectionExplanation": "スイムレーンで1つ以上のブロックを選択するときには、異常値と上位の影響因子のリストもフィルタリングされ、その選択内容に関連する情報が表示されます。", "xpack.ml.explorer.anomalyTimelinePopoverTitle": "異常のタイムライン", "xpack.ml.explorer.anomalyTimelineTitle": "異常のタイムライン", + "xpack.ml.explorer.attachOverallSwimLane": "全体", + "xpack.ml.explorer.attachToCaseLabel": "ケースに追加", "xpack.ml.explorer.charts.dashboardTooManyBucketsDescription": "この選択には、表示するバケットが多すぎます。ビューの時間範囲を短くしてください。", "xpack.ml.explorer.charts.infoTooltip.aggregationIntervalTitle": "集約間隔", "xpack.ml.explorer.charts.infoTooltip.chartFunctionTitle": "チャート関数", @@ -20355,6 +21733,7 @@ "xpack.ml.inference.modelsList.startModelDeploymentActionLabel": "デプロイを開始", "xpack.ml.inference.modelsList.stopModelDeploymentActionLabel": "デプロイを停止", "xpack.ml.inference.modelsList.testModelActionLabel": "モデルの学習", + "xpack.ml.inference.modelsList.updateModelDeploymentActionLabel": "デプロイを更新", "xpack.ml.influencerResultType.description": "時間範囲で最も異常なエンティティ。", "xpack.ml.influencerResultType.title": "影響因子", "xpack.ml.influencersList.noInfluencersFoundTitle": "影響因子が見つかりません", @@ -20386,7 +21765,7 @@ "xpack.ml.jobsBreadcrumbs.multiMetricLabel": "マルチメトリック", "xpack.ml.jobsBreadcrumbs.populationLabel": "集団", "xpack.ml.jobsBreadcrumbs.rareLabel": "ほとんどない", - "xpack.ml.jobsBreadcrumbs.selectDateViewLabel": "データビュー", + "xpack.ml.jobsBreadcrumbs.selectDateViewLabel": "データビューを選択", "xpack.ml.jobsBreadcrumbs.selectIndexOrSearchLabelRecognize": "認識されたインデックス", "xpack.ml.jobsBreadcrumbs.selectJobType": "ジョブを作成", "xpack.ml.jobsBreadcrumbs.singleMetricLabel": "シングルメトリック", @@ -20434,7 +21813,7 @@ "xpack.ml.jobsList.datafeedChart.annotationLineSeriesId": "注釈行結果", "xpack.ml.jobsList.datafeedChart.annotationRectSeriesId": "注釈長方形結果", "xpack.ml.jobsList.datafeedChart.applyQueryDelayLabel": "適用", - "xpack.ml.jobsList.datafeedChart.bucketSeriesId": "ジョブ結果", + "xpack.ml.jobsList.datafeedChart.bucketSeriesId": "データフィードドキュメント数", "xpack.ml.jobsList.datafeedChart.cancelQueryDelayUpdateLabel": "キャンセル", "xpack.ml.jobsList.datafeedChart.chartIntervalEndTime": "グラフ間隔終了時刻", "xpack.ml.jobsList.datafeedChart.chartIntervalLeftArrow": "前の時間ウィンドウ", @@ -20450,11 +21829,12 @@ "xpack.ml.jobsList.datafeedChart.messagesTableTitle": "ジョブメッセージ", "xpack.ml.jobsList.datafeedChart.messagesTabName": "メッセージ", "xpack.ml.jobsList.datafeedChart.modelSnapshotsLineSeriesId": "モデルスナップショット", + "xpack.ml.jobsList.datafeedChart.notAvailableMessage": "N/A", "xpack.ml.jobsList.datafeedChart.queryDelayLabel": "クエリの遅延", "xpack.ml.jobsList.datafeedChart.revertSnapshotMessage": "クリックすると、このモデルのスナップショットに戻ります。", "xpack.ml.jobsList.datafeedChart.showAnnotationsCheckboxLabel": "注釈を表示", "xpack.ml.jobsList.datafeedChart.showModelSnapshotsCheckboxLabel": "モデルスナップショットを表示", - "xpack.ml.jobsList.datafeedChart.sourceSeriesId": "ソースインデックス", + "xpack.ml.jobsList.datafeedChart.sourceSeriesId": "ソースインデックスドキュメント数", "xpack.ml.jobsList.datafeedChart.yAxisTitle": "カウント", "xpack.ml.jobsList.datafeedStateLabel": "データフィード状態", "xpack.ml.jobsList.deleteActionStatusText": "削除", @@ -20628,6 +22008,7 @@ "xpack.ml.jobsList.stoppedActionStatusText": "停止中", "xpack.ml.jobsList.title": "異常検知ジョブ", "xpack.ml.keyword.ml": "ML", + "xpack.ml.logCategorization.pageHeader": "ログパターン分析", "xpack.ml.machineLearningBreadcrumbLabel": "機械学習", "xpack.ml.machineLearningDescription": "時系列データから通常の動作を自動的に学習し、異常を検知します。", "xpack.ml.machineLearningSubtitle": "モデリング、予測、検出を行います。", @@ -20705,6 +22086,10 @@ "xpack.ml.mapsAnomaliesLayerEmptyPrompt.createJobButtonText": "ジョブを作成", "xpack.ml.mapsAnomaliesLayerEmptyPrompt.createJobMessage": "異常検知ジョブを作成しますか?", "xpack.ml.mapsAnomaliesLayerEmptyPrompt.emptyPromptText": "異常検知により、地理データの異常な動作を検出できます。lat_long関数を使用するジョブを作成します。これはMaps異常レイヤーで必要です。", + "xpack.ml.mlEntitySelector.adOptionsLabel": "異常検知ジョブ", + "xpack.ml.mlEntitySelector.dfaOptionsLabel": "データフレーム分析", + "xpack.ml.mlEntitySelector.fetchError": "MLエンティティを取得できませんでした", + "xpack.ml.mlEntitySelector.trainedModelsLabel": "学習済みモデル", "xpack.ml.modelManagement.nodesOverview.docTitle": "ノード", "xpack.ml.modelManagement.nodesOverviewHeader": "ノード", "xpack.ml.modelManagement.trainedModels.docTitle": "学習済みモデル", @@ -20800,11 +22185,12 @@ "xpack.ml.modelSnapshotTable.retain": "保存", "xpack.ml.modelSnapshotTable.time": "日付が作成されました", "xpack.ml.multiSelectPicker.NoFiltersFoundMessage": "フィルターが見つかりません", - "xpack.ml.navMenu.aiopsTabLinkText": "AIOps", + "xpack.ml.navMenu.aiopsTabLinkText": "AIOps Labs", "xpack.ml.navMenu.anomalyDetection.anomalyExplorerText": "異常エクスプローラー", "xpack.ml.navMenu.anomalyDetection.jobsManagementText": "ジョブ", "xpack.ml.navMenu.anomalyDetection.singleMetricViewerText": "シングルメトリックビューアー", "xpack.ml.navMenu.anomalyDetectionTabLinkText": "異常検知", + "xpack.ml.navMenu.changePointDetectionLinkText": "変化点検出", "xpack.ml.navMenu.dataFrameAnalytics.analyticsMapText": "分析マップ", "xpack.ml.navMenu.dataFrameAnalytics.jobsManagementText": "ジョブ", "xpack.ml.navMenu.dataFrameAnalytics.resultsExplorerText": "結果エクスプローラー", @@ -20813,14 +22199,17 @@ "xpack.ml.navMenu.dataVisualizerTabLinkText": "データビジュアライザー", "xpack.ml.navMenu.explainLogRateSpikesLinkText": "ログレートスパイクを説明", "xpack.ml.navMenu.fileDataVisualizerLinkText": "ファイル", + "xpack.ml.navMenu.logCategorizationLinkText": "ログパターン分析", "xpack.ml.navMenu.mlAppNameText": "機械学習", "xpack.ml.navMenu.modelManagementText": "モデル管理", "xpack.ml.navMenu.nodesOverviewText": "ノード", + "xpack.ml.navMenu.notificationsTabLinkText": "通知", "xpack.ml.navMenu.overviewTabLinkText": "概要", "xpack.ml.navMenu.settingsTabLinkText": "設定", "xpack.ml.navMenu.trainedModelsTabBetaLabel": "テクニカルプレビュー", "xpack.ml.navMenu.trainedModelsTabBetaTooltipContent": "この機能はテクニカルプレビュー中であり、将来のリリースでは変更されたり完全に削除されたりする場合があります。Elasticは最善の努力を講じてすべての問題の修正に努めますが、テクニカルプレビュー中の機能には正式なGA機能のサポートSLAが適用されません。", "xpack.ml.navMenu.trainedModelsText": "学習済みモデル", + "xpack.ml.newJob.fromLens.createJob.defaultUrlDashboard": "元のダッシュボード", "xpack.ml.newJob.fromLens.createJob.error.colsNoSourceField": "一部の列にはソースフィールドがありません。", "xpack.ml.newJob.fromLens.createJob.error.colsUsingFilterTimeSift": "ML検知器に対応していない設定が列に含まれています。時間シフトとフィルター条件はサポートされていません。", "xpack.ml.newJob.fromLens.createJob.error.incompatibleLayerType": "レイヤーに互換性がありません。グラフレイヤーのみを使用できます。", @@ -21150,6 +22539,28 @@ "xpack.ml.newJob.wizard.validateJob.summaryCountFieldMissing": "データフィードとして必要なフィールドはアグリゲーションを使用します。", "xpack.ml.newJobAwaitingNodeWarning.noMLNodesAvailableDescription": "現在ジョブを実行できるノードがないため、該当するノードが使用可能になるまで、OPENING状態のままです。", "xpack.ml.notFoundPage.title": "ページが見つかりません", + "xpack.ml.notifications.entityFilter": "エンティティ", + "xpack.ml.notifications.entityLabel": "エンティティID", + "xpack.ml.notifications.fetchFailedError": "通知の取得が失敗しました", + "xpack.ml.notifications.filters.level.error": "エラー", + "xpack.ml.notifications.filters.level.info": "情報", + "xpack.ml.notifications.filters.level.name": "レベル", + "xpack.ml.notifications.filters.level.type": "型", + "xpack.ml.notifications.filters.level.warning": "警告", + "xpack.ml.notifications.filters.type.anomalyDetector": "異常検知", + "xpack.ml.notifications.filters.type.dfa": "データフレーム分析", + "xpack.ml.notifications.filters.type.inference": "推定", + "xpack.ml.notifications.filters.type.system": "システム", + "xpack.ml.notifications.invalidQueryError": "クエリが無効です:", + "xpack.ml.notifications.levelLabel": "レベル", + "xpack.ml.notifications.messageLabel": "メッセージ", + "xpack.ml.notifications.noItemsFoundMessage": "通知が見つかりません", + "xpack.ml.notifications.notificationsLabel": "通知", + "xpack.ml.notifications.searchPlaceholder": "通知を検索します。例:job_type:anomaly_detector -level:(info) Datafeed", + "xpack.ml.notifications.timeLabel": "時間", + "xpack.ml.notifications.typeLabel": "型", + "xpack.ml.notificationsIndicator.unreadErrors": "未読のエラーまたは警告のインジケーター", + "xpack.ml.notificationsIndicator.unreadIcon": "未読の通知インジケーター。", "xpack.ml.overview.analytics.resultActions.openJobText": "ジョブ結果を表示", "xpack.ml.overview.analytics.viewJobActionName": "ジョブを表示", "xpack.ml.overview.analytics.viewResultsActionName": "結果を表示", @@ -21191,6 +22602,7 @@ "xpack.ml.overview.gettingStartedSectionSourceData": "エンティティ中心のソースデータセット", "xpack.ml.overview.gettingStartedSectionTitle": "はじめて使う", "xpack.ml.overview.gettingStartedSectionTransforms": "変換", + "xpack.ml.overview.notificationsLabel": "通知", "xpack.ml.overview.overviewLabel": "概要", "xpack.ml.overview.statsBar.failedAnalyticsLabel": "失敗", "xpack.ml.overview.statsBar.runningAnalyticsLabel": "実行中", @@ -21359,6 +22771,7 @@ "xpack.ml.severitySelector.formControlLabel": "深刻度", "xpack.ml.singleMetricViewerPageLabel": "シングルメトリックビューアー", "xpack.ml.splom.allDocsFilteredWarningMessage": "すべての取得されたドキュメントには、値の配列のフィールドが含まれており、可視化できません。", + "xpack.ml.splom.backgroundLayerHelpText": "データポイントがフィルターと一致する場合は、色付きで表示されます。一致しない場合は、灰色の淡色で表示されます。", "xpack.ml.splom.dynamicSizeInfoTooltip": "異常値スコアで各ポイントのサイズをスケールします。", "xpack.ml.splom.dynamicSizeLabel": "動的サイズ", "xpack.ml.splom.fieldSelectionInfoTooltip": "関係を調査するフィールドを選択します。", @@ -21541,13 +22954,19 @@ "xpack.ml.trainedModels.modelsList.selectableMessage": "モデルを選択", "xpack.ml.trainedModels.modelsList.startDeployment.cancelButton": "キャンセル", "xpack.ml.trainedModels.modelsList.startDeployment.docLinkTitle": "詳細", + "xpack.ml.trainedModels.modelsList.startDeployment.lowPriorityLabel": "低", "xpack.ml.trainedModels.modelsList.startDeployment.maxNumOfProcessorsWarning": "割り当て数と割り当てごとのスレッドの積は、MLノードのプロセッサーの合計数未満でなければなりません。", + "xpack.ml.trainedModels.modelsList.startDeployment.normalPriorityLabel": "標準", "xpack.ml.trainedModels.modelsList.startDeployment.numbersOfAllocationsHelp": "増やすと、すべてのリクエストのスループットを改善します。", "xpack.ml.trainedModels.modelsList.startDeployment.numbersOfAllocationsLabel": "割り当て数", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityHelp": "各モデルが非常に軽く使用されるデモで低優先度を選択します。", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityLabel": "優先度", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityLegend": "優先度選択", "xpack.ml.trainedModels.modelsList.startDeployment.startButton": "開始", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationHelp": "増やすと、各リクエストのレイテンシを改善します。", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationLabel": "割り当てごとのスレッド", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationLegend": "割り当てセレクターごとのスレッド", + "xpack.ml.trainedModels.modelsList.startDeployment.updateButton": "更新", "xpack.ml.trainedModels.modelsList.stateHeader": "ステータス", "xpack.ml.trainedModels.modelsList.totalAmountLabel": "学習済みモデルの合計数", "xpack.ml.trainedModels.modelsList.typeHeader": "型", @@ -21566,6 +22985,8 @@ "xpack.ml.trainedModels.nodesList.modelsList.allocationHeader": "割り当て", "xpack.ml.trainedModels.nodesList.modelsList.allocationTooltip": "number_of_allocations times threads_per_allocation", "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeHeader": "平均推定時間", + "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeTooltipHeader": "平均推定時間", + "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeTooltipMessage": "キャッシュが有効な場合、平均推定時間を計算するときに高速キャッシュヒットが含まれます。", "xpack.ml.trainedModels.nodesList.modelsList.modelInferenceCountHeader": "推定件数", "xpack.ml.trainedModels.nodesList.modelsList.modelLastAccessHeader": "前回アクセス", "xpack.ml.trainedModels.nodesList.modelsList.modelNameHeader": "名前", @@ -21587,9 +23008,13 @@ "xpack.ml.trainedModels.testModelsFlyout.generalTextInput.inputText": "入力テキスト", "xpack.ml.trainedModels.testModelsFlyout.generalTextInput.inputTitle": "入力テキスト", "xpack.ml.trainedModels.testModelsFlyout.headerLabel": "学習済みモデルのテスト", + "xpack.ml.trainedModels.testModelsFlyout.indexInput.fieldInput": "フィールド", + "xpack.ml.trainedModels.testModelsFlyout.indexInput.viewPipeline": "パイプラインを表示", + "xpack.ml.trainedModels.testModelsFlyout.indexTab": "既存のインデックスを使用したテスト", "xpack.ml.trainedModels.testModelsFlyout.inferenceError": "エラーが発生しました", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.markupTab": "アウトプット", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.rawOutput": "元の出力", + "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.reloadButton": "例の再読み込み", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.runButton": "テスト", "xpack.ml.trainedModels.testModelsFlyout.langIdent.info1": "モデルがテキストの言語を特定する精度をテストします。", "xpack.ml.trainedModels.testModelsFlyout.langIdent.inputText": "テストするフレーズを入力", @@ -21599,6 +23024,7 @@ "xpack.ml.trainedModels.testModelsFlyout.ner.label": "固有表現認識", "xpack.ml.trainedModels.testModelsFlyout.ner.output.probabilityTitle": "確率", "xpack.ml.trainedModels.testModelsFlyout.ner.output.typeTitle": "型", + "xpack.ml.trainedModels.testModelsFlyout.pipelineSimulate.unknownError": "インジェストパイプラインのシミュレーションエラー", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.info1": "質問を行い、モデルがどの程度効果的に入力テキストから回答を抽出するのかをテストします。", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.inputText": "探している回答に関連する構造化されていないテキストフレーズを入力", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.label": "質問への回答", @@ -21611,6 +23037,7 @@ "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.info1": "モデルがどの程度効果的にテキストの埋め込みを生成するのかをテストします。", "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.inputText": "テストするフレーズを入力", "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.label": "テキスト埋め込み", + "xpack.ml.trainedModels.testModelsFlyout.textTab": "テキストを使用したテスト", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.info1": "ラベルのセットを提供し、モデルがどの程度効果的に入力テキストを分類するのかをテストします。", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.inputText": "テストするフレーズを入力", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.label": "ゼロショット分類", @@ -21841,6 +23268,7 @@ "xpack.monitoring.summaryStatus.statusIconTitle": "ステータス:{statusIcon}", "xpack.monitoring.accessDenied.backToKibanaButtonLabel": "Kibana に戻る", "xpack.monitoring.accessDenied.clusterNotConfiguredDescription": "専用の監視クラスターへのアクセスを試みている場合、監視クラスターで構成されていないユーザーとしてログインしていることが原因である可能性があります。", + "xpack.monitoring.accessDenied.noRemoteClusterClientDescription": "クラスター横断検索が有効(「monitoring.ui.ccs.enabled」が「true」に設定)であるため、クラスターの1つ以上のノードに「remote_cluster_client」ノードがあることを確認してください。", "xpack.monitoring.accessDeniedTitle": "アクセス拒否", "xpack.monitoring.ajaxErrorHandler.requestErrorNotificationTitle": "監視リクエストエラー", "xpack.monitoring.ajaxErrorHandler.requestFailedNotification.retryButtonLabel": "再試行", @@ -22343,6 +23771,7 @@ "xpack.monitoring.errors.monitoringLicenseErrorDescription": "クラスター = 「{clusterId}」のライセンス情報が見つかりませんでした。クラスターのマスターノードサーバーログにエラーや警告がないか確認してください。", "xpack.monitoring.errors.monitoringLicenseErrorTitle": "監視ライセンスエラー", "xpack.monitoring.errors.noLivingConnectionsErrorMessage": "有効な接続がありません。Elasticsearch 監視クラスターのネットワーク接続を確認し、詳細は Kibana のログをご覧ください。", + "xpack.monitoring.errors.noRemoteClientRoleErrorMessage": "クラスターにはremote_cluster_clientロールがありません", "xpack.monitoring.errors.TimeoutErrorMessage": "リクエストタイムアウト:Elasticsearch 監視クラスターのネットワーク接続、またはノードの負荷レベルを確認してください。", "xpack.monitoring.es.indices.deletedClosedStatusLabel": "削除済み / クローズ済み", "xpack.monitoring.es.indices.notAvailableStatusLabel": "利用不可", @@ -23207,6 +24636,13 @@ "xpack.monitoring.useAvailableLicenseDescription": "すでに新しいライセンスがある場合は、今すぐアップロードしてください。", "xpack.observability.alertsTable.showingAlertsTitle": "{totalAlerts, plural, other {アラート}}", "xpack.observability.apmProgressiveLoadingDescription": "{technicalPreviewLabel} APMビューでデータのプログレッシブ読み込みを行うかどうか。サンプリングされていないデータをバックグラウンドで読み込みながら、最初は低いサンプリングレート、低い精度、高速の応答時間でデータを要求できます", + "xpack.observability.apmServiceInventoryOptimizedSortingDescription": "{technicalPreviewLabel} サービス名によるデフォルトAPMサービスインベントリおよびストレージエクスプローラーページの並べ替え(機械学習が適用されていないサービス)。{feedbackLink}。", + "xpack.observability.apmTraceExplorerTabDescription": "{technicalPreviewLabel} APMトレースエクスプローラー機能を有効にし、KQLまたはEQLでトレースを検索、検査できます。{feedbackLink}。", + "xpack.observability.enableAgentExplorerDescription": "{technicalPreviewLabel} エージェントエクスプローラービューを有効化します。", + "xpack.observability.enableAwsLambdaMetricsDescription": "{technicalPreviewLabel} [サービスメトリック]タブにAmazon Lambdaメトリックを表示します。{feedbackLink}", + "xpack.observability.enableCriticalPathDescription": "{technicalPreviewLabel} 任意で、トレースのクリティカルパスを表示します。", + "xpack.observability.enableInfrastructureHostsViewDescription": "{technicalPreviewLabel} インフラストラクチャーアプリでホストビューを有効化します。{feedbackLink}。", + "xpack.observability.enableNewSyntheticsViewExperimentDescriptionBeta": "{technicalPreviewLabel} オブザーバビリティで新しいシンセティック監視アプリケーションを有効化します。設定を適用するにはページを更新してください。", "xpack.observability.expView.columns.label": "{sourceField}の{percentileValue}パーセンタイル", "xpack.observability.expView.columns.operation.label": "{sourceField}の{operationType}", "xpack.observability.expView.filterValueButton.negate": "{value}ではない", @@ -23237,6 +24673,14 @@ "xpack.observability.ux.dashboard.webCoreVitals.traffic": "トラフィックの {trafficPerc} が表示されました", "xpack.observability.ux.dashboard.webVitals.palette.tooltip": "{title} は {value}{averageMessage}より{moreOrLess}{isOrTakes}ため、{percentage} %のユーザーが{exp}を経験しています。", "xpack.observability..synthetics.addDataButtonLabel": "Syntheticsデータの追加", + "xpack.observability.alertDetails.actionsButtonLabel": "アクション", + "xpack.observability.alertDetails.addToCase": "ケースに追加", + "xpack.observability.alertDetails.alertActiveState": "アクティブ", + "xpack.observability.alertDetails.alertRecoveredState": "回復済み", + "xpack.observability.alertDetails.editSnoozeRule": "ルールをスヌーズ", + "xpack.observability.alertDetails.errorPromptBody": "アラート詳細の読み込みエラーが発生しました。", + "xpack.observability.alertDetails.errorPromptTitle": "アラート詳細を読み込めません", + "xpack.observability.alertDetails.viewRuleDetails": "ルール詳細を表示", "xpack.observability.alerts.actions.addToCase": "既存のケースに追加", "xpack.observability.alerts.actions.addToCaseDisabled": "この選択では、[ケースに追加]を使用できません", "xpack.observability.alerts.actions.addToNewCase": "新しいケースに追加", @@ -23249,10 +24693,12 @@ "xpack.observability.alerts.ruleStats.loadError": "ルール統計情報を読み込めません", "xpack.observability.alerts.ruleStats.muted": "スヌーズ済み", "xpack.observability.alerts.ruleStats.ruleCount": "ルール数", + "xpack.observability.alerts.searchBar.invalidQueryTitle": "無効なクエリ文字列", "xpack.observability.alerts.workflowStatusFilter.acknowledgedButtonLabel": "認識", "xpack.observability.alerts.workflowStatusFilter.closedButtonLabel": "終了", "xpack.observability.alerts.workflowStatusFilter.openButtonLabel": "開く", "xpack.observability.alertsFlyout.actualValueLabel": "実際の値", + "xpack.observability.alertsFlyout.alertsDetailsButtonText": "アラートの詳細", "xpack.observability.alertsFlyout.documentSummaryTitle": "ドキュメント概要", "xpack.observability.alertsFlyout.durationLabel": "期間", "xpack.observability.alertsFlyout.expectedValueLabel": "想定された値", @@ -23270,6 +24716,7 @@ "xpack.observability.alertsTable.moreActionsTextLabel": "さらにアクションを表示", "xpack.observability.alertsTable.notEnoughPermissions": "追加の権限が必要です", "xpack.observability.alertsTable.viewAlertDetailsButtonText": "アラート詳細を表示", + "xpack.observability.alertsTable.viewAlertDetailsPageButtonText": "アラートページを表示", "xpack.observability.alertsTable.viewDetailsTextLabel": "詳細を表示", "xpack.observability.alertsTable.viewInAppTextLabel": "アプリで表示", "xpack.observability.alertsTable.viewRuleDetailsButtonText": "ルール詳細を表示", @@ -23280,13 +24727,18 @@ "xpack.observability.alertsTGrid.statusColumnDescription": "アラートステータス", "xpack.observability.alertsTGrid.statusRecoveredDescription": "回復済み", "xpack.observability.alertsTitle": "アラート", + "xpack.observability.apmAWSLambdaPricePerGbSeconds": "AWS Lambda価格要因", + "xpack.observability.apmAWSLambdaPricePerGbSecondsDescription": "Gb秒ごとの料金。", + "xpack.observability.apmAWSLambdaRequestCostPerMillion": "1MリクエストごとのAWS Lambdaの料金", + "xpack.observability.apmLabs": "APMで[ラボ]ボタンを有効にする", + "xpack.observability.apmLabsDescription": "このフラグはビューアーで[ラボ]ボタンを使用できるかどうかを決定します。APMでテクニカルプレビュー中の機能を有効および無効にするための簡単な方法です。", "xpack.observability.apmOperationsBreakdown": "APM演算内訳", "xpack.observability.apmProgressiveLoading": "選択したAPMビューのプログレッシブ読み込みを使用", "xpack.observability.apmProgressiveLoadingQualityHigh": "高サンプリングレート(低速、最も精度が高い)", "xpack.observability.apmProgressiveLoadingQualityLow": "低サンプリングレート(最速、最も精度が低い)", "xpack.observability.apmProgressiveLoadingQualityMedium": "中サンプリングレート", "xpack.observability.apmProgressiveLoadingQualityOff": "オフ", - "xpack.observability.apmServiceInventoryOptimizedSorting": "APMサービスインベントリ読み込みページパフォーマンスを最適化", + "xpack.observability.apmServiceInventoryOptimizedSorting": "APMでサービスリストの読み込みパフォーマンスを最適化", "xpack.observability.apmTraceExplorerTab": "APMトレースエクスプローラー", "xpack.observability.apply.label": "適用", "xpack.observability.breadcrumbs.alertsLinkText": "アラート", @@ -23316,8 +24768,12 @@ "xpack.observability.emptySection.apps.ux.description": "現実世界のエンドユーザーエクスペリエンスを反映するパフォーマンスデータを収集、計測、分析しましょう。", "xpack.observability.emptySection.apps.ux.link": "Rum エージェントをインストール", "xpack.observability.emptySection.apps.ux.title": "ユーザーエクスペリエンス", + "xpack.observability.enableAgentExplorer": "エージェントエクスプローラー", + "xpack.observability.enableAwsLambdaMetrics": "AWS Lambdaメトリック", "xpack.observability.enableComparisonByDefault": "比較機能", "xpack.observability.enableComparisonByDefaultDescription": "APMアプリで比較機能を有効にする", + "xpack.observability.enableCriticalPath": "クリティカルパス", + "xpack.observability.enableInfrastructureHostsView": "インフラストラクチャーホストビュー", "xpack.observability.enableInspectEsQueriesExperimentDescription": "API応答でElasticsearchクエリを調査します。", "xpack.observability.enableInspectEsQueriesExperimentName": "ESクエリを調査", "xpack.observability.enableNewSyntheticsViewExperimentName": "新しい合成監視アプリケーションを有効にする", @@ -23330,10 +24786,14 @@ "xpack.observability.exploratoryView.logs.logRateYAxisLabel": "毎分のログレート", "xpack.observability.exploratoryView.noBrusing": "ブラシ選択によるズームは時系列グラフでのみ使用できます。", "xpack.observability.expView.addToCase": "ケースに追加", + "xpack.observability.expView.avgDuration": "平均期間", "xpack.observability.expView.chartTypes.label": "チャートタイプ", + "xpack.observability.expView.complete": "完了", "xpack.observability.expView.dateRanger.endDate": "終了日", "xpack.observability.expView.dateRanger.startDate": "開始日", + "xpack.observability.expView.errors": "エラー", "xpack.observability.expView.explore": "探索", + "xpack.observability.expView.failedTests": "失敗したテスト", "xpack.observability.expView.fieldLabels.agentHost": "エージェントホスト", "xpack.observability.expView.fieldLabels.agentType": "エージェントタイプ", "xpack.observability.expView.fieldLabels.backend": "バックエンド時刻", @@ -23358,6 +24818,7 @@ "xpack.observability.expView.fieldLabels.eventDataset": "データセット", "xpack.observability.expView.fieldLabels.fcp": "初回コンテンツの描画", "xpack.observability.expView.fieldLabels.fid": "初回入力遅延", + "xpack.observability.expView.fieldLabels.heatMap": "ヒートマップ", "xpack.observability.expView.fieldLabels.hostName": "ホスト名", "xpack.observability.expView.fieldLabels.hostOS": "ホストOS", "xpack.observability.expView.fieldLabels.kpi": "KPI", @@ -23377,6 +24838,7 @@ "xpack.observability.expView.fieldLabels.monitorName": "モニター名", "xpack.observability.expView.fieldLabels.monitorStatus": "監視ステータス", "xpack.observability.expView.fieldLabels.monitorType": "モニタータイプ", + "xpack.observability.expView.fieldLabels.networkTimings": "ネットワークタイミング", "xpack.observability.expView.fieldLabels.numberOfDevices": "デバイス数", "xpack.observability.expView.fieldLabels.obsLocation": "Observerの位置情報", "xpack.observability.expView.fieldLabels.onload": "ドキュメント完了(読み込み時)", @@ -23422,6 +24884,7 @@ "xpack.observability.expView.operationType.median": "中央", "xpack.observability.expView.operationType.min": "最低", "xpack.observability.expView.operationType.sum": "合計", + "xpack.observability.expView.operationType.uniqueCount": "ユニークカウント", "xpack.observability.expView.reportType.selectDataType": "ビジュアライゼーションを作成するデータ型を選択します。", "xpack.observability.expView.reportType.selectLabel": "レポートタイプを選択", "xpack.observability.expView.save": "ビジュアライゼーションを保存", @@ -23456,6 +24919,16 @@ "xpack.observability.expView.seriesEditor.reportMetricTooltip": "レポートメトリック", "xpack.observability.expView.seriesEditor.selectReportMetric": "レポートメトリックを選択", "xpack.observability.expView.seriesEditor.seriesName": "系列名", + "xpack.observability.expView.stepDuration": "合計ステップ期間", + "xpack.observability.expView.synthetics.blocked": "ブロック", + "xpack.observability.expView.synthetics.connect": "接続", + "xpack.observability.expView.synthetics.dns": "DNS", + "xpack.observability.expView.synthetics.receive": "受信", + "xpack.observability.expView.synthetics.send": "送信", + "xpack.observability.expView.synthetics.ssl": "SSL", + "xpack.observability.expView.synthetics.total": "合計", + "xpack.observability.expView.synthetics.wait": "待機", + "xpack.observability.expView.totalRuns": "合計実行回数", "xpack.observability.featureCatalogueDescription": "専用UIで、ログ、メトリック、アプリケーショントレース、システム可用性を連結します。", "xpack.observability.featureCatalogueTitle": "Observability", "xpack.observability.featureRegistry.deleteSubFeatureDetails": "ケースとコメントを削除", @@ -23464,6 +24937,7 @@ "xpack.observability.feedbackMenu.appName": "Observability", "xpack.observability.fieldValueSelection.apply": "適用", "xpack.observability.fieldValueSelection.loading": "読み込み中", + "xpack.observability.fieldValueSelection.logicalAnd": "論理ANDを使用", "xpack.observability.filters.expanded.labels.backTo": "ラベルに戻る", "xpack.observability.filters.expanded.labels.fields": "ラベルフィールド", "xpack.observability.filters.expanded.labels.label": "ラベル", @@ -23511,6 +24985,8 @@ "xpack.observability.noDataConfig.beatsCard.title": "統合の追加", "xpack.observability.noDataConfig.solutionName": "Observability", "xpack.observability.notAvailable": "N/A", + "xpack.observability.notFoundPage.bannerText": "オブザーバビリティアプリケーションはこのルートを認識できません", + "xpack.observability.notFoundPage.title": "ページが見つかりません", "xpack.observability.overview.alerts.appLink": "アラートを表示", "xpack.observability.overview.alerts.title": "アラート", "xpack.observability.overview.apm.appLink": "サービスインベントリを表示", @@ -23535,10 +25011,10 @@ "xpack.observability.overview.exploratoryView.showChart": "グラフを表示", "xpack.observability.overview.exploratoryView.syntheticsLabel": "Synthetics監視", "xpack.observability.overview.exploratoryView.uxLabel": "ユーザーエクスペリエンス(RUM)", - "xpack.observability.overview.guidedSetupButton": "段階的な設定", - "xpack.observability.overview.guidedSetupTourContent": "疑問がある場合は、このアクションをクリックすると、常に統合ステータスにアクセスし、次のステップを確認できます。", + "xpack.observability.overview.guidedSetupButton": "データアシスタント", + "xpack.observability.overview.guidedSetupTourContent": "疑問がある場合は、ここをクリックすると、常にデータアシスタントにアクセスし、次のステップを確認できます。", "xpack.observability.overview.guidedSetupTourDismissButton": "閉じる", - "xpack.observability.overview.guidedSetupTourTitle": "設定ガイドは常に利用できます", + "xpack.observability.overview.guidedSetupTourTitle": "データアシスタントは常に使用できます", "xpack.observability.overview.loadingObservability": "オブザーバビリティを読み込んでいます", "xpack.observability.overview.logs.appLink": "ログストリームを表示", "xpack.observability.overview.logs.subtitle": "毎分のログレート", @@ -23551,7 +25027,7 @@ "xpack.observability.overview.metrics.title": "ホスト", "xpack.observability.overview.pageTitle": "概要", "xpack.observability.overview.statusVisualizationFlyoutDescription": "オブザーバビリティ統合および機能の追加の進行状況を追跡します。", - "xpack.observability.overview.statusVisualizationFlyoutTitle": "段階的な設定", + "xpack.observability.overview.statusVisualizationFlyoutTitle": "データアシスタント", "xpack.observability.overview.uptime.appLink": "モニターを表示", "xpack.observability.overview.uptime.chart.down": "ダウン", "xpack.observability.overview.uptime.chart.up": "アップ", @@ -23567,6 +25043,14 @@ "xpack.observability.page_header.addUptimeDataLink.label": "アップタイムデータの追加に関するチュートリアルに移動", "xpack.observability.page_header.addUXDataLink.label": "ユーザーエクスペリエンスAPMデータの追加に関するチュートリアルに移動", "xpack.observability.pageLayout.sideNavTitle": "Observability", + "xpack.observability.pages.alertDetails.alertSummary.actualValue": "実際の値", + "xpack.observability.pages.alertDetails.alertSummary.alertStatus": "ステータス", + "xpack.observability.pages.alertDetails.alertSummary.duration": "期間", + "xpack.observability.pages.alertDetails.alertSummary.expectedValue": "想定された値", + "xpack.observability.pages.alertDetails.alertSummary.lastStatusUpdate": "前回のステータス更新", + "xpack.observability.pages.alertDetails.alertSummary.ruleTags": "ルールタグ", + "xpack.observability.pages.alertDetails.alertSummary.source": "送信元", + "xpack.observability.pages.alertDetails.alertSummary.started": "開始", "xpack.observability.resources.documentation": "ドキュメント", "xpack.observability.resources.forum": "ディスカッションフォーラム", "xpack.observability.resources.quick_start": "クイックスタートビデオ", @@ -23623,7 +25107,7 @@ "xpack.observability.status.learnMoreButton": "詳細", "xpack.observability.status.progressBarDescription": "オブザーバビリティ統合および機能の追加の進行状況を追跡します。", "xpack.observability.status.progressBarDismiss": "閉じる", - "xpack.observability.status.progressBarTitle": "段階的なオブザーバビリティの設定", + "xpack.observability.status.progressBarTitle": "オブザーバビリティのデータアシスタント", "xpack.observability.status.progressBarViewDetails": "詳細を表示", "xpack.observability.status.recommendedSteps": "推奨される次のステップ", "xpack.observability.statusVisualization.alert.description": "オブザーバビリティで複雑な条件を検出し、それらの条件が満たされたときにアクションをトリガーします。", @@ -23654,8 +25138,8 @@ "xpack.observability.tour.alertsStep.tourContent": "電子メール、PagerDuty、Slackなどのサードパーティプラットフォーム統合でアラートをトリガーする条件を定義して検出します。", "xpack.observability.tour.alertsStep.tourTitle": "変更が発生したときに通知", "xpack.observability.tour.endButtonLabel": "ツアーを終了", - "xpack.observability.tour.guidedSetupStep.tourContent": "Elasticオブザーバビリティを使用する最も簡単な方法は、ガイド付きセットアップに従うことです。", - "xpack.observability.tour.guidedSetupStep.tourTitle": "データを追加してください。", + "xpack.observability.tour.guidedSetupStep.tourContent": "Elasticオブザーバビリティに進む最も簡単な方法は、データアシスタントで推奨された次のステップに従うことです。", + "xpack.observability.tour.guidedSetupStep.tourTitle": "Elasticオブザーバビリティのその他の機能", "xpack.observability.tour.metricsExplorerStep.imageAltText": "メトリックエクスプローラーのデモ", "xpack.observability.tour.metricsExplorerStep.tourContent": "システム、クラウド、ネットワーク、その他のインフラストラクチャーソースからメトリックをストリーム、グループ化、可視化します。", "xpack.observability.tour.metricsExplorerStep.tourTitle": "インフラストラクチャーの正常性を監視", @@ -23669,6 +25153,7 @@ "xpack.observability.tour.streamStep.imageAltText": "ログストリームのデモ", "xpack.observability.tour.streamStep.tourContent": "アプリケーション、サーバー、仮想マシン、コネクターからのログイベントを監視、フィルター、検査します。", "xpack.observability.tour.streamStep.tourTitle": "リアルタイムでログを追跡", + "xpack.observability.uiSettings.giveFeedBackLabel": "フィードバックを作成する", "xpack.observability.uiSettings.technicalPreviewLabel": "テクニカルプレビュー", "xpack.observability.ux.addDataButtonLabel": "UXデータを追加", "xpack.observability.ux.coreVitals.average": "平均", @@ -23698,6 +25183,7 @@ "xpack.osquery.agentPolicy.confirmModalCalloutDescription": "選択した{agentPolicyCount, plural, other {エージェントポリシー}}が一部のエージェントですでに使用されていることをFleetが検出しました。このアクションの結果として、Fleetはこの{agentPolicyCount, plural, other {エージェントポリシー}}を使用するすべてのエージェントに更新をデプロイします。", "xpack.osquery.agents.mulitpleSelectedAgentsText": "{numAgents}個のエージェントが選択されました。", "xpack.osquery.agents.oneSelectedAgentText": "{numAgents}個のエージェントが選択されました。", + "xpack.osquery.cases.permissionDenied": " これらの結果にアクセスするには、{osquery} Kibana権限について管理者に確認してください。", "xpack.osquery.configUploader.unsupportedFileTypeText": "ファイルタイプ{fileType}はサポートされていません。{supportedFileTypes}構成ファイルをアップロードしてください", "xpack.osquery.createScheduledQuery.agentPolicyAgentsCountText": "{count, plural, other {#個のエージェント}}が登録されました", "xpack.osquery.editPack.pageTitle": "{queryName}を編集", @@ -23712,11 +25198,12 @@ "xpack.osquery.pack.queriesTable.deleteActionAriaLabel": "{queryName}を削除", "xpack.osquery.pack.queriesTable.editActionAriaLabel": "{queryName}を編集", "xpack.osquery.pack.queryFlyoutForm.intervalFieldMaxNumberError": "間隔値は{than}よりも小さくなければなりません", - "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldRequiredErrorMessage": "値が必要です。", + "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldValueMissingErrorMessage": "現在のクエリは{columnName}フィールドを返しません", "xpack.osquery.pack.table.activatedSuccessToastMessageText": "\"{packName}\"が正常にアクティブ化されました", "xpack.osquery.pack.table.deactivatedSuccessToastMessageText": "\"{packName}\"が正常に非アクティブ化されました", "xpack.osquery.pack.table.deleteQueriesButtonLabel": "{queriesCount, plural, other {# 個のクエリ}}を削除", "xpack.osquery.packDetails.pageTitle": "{queryName}詳細", + "xpack.osquery.packs.table.runActionAriaLabel": "{packName}を実行", "xpack.osquery.packUploader.unsupportedFileTypeText": "ファイルタイプ{fileType}はサポートされていません。{supportedFileTypes}構成ファイルをアップロードしてください", "xpack.osquery.results.multipleAgentsResponded": "{agentsResponded, plural, other {# エージェント}}が応答しましたが、osqueryデータが報告されていません。", "xpack.osquery.savedQueryList.queriesTable.editActionAriaLabel": "{savedQueryName}を編集", @@ -23749,17 +25236,20 @@ "xpack.osquery.agent_policies.fetchError": "エージェントポリシーの取得中にエラーが発生しました", "xpack.osquery.agent_policy_details.fetchError": "エージェントポリシー詳細の取得中にエラーが発生しました", "xpack.osquery.agent_status.fetchError": "エージェントステータスの取得中にエラーが発生しました", + "xpack.osquery.agent.attachedQuery": "関連付けられたクエリ", "xpack.osquery.agentDetails.fetchError": "エージェント詳細の取得中にエラーが発生しました", "xpack.osquery.agentPolicy.confirmModalCancelButtonLabel": "キャンセル", "xpack.osquery.agentPolicy.confirmModalConfirmButtonLabel": "変更を保存してデプロイ", "xpack.osquery.agentPolicy.confirmModalDescription": "続行していいですか?", "xpack.osquery.agentPolicy.confirmModalTitle": "変更を保存してデプロイ", + "xpack.osquery.agents.agent": "エージェント", "xpack.osquery.agents.allAgentsLabel": "すべてのエージェント", "xpack.osquery.agents.errorSearchDescription": "すべてのエージェント検索でエラーが発生しました", "xpack.osquery.agents.failSearchDescription": "エージェントを取得できませんでした", "xpack.osquery.agents.fetchError": "エージェントの取得中にエラーが発生しました", "xpack.osquery.agents.platformLabel": "プラットフォーム", "xpack.osquery.agents.policyLabel": "ポリシー", + "xpack.osquery.agents.query": "クエリ", "xpack.osquery.agents.selectAgentLabel": "クエリを実行するエージェントまたはグループを選択", "xpack.osquery.agents.selectionLabel": "エージェント", "xpack.osquery.appNavigation.liveQueriesLinkText": "ライブクエリ", @@ -23767,6 +25257,7 @@ "xpack.osquery.appNavigation.packsLinkText": "パック", "xpack.osquery.appNavigation.savedQueriesLinkText": "保存されたクエリ", "xpack.osquery.appNavigation.sendFeedbackButton": "フィードバックを送信", + "xpack.osquery.betaBadgeLabel": "ベータ", "xpack.osquery.breadcrumbs.addpacksPageTitle": "追加", "xpack.osquery.breadcrumbs.appTitle": "Osquery", "xpack.osquery.breadcrumbs.editpacksPageTitle": "編集", @@ -23776,6 +25267,7 @@ "xpack.osquery.breadcrumbs.overviewPageTitle": "概要", "xpack.osquery.breadcrumbs.packsPageTitle": "パック", "xpack.osquery.breadcrumbs.savedQueriesPageTitle": "保存されたクエリ", + "xpack.osquery.comboBoxField.placeHolderText": "入力してエンターキーを押してください", "xpack.osquery.configUploader.exampleConfigLinkLabel": "構成の例", "xpack.osquery.configUploader.initialPromptTextLabel": "osquery構成ファイルを選択するか、ドラッグします", "xpack.osquery.deletePack.confirmationModal.body": "このパックを削除しようとしています。実行しますか?", @@ -23816,6 +25308,7 @@ "xpack.osquery.liveQuery.queryForm.packQueryTypeLabel": "パック", "xpack.osquery.liveQuery.queryForm.singleQueryTypeDescription": "保存されたクエリまたは新しいクエリを実行します。", "xpack.osquery.liveQuery.queryForm.singleQueryTypeLabel": "1つのクエリ", + "xpack.osquery.liveQueryActionResults.results": "結果", "xpack.osquery.liveQueryActionResults.summary.expiredLabelText": "期限切れ", "xpack.osquery.liveQueryActionResults.summary.failedLabelText": "失敗", "xpack.osquery.liveQueryActionResults.summary.pendingLabelText": "未応答", @@ -23833,6 +25326,8 @@ "xpack.osquery.liveQueryActions.table.createdAtColumnTitle": "作成日時:", "xpack.osquery.liveQueryActions.table.createdByColumnTitle": "実行者", "xpack.osquery.liveQueryActions.table.queryColumnTitle": "クエリ", + "xpack.osquery.liveQueryActions.table.runActionAriaLabel": "クエリを実行", + "xpack.osquery.liveQueryActions.table.viewDetailsActionButton": "詳細", "xpack.osquery.liveQueryActions.table.viewDetailsColumnTitle": "詳細を表示", "xpack.osquery.liveQueryDetails.pageTitle": "ライブクエリ詳細", "xpack.osquery.liveQueryDetails.viewLiveQueriesHistoryTitle": "ライブクエリ履歴を表示", @@ -23848,17 +25343,26 @@ "xpack.osquery.pack.form.agentPoliciesFieldHelpText": "このパックのクエリは、選択したポリシーのエージェントに対してスケジュールされています。", "xpack.osquery.pack.form.agentPoliciesFieldLabel": "スケジュールされたエージェントポリシー(任意)", "xpack.osquery.pack.form.cancelButtonLabel": "キャンセル", + "xpack.osquery.pack.form.deleteShardsRowButtonAriaLabel": "今すぐシャードを削除", "xpack.osquery.pack.form.descriptionFieldLabel": "説明(オプション)", "xpack.osquery.pack.form.ecsMappingSection.description": "次のフィールドを使用して、このクエリの結果をECSフィールドにマッピングします。", "xpack.osquery.pack.form.ecsMappingSection.osqueryValueOptionLabel": "Osquery値", "xpack.osquery.pack.form.ecsMappingSection.staticValueOptionLabel": "固定値", "xpack.osquery.pack.form.ecsMappingSection.title": "ECSマッピング", + "xpack.osquery.pack.form.globalDescription": "すべてのポリシーでパックを使用", + "xpack.osquery.pack.form.globalLabel": "グローバル", "xpack.osquery.pack.form.nameFieldLabel": "名前", "xpack.osquery.pack.form.nameFieldRequiredErrorMessage": "名前は必須フィールドです", + "xpack.osquery.pack.form.percentageFieldLabel": "シャード", + "xpack.osquery.pack.form.policyDescription": "特定のポリシーのパックをスケジュールします。", + "xpack.osquery.pack.form.policyFieldLabel": "ポリシー", + "xpack.osquery.pack.form.policyLabel": "ポリシー", "xpack.osquery.pack.form.savePackButtonLabel": "パックの保存", + "xpack.osquery.pack.form.shardsPolicyFieldMissingErrorMessage": "ポリシーは必須フィールドです", "xpack.osquery.pack.form.updatePackButtonLabel": "パックの更新", "xpack.osquery.pack.queriesForm.addQueryButtonLabel": "クエリを追加", "xpack.osquery.pack.queriesTable.actionsColumnTitle": "アクション", + "xpack.osquery.pack.queriesTable.addToCaseResultsActionAriaLabel": "ケースに追加", "xpack.osquery.pack.queriesTable.agentsResultsColumnTitle": "エージェント", "xpack.osquery.pack.queriesTable.docsResultsColumnTitle": "ドキュメント", "xpack.osquery.pack.queriesTable.errorsResultsColumnTitle": "エラー", @@ -23884,11 +25388,17 @@ "xpack.osquery.pack.queryFlyoutForm.invalidIdError": "文字は英数字、_、または-でなければなりません", "xpack.osquery.pack.queryFlyoutForm.mappingEcsFieldLabel": "ECSフィールド", "xpack.osquery.pack.queryFlyoutForm.mappingValueFieldLabel": "値", - "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldValueMissingErrorMessage": "現在のクエリは{columnName}フィールドを返しません", + "xpack.osquery.pack.queryFlyoutForm.osqueryAgentsMissingErrorMessage": "エージェントは必須フィールドです", + "xpack.osquery.pack.queryFlyoutForm.osqueryPackMissingErrorMessage": "パックは必須フィールドです", + "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldRequiredErrorMessage": "値フィールドは必須です。", "xpack.osquery.pack.queryFlyoutForm.platformFieldLabel": "プラットフォーム", "xpack.osquery.pack.queryFlyoutForm.platformLinusLabel": "macOS", "xpack.osquery.pack.queryFlyoutForm.platformMacOSLabel": "Linux", "xpack.osquery.pack.queryFlyoutForm.platformWindowsLabel": "Windows", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.differentialAddedOnlyValueLabel": "差分(削除を無視)", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.differentialValueLabel": "差分", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.snapshotValueLabel": "スナップショット", + "xpack.osquery.pack.queryFlyoutForm.resultTypeFieldLabel": "結果タイプ", "xpack.osquery.pack.queryFlyoutForm.saveButtonLabel": "保存", "xpack.osquery.pack.queryFlyoutForm.uniqueIdError": "IDは一意でなければなりません", "xpack.osquery.pack.queryFlyoutForm.versionFieldLabel": "最低Osqueryバージョン", @@ -23918,6 +25428,7 @@ "xpack.osquery.queryFlyoutForm.addFormTitle": "次のクエリを関連付ける", "xpack.osquery.queryFlyoutForm.cancelButtonLabel": "キャンセル", "xpack.osquery.queryFlyoutForm.editFormTitle": "クエリの編集", + "xpack.osquery.queryFlyoutForm.fieldOptionalLabel": "(オプション)", "xpack.osquery.queryFlyoutForm.saveButtonLabel": "保存", "xpack.osquery.queryFlyoutForm.versionFieldOptionalLabel": "(オプション)", "xpack.osquery.queryPlaygroundFlyout.title": "クエリのテスト", @@ -23927,18 +25438,95 @@ "xpack.osquery.savedQueries.dropdown.searchFieldLabel": "クエリ", "xpack.osquery.savedQueries.dropdown.searchFieldPlaceholder": "実行するクエリを検索するか、以下で新しいクエリを作成してください", "xpack.osquery.savedQueries.form.packConfigSection.description": "次のリストのオプションは任意であり、クエリがパックに割り当てられるときにのみ適用されます。", + "xpack.osquery.savedQueries.form.packConfigSection.testConfigButtonLabel": "構成のテスト", "xpack.osquery.savedQueries.form.packConfigSection.title": "パック構成", "xpack.osquery.savedQueries.table.actionsColumnTitle": "アクション", "xpack.osquery.savedQueries.table.createdByColumnTitle": "作成者", "xpack.osquery.savedQueries.table.descriptionColumnTitle": "説明", "xpack.osquery.savedQueries.table.queryIdColumnTitle": "クエリID", "xpack.osquery.savedQueries.table.updatedAtColumnTitle": "最終更新日時", + "xpack.osquery.savedQuery.queryEditorLabel": "クエリ", "xpack.osquery.savedQuery.saveQueryFlyoutForm.addFormTitle": "クエリを保存", "xpack.osquery.savedQueryList.addSavedQueryButtonLabel": "保存されたクエリの追加", "xpack.osquery.savedQueryList.pageTitle": "保存されたクエリ", "xpack.osquery.scheduledQueryErrorsTable.agentIdColumnTitle": "エージェントID", "xpack.osquery.scheduledQueryErrorsTable.errorColumnTitle": "エラー", "xpack.osquery.viewSavedQuery.prebuiltInfo": "これは既製のElasticクエリであり、編集できません。", + "xpack.profiling.flameGraphTooltip.valueLabel": "{value}と{comparison}", + "xpack.profiling.formatters.weight": "{lbs} lbs / {kgs} kg", + "xpack.profiling.maxValue": "最大値:{max}", + "xpack.profiling.appPageTemplate.pageTitle": "ユニバーサルプロファイリング", + "xpack.profiling.asyncComponent.errorLoadingData": "データを読み込めませんでした", + "xpack.profiling.breadcrumb.differentialFlamegraph": "差分flamegraph", + "xpack.profiling.breadcrumb.differentialFunctions": "差分上位N", + "xpack.profiling.breadcrumb.flamegraph": "Flamegraph", + "xpack.profiling.breadcrumb.flamegraphs": "Flamegraph", + "xpack.profiling.breadcrumb.functions": "関数", + "xpack.profiling.breadcrumb.profiling": "ユニバーサルプロファイリング", + "xpack.profiling.breadcrumb.topnFunctions": "トップ N", + "xpack.profiling.featureRegistry.profilingFeatureName": "ユニバーサルプロファイリング", + "xpack.profiling.flameGraph.showInformationWindow": "情報ウィンドウを表示", + "xpack.profiling.flameGraphInformationWindow.annualizedCo2ExclusiveLabel": "年間換算CO2(子を除く)", + "xpack.profiling.flameGraphInformationWindow.annualizedCo2InclusiveLabel": "年間換算CO2", + "xpack.profiling.flameGraphInformationWindow.annualizedCoreSecondsExclusiveLabel": "年間換算core-seconds(子を除く)", + "xpack.profiling.flameGraphInformationWindow.annualizedCoreSecondsInclusiveLabel": "年間換算core-seconds", + "xpack.profiling.flameGraphInformationWindow.annualizedDollarCostExclusiveLabel": "年間換算ドル建てコスト(子を除く)", + "xpack.profiling.flameGraphInformationWindow.annualizedDollarCostInclusiveLabel": "年間換算ドル建てコスト", + "xpack.profiling.flameGraphInformationWindow.co2EmissionExclusiveLabel": "CO2排出量(子を除く)", + "xpack.profiling.flameGraphInformationWindow.co2EmissionInclusiveLabel": "CO2排出量", + "xpack.profiling.flameGraphInformationWindow.coreSecondsExclusiveLabel": "Core-seconds(子を除く)", + "xpack.profiling.flameGraphInformationWindow.coreSecondsInclusiveLabel": "Core-seconds", + "xpack.profiling.flameGraphInformationWindow.dollarCostExclusiveLabel": "ドル建てコスト(子を除く)", + "xpack.profiling.flameGraphInformationWindow.dollarCostInclusiveLabel": "ドル建てコスト", + "xpack.profiling.flameGraphInformationWindow.executableLabel": "実行ファイル", + "xpack.profiling.flameGraphInformationWindow.frameTypeLabel": "フレームタイプ", + "xpack.profiling.flameGraphInformationWindow.functionLabel": "関数", + "xpack.profiling.flameGraphInformationWindow.impactEstimatesTitle": "影響度の推定", + "xpack.profiling.flameGraphInformationWindow.percentageCpuTimeExclusiveLabel": "CPU時間の割合(子を除く)", + "xpack.profiling.flameGraphInformationWindow.percentageCpuTimeInclusiveLabel": "CPU時間の割合", + "xpack.profiling.flameGraphInformationWindow.samplesExclusiveLabel": "サンプル(子を除く)", + "xpack.profiling.flameGraphInformationWindow.samplesInclusiveLabel": "サンプル", + "xpack.profiling.flamegraphInformationWindow.selectFrame": "フレームをクリックすると、詳細が表示されます", + "xpack.profiling.flameGraphInformationWindow.sourceFileLabel": "ソースファイル", + "xpack.profiling.flameGraphInformationWindowTitle": "フレーム情報", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeAbsoluteButtonLabel": "Abs", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeLegend": "このスイッチでは、両方のグラフの絶対比較と相対比較を切り替えることができます", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeRelativeButtonLabel": "Rel", + "xpack.profiling.flameGraphsView.differentialFlameGraphTabLabel": "差分flamegraph", + "xpack.profiling.flameGraphsView.flameGraphTabLabel": "Flamegraph", + "xpack.profiling.flameGraphTooltip.exclusiveCpuLabel": "CPU", + "xpack.profiling.flameGraphTooltip.inclusiveCpuLabel": "CPU(サブ関数を含む)", + "xpack.profiling.flameGraphTooltip.samplesLabel": "サンプル", + "xpack.profiling.functionsView.cpuColumnLabel1Exclusive": "CPU(", + "xpack.profiling.functionsView.cpuColumnLabel1Inclusive": "CPU(", + "xpack.profiling.functionsView.cpuColumnLabel2Exclusive": "サブ関数を除く)", + "xpack.profiling.functionsView.cpuColumnLabel2Inclusive": "サブ関数を含む)", + "xpack.profiling.functionsView.diffColumnLabel": "差分", + "xpack.profiling.functionsView.differentialFunctionsTabLabel": "差分上位N関数", + "xpack.profiling.functionsView.functionColumnLabel": "関数", + "xpack.profiling.functionsView.functionsTabLabel": "TopN関数", + "xpack.profiling.functionsView.newLabel": "新規", + "xpack.profiling.functionsView.rankColumnLabel": "ランク", + "xpack.profiling.functionsView.samplesColumnLabel": "サンプル(推定)", + "xpack.profiling.functionsView.totalSampleCountLabel": " 合計サンプル推定:", + "xpack.profiling.navigation.flameGraphsLinkLabel": "Flamegraph", + "xpack.profiling.navigation.functionsLinkLabel": "関数", + "xpack.profiling.navigation.sectionLabel": "ユニバーサルプロファイリング", + "xpack.profiling.navigation.stacktracesLinkLabel": "Stacktraces", + "xpack.profiling.notAvailableLabel": "N/A", + "xpack.profiling.stackTracesView.containersTabLabel": "コンテナー", + "xpack.profiling.stackTracesView.deploymentsTabLabel": "デプロイ", + "xpack.profiling.stackTracesView.displayOptionLegend": "表示オプション", + "xpack.profiling.stackTracesView.hostsTabLabel": "ホスト", + "xpack.profiling.stackTracesView.otherTraces": "[これは小さすぎて表示できないすべてのトレースの要約です]", + "xpack.profiling.stackTracesView.percentagesButton": "割合", + "xpack.profiling.stackTracesView.showMoreButton": "詳細表示", + "xpack.profiling.stackTracesView.showMoreTracesButton": "詳細表示", + "xpack.profiling.stackTracesView.stackTracesCountButton": "スタックトレース", + "xpack.profiling.stackTracesView.threadsTabLabel": "スレッド", + "xpack.profiling.stackTracesView.tracesTabLabel": "トレース", + "xpack.profiling.topn.otherBucketLabel": "その他", + "xpack.profiling.zeroSeconds": "0秒", "xpack.remoteClusters.addAction.failedDefaultErrorMessage": "{statusCode} エラーでリクエスト失敗:{message}", "xpack.remoteClusters.detailPanel.deprecatedSettingsConfiguredByNodeMessage": "クラスターを編集して設定を更新します。 {helpLink}", "xpack.remoteClusters.detailPanel.deprecatedSettingsMessage": "設定を更新するための {editLink}。", @@ -24113,6 +25701,7 @@ "xpack.reporting.diagnostic.noUsableSandbox": "Chromiumサンドボックスを使用できません。これは「xpack.screenshotting.browser.chromium.disableSandbox」で無効にすることができます。この作業はご自身の責任で行ってください。{url}を参照してください", "xpack.reporting.exportTypes.common.failedToDecryptReportJobDataErrorMessage": "レポートジョブデータの解読に失敗しました。{encryptionKey}が設定されていることを確認してこのレポートを再生成してください。{err}", "xpack.reporting.exportTypes.csv.generateCsv.esErrorMessage": "Elasticsearchから{statusCode}応答を受信しました:{message}", + "xpack.reporting.exportTypes.csv.generateCsv.incorrectRowCount": "検索から生成されたCSVの行数でエラーが発生しました。正しい行数:{expected}、実際の行数:{received}。", "xpack.reporting.exportTypes.csv.generateCsv.unknownErrorMessage": "不明なエラーが発生しました:{message}", "xpack.reporting.jobsQuery.deleteError": "レポートを削除できません:{error}", "xpack.reporting.jobStatusDetail.attemptXofY": "{attempts}/{max_attempts}回試行します。", @@ -24142,6 +25731,7 @@ "xpack.reporting.statusIndicator.lastStatusUpdateLabel": "{date}に更新済み", "xpack.reporting.statusIndicator.processingLabel": "処理中。{attempt}回試行", "xpack.reporting.statusIndicator.processingMaxAttemptsLabel": "処理中。{of}回中{attempt}回試行", + "xpack.reporting.userAccessError.message": "レポート機能にアクセスするには、管理者に問い合わせてください。{grantUserAccessDocs}。", "xpack.reporting.breadcrumb": "レポート", "xpack.reporting.common.browserCouldNotLaunchErrorMessage": "ブラウザーが起動していないため、スクリーンショットを生成できません。詳細については、サーバーログを参照してください。", "xpack.reporting.common.cloud.insufficientSystemMemoryError": "メモリ不足のため、このレポートを生成できません。", @@ -24271,7 +25861,7 @@ "xpack.reporting.panelContent.advancedOptions": "高度なオプション", "xpack.reporting.panelContent.copyUrlButtonLabel": "POST URL をコピー", "xpack.reporting.panelContent.howToCallGenerationDescription": "POST URL をコピーして Kibana 外または ウォッチャー から生成を実行することもできます。", - "xpack.reporting.panelContent.notification.reportingErrorTitle": "レポートのしました", + "xpack.reporting.panelContent.notification.reportingErrorTitle": "レポートを作成できません", "xpack.reporting.panelContent.saveWorkDescription": "レポートの生成前に変更内容を保存してください。", "xpack.reporting.panelContent.unsavedStateAndExceedsMaxLengthDescription": "このURLはコピーできません。", "xpack.reporting.panelContent.unsavedStateAndExceedsMaxLengthTitle": "URLが長すぎます", @@ -24309,6 +25899,7 @@ "xpack.reporting.statusIndicator.unknownLabel": "不明", "xpack.reporting.uiSettings.validate.customLogo.badFile": "このファイルは動作しません。別の画像ファイルを試してください。", "xpack.reporting.uiSettings.validate.customLogo.tooLarge": "このファイルは大きすぎます。画像ファイルは200キロバイト未満でなければなりません。", + "xpack.reporting.userAccessError.learnMoreLink": "詳細", "xpack.rollupJobs.create.errors.dateHistogramIntervalInvalidCalendarInterval": "「{unit}」単位には 1 の値しか使用できません。{suggestion} をお試しください。", "xpack.rollupJobs.create.errors.dateHistogramIntervalInvalidCalendarIntervalSuggestion": "1{unit}", "xpack.rollupJobs.create.errors.idSameAsCloned": "名前はクローン名「{clonedId}」と同じにできません。", @@ -24560,6 +26151,7 @@ "xpack.savedObjectsTagging.notifications.createTagSuccessTitle": "「{name}」タグを作成", "xpack.savedObjectsTagging.notifications.deleteTagSuccessTitle": "「{name}」タグを削除しました", "xpack.savedObjectsTagging.notifications.editTagSuccessTitle": "「{name}」タグの変更を保存しました", + "xpack.savedObjectsTagging.tagList.tagBadge.buttonLabel": "{tagName}タグボタン。", "xpack.savedObjectsTagging.validation.description.errorTooLong": "タグ説明は {length} 文字以下で入力してください", "xpack.savedObjectsTagging.validation.name.errorTooLong": "タグ名は {length} 文字以下で入力してください", "xpack.savedObjectsTagging.validation.name.errorTooShort": "タグ名は {length} 文字以上で入力してください", @@ -24878,6 +26470,7 @@ "xpack.security.loginPage.xpackUnavailableTitle": "現在 Kibana に構成されている Elasticsearch クラスターへの接続をキャンセルします。", "xpack.security.loginWithElasticsearchLabel": "Elasticsearchでログイン", "xpack.security.logoutAppTitle": "ログアウト", + "xpack.security.management.api_keys.readonlyTooltip": "APIを作成または編集できません", "xpack.security.management.apiKeys.base64Description": "Elasticsearchで認証するために使用される形式。", "xpack.security.management.apiKeys.base64Label": "Base64", "xpack.security.management.apiKeys.beatsDescription": "Beatsを構成するために使用される形式。", @@ -24905,6 +26498,7 @@ "xpack.security.management.apiKeys.table.apiKeysDisabledErrorLinkText": "ドキュメント", "xpack.security.management.apiKeys.table.apiKeysDisabledErrorTitle": "Elasticsearch で API キーが有効ではありません", "xpack.security.management.apiKeys.table.apiKeysOwnDescription": "APIキーを表示して削除します。API キーはユーザーの代わりにリクエストを送信します。", + "xpack.security.management.apiKeys.table.apiKeysReadOnlyDescription": "APIキーを表示します。API キーはユーザーの代わりにリクエストを送信します。", "xpack.security.management.apiKeys.table.apiKeysTableLoadingMessage": "API キーを読み込み中…", "xpack.security.management.apiKeys.table.apiKeysTitle": "API キー", "xpack.security.management.apiKeys.table.createButton": "APIキーを作成", @@ -24915,6 +26509,7 @@ "xpack.security.management.apiKeys.table.loadingApiKeysDescription": "API キーを読み込み中…", "xpack.security.management.apiKeys.table.manageOwnKeysWarning": "自分のAPIキーを管理する権限のみが付与されています。", "xpack.security.management.apiKeys.table.nameColumnName": "名前", + "xpack.security.management.apiKeys.table.readOnlyOwnKeysWarning": "自分のAPIキーを表示する権限のみが付与されています。", "xpack.security.management.apiKeys.table.realmColumnName": "レルム", "xpack.security.management.apiKeys.table.realmFilterLabel": "レルム", "xpack.security.management.apiKeys.table.statusActive": "アクティブ", @@ -24928,6 +26523,8 @@ "xpack.security.management.apiKeysEmptyPrompt.emptyTitle": "最初のAPIキーを作成", "xpack.security.management.apiKeysEmptyPrompt.errorMessage": "APIキーを読み込めませんでした。", "xpack.security.management.apiKeysEmptyPrompt.forbiddenErrorMessage": "APIキーを管理する権限がありません。", + "xpack.security.management.apiKeysEmptyPrompt.readOnlyEmptyMessage": "詳細については、管理者に問い合わせてください", + "xpack.security.management.apiKeysEmptyPrompt.readOnlyEmptyTitle": "APIキーを作成するパーミッションがありません。", "xpack.security.management.apiKeysEmptyPrompt.technicalDetailsButton": "技術詳細", "xpack.security.management.apiKeysTitle": "APIキー", "xpack.security.management.deprecatedBadge": "非推奨", @@ -24956,6 +26553,7 @@ "xpack.security.management.editRole.elasticSearchPrivileges.runAsPrivilegesTitle": "権限として実行", "xpack.security.management.editRole.errorDeletingRoleError": "ロールの削除エラー", "xpack.security.management.editRole.errorSavingRoleError": "ロールの保存エラー", + "xpack.security.management.editRole.featureTable.cannotCustomizeSubFeaturesTooltip": "サブ機能権限のカスタマイズはサブスクリプション機能です。", "xpack.security.management.editRole.featureTable.customizeSubFeaturePrivilegesSwitchLabel": "サブ機能権限をカスタマイズする", "xpack.security.management.editRole.featureTable.featureVisibilityTitle": "機能権限をカスタマイズ", "xpack.security.management.editRole.featureTable.managementCategoryHelpText": "スタック管理へのアクセスは、ElasticsearchとKibanaの両方の権限によって決まり、明示的に無効にすることはできません。", @@ -24973,7 +26571,7 @@ "xpack.security.management.editRole.privilegeSummary.privilegeGrantedIconTip": "権限があります", "xpack.security.management.editRole.privilegeSummary.privilegeNotGrantedIconTip": "権限がありません", "xpack.security.management.editRole.privilegeSummary.viewSummaryButtonText": "権限サマリーを表示", - "xpack.security.management.editRole.returnToRoleListButtonLabel": "ロールリストに戻る", + "xpack.security.management.editRole.returnToRoleListButtonLabel": "ロールに戻る", "xpack.security.management.editRole.reversedRoleBadge.reservedRolesCanNotBeModifiedTooltip": "リザーブされたロールはビルトインのため削除または変更できません。", "xpack.security.management.editRole.roleNameFormRowHelpText": "ロール名は作成後変更できません。", "xpack.security.management.editRole.roleNameFormRowTitle": "ロール名", @@ -25008,6 +26606,7 @@ "xpack.security.management.editRole.spacesPopoverList.findSpacePlaceholder": "スペースを検索", "xpack.security.management.editRole.spacesPopoverList.noSpacesFoundTitle": " スペースが見つかりません ", "xpack.security.management.editRole.spacesPopoverList.popoverTitle": "スペース", + "xpack.security.management.editRole.spacesPopoverList.selectSpacesTitle": "スペース", "xpack.security.management.editRole.transformErrorSectionDescription": "このロール定義は無効です。この画面では編集できません。", "xpack.security.management.editRole.transformErrorSectionTitle": "不正形式のロール", "xpack.security.management.editRole.updateRoleText": "ロールを更新", @@ -25106,6 +26705,7 @@ "xpack.security.management.editRolespacePrivilegeForm.updateGlobalPrivilegeButton": "グローバル特権を更新", "xpack.security.management.editRolespacePrivilegeForm.updatePrivilegeButton": "スペース権限を更新", "xpack.security.management.enabledBadge": "有効", + "xpack.security.management.readonlyBadge.text": "読み取り専用", "xpack.security.management.reservedBadge": "リザーブ", "xpack.security.management.roleMappings.actionCloneAriaLabel": "'{name}'の複製", "xpack.security.management.roleMappings.actionCloneTooltip": "クローンを作成", @@ -25151,6 +26751,7 @@ "xpack.security.management.roles.nameColumnName": "ロール", "xpack.security.management.roles.noIndexPatternsPermission": "利用可能なインデックスパターンのリストへのアクセス権が必要です。", "xpack.security.management.roles.noPermissionToManageRolesDescription": "システム管理者にお問い合わせください。", + "xpack.security.management.roles.readonlyTooltip": "ロールを作成または編集できません", "xpack.security.management.roles.reservedRoleBadgeTooltip": "リザーブされたロールはビルトインのため削除または変更できません。", "xpack.security.management.roles.roleTitle": "ロール", "xpack.security.management.roles.showReservedRolesLabel": "リザーブされたロールを表示", @@ -25210,6 +26811,7 @@ "xpack.security.management.users.emailAddressColumnName": "メールアドレス", "xpack.security.management.users.fullNameColumnName": "フルネーム", "xpack.security.management.users.permissionDeniedToManageUsersDescription": "システム管理者にお問い合わせください。", + "xpack.security.management.users.readonlyTooltip": "ユーザーを作成または編集できません", "xpack.security.management.users.reservedColumnDescription": "リザーブされたユーザーはビルトインのため削除できません。パスワードのみ変更できます。", "xpack.security.management.users.reservedUserBadgeTooltip": "リザーブされたロールは組み込みロールなので編集や削除はできません。", "xpack.security.management.users.roleComboBox.AdminRoles": "管理者ロール", @@ -25286,6 +26888,8 @@ "xpack.security.unauthenticated.pageTitle": "ログインできませんでした", "xpack.security.users.breadcrumb": "ユーザー", "xpack.security.users.editUserPage.createBreadcrumb": "作成", + "xpack.securitySolution.alertDetails.overview.hostRiskClassification": "現在の{riskEntity}リスク分類", + "xpack.securitySolution.alertDetails.overview.hostRiskDataTitle": "{riskEntity}リスクデータ", "xpack.securitySolution.alertDetails.overview.insights_related_alerts_by_source_event_count": "ソースイベントに関連する{count} {count, plural, other {件のアラート}}", "xpack.securitySolution.alertDetails.overview.insights_related_cases_found_content": "このアラートは{caseCount}で見つかりました", "xpack.securitySolution.alertDetails.overview.insights_related_cases_found_content_count": "{caseCount} {caseCount, plural, other {個のケース:}}", @@ -25293,6 +26897,9 @@ "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_count": "セッションに関連する{count} {count, plural, other {件のアラート}}", "xpack.securitySolution.alertDetails.overview.insights.related_cases_count": "このアラートに関連する{count} {count, plural, other {件のケース}}", "xpack.securitySolution.alertDetails.overview.insights.relatedCasesFailure": "関連するケースを読み込めません:\"{error}\"", + "xpack.securitySolution.alertDetails.overview.originalHostRiskClassification": "元の{riskEntity}リスク分類", + "xpack.securitySolution.alertDetails.overview.riskDataTooltipContent": "リスク分類は、{riskEntity}で使用可能なときにのみ表示されます。環境内で{riskScoreDocumentationLink}が有効であることを確認してください。", + "xpack.securitySolution.alerts.alertDetails.summary.cases.subTitle": "このアラートを含む直近に作成された{caseCount}件のケースを表示しています", "xpack.securitySolution.anomaliesTable.table.unit": "{totalCount, plural, other {異常}}", "xpack.securitySolution.artifactCard.comments.label.hide": "コメントを非表示({count})", "xpack.securitySolution.artifactCard.comments.label.show": "コメントを表示({count})", @@ -25320,11 +26927,13 @@ "xpack.securitySolution.components.embeddables.mapToolTip.footerLabel": "{currentFeature}/{totalFeatures} {totalFeatures, plural, other {機能}}", "xpack.securitySolution.components.mlPopup.anomalyDetectionDescription": "以下の機械学習ジョブのいずれかを実行して、検知された異常のアラートを生成する検知ルールを作成する準備をし、セキュリティアプリケーションで異常イベントを表示します。基本操作として、いくつかの一般的な検出ジョブが提供されています。独自のカスタムMLジョブを追加する場合は、{machineLearning}アプリケーションからMLジョブを作成して、「セキュリティ」グループに追加します。", "xpack.securitySolution.components.mlPopup.moduleNotCompatibleDescription": "データが見つかりませんでした。機械学習ジョブ要件の詳細については、{mlDocs}を参照してください。", - "xpack.securitySolution.components.mlPopup.moduleNotCompatibleTitle": "{incompatibleJobCount} {incompatibleJobCount, plural, other {件のジョブ}}が現在使用できません。", + "xpack.securitySolution.components.mlPopup.moduleNotCompatibleTitle": "{incompatibleJobCount} {incompatibleJobCount, plural, other {件のジョブ}}が現在使用できません", "xpack.securitySolution.components.mlPopup.showingLabel": "{filterResultsLength} 件の{filterResultsLength, plural, other {ジョブ}}を表示中", "xpack.securitySolution.components.mlPopup.upgradeDescription": "SIEMの異常検出機能にアクセスするには、ライセンスをプラチナに更新するか、30日間の無料トライアルを開始するか、AWS、GCP、またはAzureで{cloudLink}にサインアップしてください。その後、機械学習ジョブを実行して異常を表示できます。", + "xpack.securitySolution.configurations.suppressedAlerts": "アラートでは、{numAlertsSuppressed}件のアラートが表示されていません", "xpack.securitySolution.console.badArgument.helpMessage": "詳細なヘルプについては、{helpCmd}を入力してください。", "xpack.securitySolution.console.buildInCommand.helpArgument.helpTitle": "{cmdName}コマンド", + "xpack.securitySolution.console.commandList.callout.visitSupportSections": "対応アクションとコンソールの使用については、{learnMore}。", "xpack.securitySolution.console.commandValidation.argSupportedOnlyOnce": "引数{argName}は一度だけ使用できます", "xpack.securitySolution.console.commandValidation.exclusiveOr": "このコマンドは次の引数のいずれかのみをサポートします:{argNames}", "xpack.securitySolution.console.commandValidation.invalidArgValue": "無効な引数値:{argName}。{error}", @@ -25332,13 +26941,19 @@ "xpack.securitySolution.console.commandValidation.mustHaveArgs": "不足している必須の引数:{requiredArgs}", "xpack.securitySolution.console.commandValidation.unknownArgument": "次の{command} {countOfInvalidArgs, plural, other {引数}}はこのコマンドでサポートされていません:{unknownArgs}", "xpack.securitySolution.console.commandValidation.unsupportedArg": "サポートされていない引数:{argName}", + "xpack.securitySolution.console.sidePanel.helpDescription": "追加({icon})ボタンを使用して、テキストバーに対応アクションを入力します。必要に応じて、パラメーターまたはコメントを追加します。", "xpack.securitySolution.console.unknownCommand.helpMessage": "入力したテキスト{userInput}はサポートされていません。{helpIcon} {boldHelp}をクリックするか、{helpCmd}を入力してヘルプを表示してください。", + "xpack.securitySolution.console.validationError.helpMessage": "詳細なヘルプについては、{helpCmd}を入力してください。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeAllEventsInfo": "{nginx}、{postgres}、{cron}などのデーモンプロセスによって起動された実行を含む、すべてのシステム実行からデータを監視して収集します。{recommendation}", + "xpack.securitySolution.createPackagePolicy.stepConfigure.quickSettingsTranslation": "簡易設定を使用して、{environments}への統合を構成します。統合を作成した後には、構成を変更できます。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.seeDocumentation": "詳細については、{documentation}を参照してください。", "xpack.securitySolution.dataProviders.groupAreaAriaLabel": "グループ {group} に属しています", "xpack.securitySolution.dataProviders.showOptionsDataProviderAriaLabel": "{field} {value} オプションは Enter キーを押します。ドラッグを開始するには、スペースを押します", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertSuccessToastMessage": "{totalAlerts} {totalAlerts, plural, other {件のアラート}}を確認済みに設定しました。", "xpack.securitySolution.detectionEngine.alerts.closedAlertSuccessToastMessage": "{totalAlerts} {totalAlerts, plural, other {件のアラート}}を正常にクローズしました。", "xpack.securitySolution.detectionEngine.alerts.count.columnLabel": "{fieldName}の上位{topN}の値", "xpack.securitySolution.detectionEngine.alerts.createNewTermsTimelineFailure": "document _idのタイムラインを作成できませんでした:{id}", + "xpack.securitySolution.detectionEngine.alerts.createSuppressedTimelineFailure": "document _idのタイムラインを作成できませんでした:{id}", "xpack.securitySolution.detectionEngine.alerts.createThresholdTimelineFailure": "document _idのタイムラインを作成できませんでした:{id}", "xpack.securitySolution.detectionEngine.alerts.histogram.showingAlertsTitle": "{modifier}{totalAlertsFormatted} {totalAlerts, plural, other {件のアラート}}を表示しています", "xpack.securitySolution.detectionEngine.alerts.histogram.topNLabel": "トップ{fieldName}", @@ -25352,6 +26967,7 @@ "xpack.securitySolution.detectionEngine.components.importRuleModal.importFailedDetailedTitle": "{message}", "xpack.securitySolution.detectionEngine.components.importRuleModal.importFailedTitle": "{totalRules} {totalRules, plural, other {個のルール}}をインポートできませんでした", "xpack.securitySolution.detectionEngine.components.importRuleModal.successfullyImportedRulesTitle": "{totalRules} {totalRules, plural, other {ルール}}を正常にインポートしました", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldShouldLoadQueryDynamicallyLabel": "各ルールの実行時に、保存されたクエリ\"{savedQueryName}\"を動的に読み込みます", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.machineLearningJobIdHelpText": "手始めに使えるように、一般的なジョブがいくつか提供されています。独自のカスタムジョブを追加するには、{machineLearning} アプリケーションでジョブに「security」のグループを割り当て、ここに表示されるようにします。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlEnableJobMulti": "選択したMLジョブ{jobNames}は現在実行されていません。このルールを有効にする前に、「MLジョブ設定」でこれらのすべてのジョブを実行するように設定してください。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlEnableJobSingle": "選択したMLジョブ{jobName}は現在実行されていません。このルールを有効にする前に、{jobName}を「MLジョブ設定」で実行するように設定してください。", @@ -25370,15 +26986,15 @@ "xpack.securitySolution.detectionEngine.relatedIntegrations.popoverDescription": "{integrationsCount, plural, =1 {以下の統合} other {以下の1つ以上の統合}}をインストールおよび構成し、この検出ルールに必要なデータを取り込みます。", "xpack.securitySolution.detectionEngine.relatedIntegrations.popoverDescriptionInstalledVersionTooltip": "バージョン不一致 - 解決してください。バージョン`{requiredVersion}`が必要なときのインストール済みバージョン`{installedVersion}`", "xpack.securitySolution.detectionEngine.rule.editRule.errorMsgDescription": "{countError, plural, one {このタブ} other {これらのタブ}}に無効な入力があります:{tabHasError}", - "xpack.securitySolution.detectionEngine.rule.editRule.actionSectionsTitle": "アクション", "xpack.securitySolution.detectionEngine.ruleDetails.ruleCreationDescription": "作成者:{by} 日付:{date}", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.gapDurationColumnTooltip": "ルール実行のギャップの期間(hh:mm:ss:SSS)。ルールルックバックを調整するか、ギャップの軽減については{seeDocs}してください。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.searchLimitExceededLabel": "{totalItems}件以上のルール実行が指定されたフィルターと一致します。最新の「@timestamp」で最初の{maxItems}を表示しています。さらにフィルターを絞り込み、追加の実行イベントを表示します。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.totalExecutionsLabel": "{totalItems} {totalItems, plural, other {個のルール例外}}を表示しています", "xpack.securitySolution.detectionEngine.ruleDetails.ruleUpdateDescription": "更新者:{by} 日付:{date}", "xpack.securitySolution.detectionEngine.rules.all.exceptions.rulesPopoverButton": "+{rulesCount} {rulesCount, plural, other {ルール}}", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.showingExceptionLists": "{totalLists} {totalLists, plural, other {件のリスト}}を表示しています。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkAction.enable.successToastDescription": "{totalRules, plural, other {{totalRules}個のルール}}が正常に有効にされました", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkActionConfirmationPartlyTitle": "アクションは、選択した{customRulesCount, plural, other {#個のカスタムルール}}にのみ適用されます", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkActionConfirmationPartlyTitle": "このアクションは、{customRulesCount, plural, other {#個のカスタムルール}}にのみ適用できます", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditConfirmationDeniedTitle": "{rulesCount, plural, other {# 個のルール}}を編集できません", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditWarningToastDescription": "{rulesCount, plural, other {#個のルール}}を更新しています。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkExportConfirmationDeniedTitle": "{rulesCount, plural, other {# 個のルール}}をエクスポートできません", @@ -25389,10 +27005,17 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.errorToastDescription": "{rulesCount, plural, other {#個のルール}}を無効にできませんでした。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.successToastDescription": "{totalRules, plural, other {{totalRules}ルール}}が正常に無効にされました", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.errorToastDescription": "{rulesCount, plural, other {#個のルール}}を複製できませんでした。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.modalBody": "{rulesCount, plural, other {# 選択したルール}}を複製しています。既存の例外を複製する方法を選択してください", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.modalTitle": "例外のある{rulesCount, plural, other {ルール}}を複製しますか?", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.with": "{rulesCount, plural, other {ルール}}と例外を複製", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.without": "{rulesCount, plural, other {ルール}}のみを複製", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.successToastDescription": "{totalRules, plural, other {{totalRules}ルール}}を正常に複製しました", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.infoCalloutTitle": "選択した{rulesCount, plural, other {# ルール}}のアクションを設定", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.warningCalloutMessage": "{rulesCount, plural, other {# 個の選択したルール}}のルールを上書きしようとしています。{saveButton}をクリックすると、変更が適用されます。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.warningCalloutMessage": "{rulesCount, plural, other {# 個の選択したルール}}に変更を適用しようとしています。以前にタイムラインテンプレートをこれらのルールに適用している場合は、上書きされるか、([なし]を選択した場合は)[なし]にリセットされます。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.errorToastDescription": "{rulesCount, plural, other {#個のルール}}を更新できませんでした。", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastDescription": "{rulesCount, plural, other {#個のルール}}を正常に更新しました。Kibanaデータビューを使用してルールに変更を適用することを選択しなかった場合は、これらのツールが更新されず、データビューを使用し続けます。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.warningCalloutMessage": "{rulesCount, plural, other {# 個の選択したルール}}に変更を適用しようとしています。行った変更は、既存のルールスケジュールと追加の振り返り時間(該当する場合)を上書きします。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastDescription": "{rulesCount, plural, other {#個のルール}}を正常に更新しました", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.elasticRulesEditDescription": "{rulesCount, plural, other {# 個の既製のElasticルール}}(既製のルールは編集できません)", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.elasticRulesExportDescription": "{rulesCount, plural, other {# 個の既製のElasticルール}}(既製のルールはエクスポートできません)", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.errorToastDescription": "{rulesCount, plural, other {#個のルール}}を有効にできませんでした。", @@ -25403,7 +27026,10 @@ "xpack.securitySolution.detectionEngine.rules.allRules.columns.gapTooltip": "ルール実行の最新のギャップの期間。ルールルックバックを調整するか、ギャップの軽減については{seeDocs}してください。", "xpack.securitySolution.detectionEngine.rules.allRules.selectAllRulesTitle": "すべての{totalRules} {totalRules, plural, other {個のルール}}を選択", "xpack.securitySolution.detectionEngine.rules.allRules.selectedRulesTitle": "{selectedRules} {selectedRules, plural, other {ルール}}を選択しました", + "xpack.securitySolution.detectionEngine.rules.allRules.showingRulesTitle": "{firstInPage}-{lastOfPage}/{totalRules} {totalRules, plural, other {ルール}}を表示しています", "xpack.securitySolution.detectionEngine.rules.create.successfullyCreatedRuleTitle": "{ruleName}が作成されました", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.enableFirstRule.content": "\"{name}\"ルールを有効化します。", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.searchFirstRule.content": "\"{name}\"ルールを検索します。", "xpack.securitySolution.detectionEngine.rules.popoverTooltip.ariaLabel": "列のツールチップ:{columnName}", "xpack.securitySolution.detectionEngine.rules.reloadMissingPrePackagedRulesAndTimelinesButton": "{missingRules} Elastic事前構築済み{missingRules, plural, other {ルール}}と{missingTimelines} Elastic事前構築済み{missingTimelines, plural, other {タイムライン}}をインストール ", "xpack.securitySolution.detectionEngine.rules.reloadMissingPrePackagedRulesButton": "{missingRules} Elasticの事前構築済みの{missingRules, plural, other {個のルール}}をインストール ", @@ -25419,8 +27045,17 @@ "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewNotFoundDescription": "ID \"{dataView}\"のデータビューが見つかりませんでした。削除された可能性があります。", "xpack.securitySolution.detectionResponse.alertsByStatus.totalAlerts": "合計{totalAlerts, plural, other {件のアラート}}", "xpack.securitySolution.detectionResponse.casesByStatus.totalCases": "合計{totalCases, plural, other {件のケース}}", + "xpack.securitySolution.detectionResponse.noChange": "{dataType}は変更されていません", + "xpack.securitySolution.detectionResponse.noData": "比較する{dataType}データがありません", + "xpack.securitySolution.detectionResponse.noDataCompare": "比較時間範囲から比較する{dataType}データがありません", + "xpack.securitySolution.detectionResponse.noDataCurrent": "現在の時間範囲から比較する{dataType}データがありません", + "xpack.securitySolution.detectionResponse.timeDifference": "ご使用の{statType}は{stat}から{percentageChange}{upOrDown}", "xpack.securitySolution.detections.hostIsolation.impactedCases": "このアクションは{cases}に追加されます。", "xpack.securitySolution.dragAndDrop.youAreInADialogContainingOptionsScreenReaderOnly": "フィールド {fieldName} のオプションを含む、ダイアログを表示しています。Tab を押すと、オプションを操作します。Escape を押すと、終了します。", + "xpack.securitySolution.editDataProvider.unavailableOperator": "{operator}演算子はテンプレートで使用できません", + "xpack.securitySolution.enableRiskScore.enableRiskScore": "{riskEntity}リスクスコアを有効化", + "xpack.securitySolution.enableRiskScore.enableRiskScoreDescription": "この機能を有効化すると、このセクションで{riskEntity}リスクスコアにすばやくアクセスできます。モジュールを有効化した後、データの生成までに1時間かかる場合があります。", + "xpack.securitySolution.enableRiskScore.upgradeRiskScore": "{riskEntity}リスクスコアをアップグレード", "xpack.securitySolution.endpoint.details.policy.revisionNumber": "rev. {revNumber}", "xpack.securitySolution.endpoint.details.policyStatusValue": "{policyStatus, select, success {成功} warning {警告} failure {失敗} other {不明}}", "xpack.securitySolution.endpoint.fleetCustomExtension.artifactsSummaryError": "アーティファクト統計情報の取得中にエラーが発生しました:\"{error}\"", @@ -25501,6 +27136,10 @@ "xpack.securitySolution.endpoint.resolver.relatedEventLimitTitle": "このリストには、{numberOfEntries} 件のプロセスイベントが含まれています。", "xpack.securitySolution.endpointPolicyStatus.revisionNumber": "rev. {revNumber}", "xpack.securitySolution.endpointResponseActions.actionError.errorMessage": "次の{ errorCount, plural, other {件のエラー}}が発生しました:", + "xpack.securitySolution.entityAnalytics.anomalies.moduleNotCompatibleTitle": "{incompatibleJobCount} {incompatibleJobCount, plural, other {件のジョブ}}が現在使用できません", + "xpack.securitySolution.entityAnalytics.riskDashboard.nameTitle": "{riskEntity}名", + "xpack.securitySolution.entityAnalytics.riskDashboard.riskClassificationTitle": "{riskEntity}リスク分類", + "xpack.securitySolution.entityAnalytics.riskDashboard.riskToolTip": "{riskEntity}リスク分類は、{riskEntityLowercase}リスクスコアによって決定されます。「重大」または「高」に分類された{riskEntity}は、リスクが高いことが表示されます。", "xpack.securitySolution.event.reason.reasonRendererTitle": "イベントレンダラー:{eventRendererName} ", "xpack.securitySolution.eventDetails.nestedColumnCheckboxAriaLabel": "{field}フィールドはオブジェクトであり、列として追加できるネストされたフィールドに分解されます", "xpack.securitySolution.eventDetails.viewColumnCheckboxAriaLabel": "{field} 列を表示", @@ -25511,13 +27150,23 @@ "xpack.securitySolution.eventFilters.showingTotal": "{total} {total, plural, other {個のイベントフィルター}}を表示中", "xpack.securitySolution.eventsTab.unit": "外部{totalCount, plural, other {アラート}}", "xpack.securitySolution.eventsViewer.unit": "{totalCount, plural, other {イベント}}", + "xpack.securitySolution.exception.list.empty.viewer_body": "[{listName}]には例外がありません。このリストへのルール除外を作成します。", + "xpack.securitySolution.exceptions.common.addToRuleOptionLabel": "このルールを追加:{ruleName}", + "xpack.securitySolution.exceptions.common.addToRulesOptionLabel": "[{numRules}]個の選択されたルールに追加:{ruleNames}", + "xpack.securitySolution.exceptions.createSharedExceptionListSuccessDescription": "名前${listName}のリストが作成されました。", "xpack.securitySolution.exceptions.disassociateListSuccessText": "例外リスト({id})が正常に削除されました", "xpack.securitySolution.exceptions.failedLoadPolicies": "ポリシーの読み込みエラーが発生しました:\"{error}\"", "xpack.securitySolution.exceptions.fetch404Error": "関連付けられた例外リスト({listId})は存在しません。その他の例外を検出ルールに追加するには、見つからない例外リストを削除してください。", "xpack.securitySolution.exceptions.hideCommentsLabel": "({comments}){comments, plural, other {件のコメント}}を非表示", + "xpack.securitySolution.exceptions.list.deleted_successfully": "{listName}が正常に削除されました", + "xpack.securitySolution.exceptions.list.exception.item.card.exceptionItemDeleteSuccessText": "\"{itemName}\"が正常に削除されました。", + "xpack.securitySolution.exceptions.list.exported_successfully": "{listName}が正常にエクスポートされました", + "xpack.securitySolution.exceptions.referenceModalDefaultDescription": "名前{listName}の例外リストを削除しますか?", "xpack.securitySolution.exceptions.referenceModalDescription": "この例外リストは、({referenceCount}) {referenceCount, plural, other {個のルール}}に関連付けられています。この例外リストを削除すると、関連付けられたルールからの参照も削除されます。", "xpack.securitySolution.exceptions.referenceModalSuccessDescription": "例外リスト{listId}が正常に削除されました。", "xpack.securitySolution.exceptions.showCommentsLabel": "({comments}){comments, plural, other {件のコメント}}を表示", + "xpack.securitySolution.exceptions.viewer.lastUpdated": "前回更新日:{updated}。", + "xpack.securitySolution.exceptions.viewer.paginationDetails": "{partOne}/{partTwo}を表示しています", "xpack.securitySolution.fieldBrowser.descriptionForScreenReaderOnly": "フィールド {field} の説明:", "xpack.securitySolution.footer.autoRefreshActiveTooltip": "自動更新が有効な間、タイムラインはクエリに一致する最新の {numberOfItems} 件のイベントを表示します。", "xpack.securitySolution.formattedNumber.countsLabel": "{mantissa}{scale}{hasRemainder}", @@ -25551,6 +27200,7 @@ "xpack.securitySolution.kpiHosts.riskyHosts.hostsCount": "{quantity} {quantity, plural, other {ホスト}}", "xpack.securitySolution.lists.referenceModalDescription": "この値リストは、({referenceCount})例外{referenceCount, plural, other {リスト}}に関連付けられています。このリストを削除すると、この値リストを参照するすべての例外アイテムが削除されます。", "xpack.securitySolution.lists.uploadValueListExtensionValidationMessage": "ファイルは次の種類のいずれかでなければなりません:[{fileTypes}]", + "xpack.securitySolution.markdownEditor.plugins.insightConfigError": "インサイトJSON構成を解析できません:{err}", "xpack.securitySolution.markdownEditor.plugins.timeline.failedRetrieveTimelineErrorMsg": "タイムラインIDを取得できませんでした:{ timelineId }", "xpack.securitySolution.markdownEditor.plugins.timeline.toolTip.timelineId": "タイムラインID:{ timelineId }", "xpack.securitySolution.markdownEditor.plugins.timeline.toolTip.timelineUrlIsNotValidErrorMsg": "タイムラインURLが無効です => {timelineUrl}", @@ -25569,7 +27219,6 @@ "xpack.securitySolution.networkTopNFlowTable.unit": "{totalCount, plural, other {IP}}", "xpack.securitySolution.noPermissionsMessage": "{subPluginKey}を表示するには、権限を更新する必要があります。詳細については、Kibana管理者に連絡してください。", "xpack.securitySolution.noPrivilegesPerPageMessage": "{pageName}を表示するには、権限を更新する必要があります。詳細については、Kibana管理者に連絡してください。", - "xpack.securitySolution.noPrivilegesDefaultMessage": "このページを表示するには、権限を更新する必要があります。詳細については、Kibana管理者に連絡してください。", "xpack.securitySolution.notes.youAreViewingNotesScreenReaderOnly": "行 {row} のイベントのメモを表示しています。完了したら上矢印キーを押して、イベントに戻ります。", "xpack.securitySolution.open.timeline.deleteTimelineModalTitle": "「{title}」を削除しますか?", "xpack.securitySolution.open.timeline.selectedTemplatesTitle": "{selectedTemplates} {selectedTemplates, plural, other {個のテンプレート}}を選択しました", @@ -25597,16 +27246,52 @@ "xpack.securitySolution.resolver.eventDescription.registryPathLabel": "{ registryPath }", "xpack.securitySolution.resolver.node_button_name": "{nodeState, select, error {{nodeName} の再読み込み} other {{nodeName}}}", "xpack.securitySolution.resolver.noProcessEvents.dataView": "別のデータビューを選択した場合、\n \"{field}\"でソースイベントに格納されたすべてのインデックスがデータビューに含まれていることを確認します。", + "xpack.securitySolution.resolver.unboundedRequest.toast": "選択した時間では結果が見つかりません。{from} - {to}まで拡大します。", "xpack.securitySolution.responder.header.lastSeen": "前回表示日時 {date}", "xpack.securitySolution.responder.hostOffline.callout.body": "ホスト{name}はオフラインであるため、応答が遅延する可能性があります。保留中のコマンドは、ホストが再接続されたときに実行されます。", - "xpack.securitySolution.responseActionsList.flyout.title": "アクションログ:{hostname}", + "xpack.securitySolution.responseActionFileDownloadLink.passcodeInfo": "(ZIPファイルのパスコード:{passcode})。", + "xpack.securitySolution.responseActionsList.flyout.title": "対応アクション履歴:{hostname}", + "xpack.securitySolution.responseActionsList.list.filter.emptyMessage": "{filterName}がありません", + "xpack.securitySolution.responseActionsList.list.filter.searchPlaceholder": "{filterName}を検索", "xpack.securitySolution.responseActionsList.list.item.hasExpired": "{command}が失敗しました:アクションの有効期限が切れました", "xpack.securitySolution.responseActionsList.list.item.hasFailed": "{command}が失敗しました", "xpack.securitySolution.responseActionsList.list.item.isPending": "{command}は保留中です", "xpack.securitySolution.responseActionsList.list.item.wasSuccessful": "{command}は正常に完了しました", "xpack.securitySolution.responseActionsList.list.recordRange": "{total} {recordsLabel}件中{range}を表示しています", "xpack.securitySolution.responseActionsList.list.recordRangeLabel": "{records, plural, other {応答アクション}}", + "xpack.securitySolution.riskInformation.explanation": "この機能は変換を利用します。また、5日間の範囲で、スクリプトメトリックアグリゲーションを使用して、「オープン」ステータスの検知ルールアラートに基づいて{riskEntityLower}リスクスコアを計算します。変換は毎時実行され、新しい検知ルールアラートを受信するとスコアが常に更新されます。", + "xpack.securitySolution.riskInformation.introduction": "{riskEntity}リスクスコア機能は、環境内のリスクが高い{riskEntityLowerPlural}を明らかにします。", + "xpack.securitySolution.riskInformation.learnMore": "{riskEntity}リスクの詳細をご覧ください。{riskScoreDocumentationLink}", + "xpack.securitySolution.riskInformation.riskHeader": "{riskEntity}リスクスコア範囲", + "xpack.securitySolution.riskInformation.title": "{riskEntity}リスクを計算する方法", + "xpack.securitySolution.riskScore.api.ingestPipeline.delete.errorMessageTitle": "インジェスト{totalCount, plural, other {パイプライン}}を削除できませんでした", + "xpack.securitySolution.riskScore.api.transforms.delete.errorMessageTitle": "{totalCount, plural, other {変換}}を削除できませんでした", + "xpack.securitySolution.riskScore.api.transforms.start.errorMessageTitle": "{totalCount, plural, other {変換}}を開始できませんでした", + "xpack.securitySolution.riskScore.api.transforms.stop.errorMessageTitle": "{totalCount, plural, other {変換}}を停止できませんでした", + "xpack.securitySolution.riskScore.overview.riskScoreTitle": "{riskEntity}リスクスコア", + "xpack.securitySolution.riskScore.savedObjects.bulkCreateSuccessTitle": "{totalCount} {totalCount, plural, other {個の保存されたオブジェクト}}が正常にインポートされました", + "xpack.securitySolution.riskScore.savedObjects.enableRiskScoreSuccessTitle": "{items}が正常にインポートされました", + "xpack.securitySolution.riskScore.savedObjects.failedToCreateTagTitle": "保存されたオブジェクトをインポートできませんでした:タグ{tagName}を作成できなかったため、{savedObjectTemplate}が作成されませんでした", + "xpack.securitySolution.riskScore.savedObjects.templateAlreadyExistsTitle": "保存されたオブジェクトをインポートできませんでした:{savedObjectTemplate}はすでに存在するため、作成されませんでした", + "xpack.securitySolution.riskScore.savedObjects.templateNotFoundTitle": "保存されたオブジェクトをインポートできませんでした:{savedObjectTemplate}が見つからないため、作成されませんでした", + "xpack.securitySolution.riskScore.transform.notFoundTitle": "{transformId}が見つからないため、変換を確認できませんでした", + "xpack.securitySolution.riskScore.transform.start.stateConflictTitle": "状態が\"{state}\"のため、変換{transformId}が開始しません", + "xpack.securitySolution.riskScore.transform.transformExistsTitle": "{transformId}がすでに存在するため、変換を作成できませんでした", + "xpack.securitySolution.riskTabBody.scoreOverTimeTitle": "経時的な{riskEntity}リスクスコア", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsTooltipTitle": "共有例外リストは例外のグループです。{rulesCount, plural, =1 {現在このルールには共有} other {現在これらのルールには共有}}例外リストが関連付けられていません。作成するには、例外リスト管理ページを開きます。", + "xpack.securitySolution.rule_exceptions.itemComments.hideCommentsLabel": "({comments}){comments, plural, other {件のコメント}}を非表示", + "xpack.securitySolution.rule_exceptions.itemComments.showCommentsLabel": "({comments}){comments, plural, other {件のコメント}}を表示", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.addRuleExceptionToastSuccessText": "例外がルール - {ruleName}に追加されました。", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.closeAlerts.successDetails": "ルール例外が共有リストに追加されました:{listNames}。", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.commentsTitle": "コメントの追加({comments})", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemDeleteSuccessText": "\"{itemName}\"が正常に削除されました。", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastSuccessText": "{numItems, plural, other {例外}} - {exceptionItemName} - {numItems, plural, other {が}}更新されました。", + "xpack.securitySolution.ruleExceptions.editExceptionFlyout.commentsTitle": "コメントの追加({comments})", + "xpack.securitySolution.ruleExceptions.exceptionItem.affectedRules": "{numRules} {numRules, plural, other {個のルール}}に影響", + "xpack.securitySolution.ruleExceptions.exceptionItem.showCommentsLabel": "{comments, plural, other {件のコメント}}を表示({comments})", + "xpack.securitySolution.ruleExceptions.logic.closeAlerts.success": "{numAlerts} {numAlerts, plural, other {件のアラート}}が正常に更新されました", "xpack.securitySolution.searchStrategy.error": "検索を実行できませんでした:{factoryQueryType}", + "xpack.securitySolution.searchStrategy.warning": "検索の実行中にエラーが発生しました:{factoryQueryType}", "xpack.securitySolution.some_page.flyoutCreateSubmitSuccess": "\"{name}\"が追加されました。", "xpack.securitySolution.tables.rowItemHelper.overflowButtonDescription": "他{count}件", "xpack.securitySolution.timeline.body.actions.attachAlertToCaseForRowAriaLabel": "行 {ariaRowindex}、列 {columnValues} のアラートまたはイベントをケースに追加", @@ -25654,11 +27339,23 @@ "xpack.securitySolution.usersRiskTable.filteredUsersTitle": "{severity}リスクのユーザーを表示", "xpack.securitySolution.usersTable.rows": "{numRows} {numRows, plural, other {行}}", "xpack.securitySolution.usersTable.unit": "{totalCount, plural, other {ユーザー}}", + "xpack.securitySolution.visualizationActions.topValueLabel": "{field}の上位の値", + "xpack.securitySolution.visualizationActions.uniqueCountLabel": "{field} のユニークカウント", "xpack.securitySolution.accessibility.tooltipWithKeyboardShortcut.pressTooltipLabel": "プレス", + "xpack.securitySolution.actionForm.experimentalTooltip": "この機能はテクニカルプレビュー中であり、将来のリリースでは変更されたり完全に削除されたりする場合があります。Elasticは最善の努力を講じてすべての問題の修正に努めますが、テクニカルプレビュー中の機能には正式なGA機能のサポートSLAが適用されません。", + "xpack.securitySolution.actionForm.responseActionSectionsDescription": "対応アクション", + "xpack.securitySolution.actionForm.responseActionSectionsTitle": "対応アクションは各ルールの実行時に実行されます", "xpack.securitySolution.actionsContextMenu.label": "開く", + "xpack.securitySolution.actionTypeForm.accordion.deleteIconAriaLabel": "削除", "xpack.securitySolution.administration.os.linux": "Linux", "xpack.securitySolution.administration.os.macos": "Mac", "xpack.securitySolution.administration.os.windows": "Windows", + "xpack.securitySolution.alertCountByRuleByStatus.alertsByRule": "ルール別アラート", + "xpack.securitySolution.alertCountByRuleByStatus.count": "カウント", + "xpack.securitySolution.alertCountByRuleByStatus.noRuleAlerts": "表示するアラートがありません", + "xpack.securitySolution.alertCountByRuleByStatus.ruleName": "kibana.alert.rule.name", + "xpack.securitySolution.alertCountByRuleByStatus.status": "ステータス", + "xpack.securitySolution.alertCountByRuleByStatus.tooltipTitle": "ルール名", "xpack.securitySolution.alertDetails.enrichmentQueryEndDate": "終了日", "xpack.securitySolution.alertDetails.enrichmentQueryStartDate": "開始日", "xpack.securitySolution.alertDetails.investigationTimeQueryTitle": "Threat Intelligenceで拡張", @@ -25672,9 +27369,14 @@ "xpack.securitySolution.alertDetails.overview.highlightedFields.field": "フィールド", "xpack.securitySolution.alertDetails.overview.highlightedFields.value": "値", "xpack.securitySolution.alertDetails.overview.insights": "インサイト", + "xpack.securitySolution.alertDetails.overview.insights.alertUpsellTitle": "プラチナサブスクリプションでインサイトを充実", + "xpack.securitySolution.alertDetails.overview.insights.processAncestryFilter": "プロセス上位項目アラートID", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry": "上位プロセス別関連アラート", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry_empty": "上位プロセス別関連アラートがありません。", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry_error": "アラートを取得できませんでした。", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_empty": "セッション別関連アラートがありません", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_error": "セッション別関連アラートを読み込めませんでした", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_empty": "ソースイベント別関連アラートがありません", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_error": "ソースイベント別関連アラートを読み込めませんでした", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_loading": "ソースイベント別関連アラートを読み込んでいます", "xpack.securitySolution.alertDetails.overview.insights.related_cases_error": "関連するケースを読み込めませんでした", @@ -25686,6 +27388,44 @@ "xpack.securitySolution.alertDetails.summary.readLess": "表示を減らす", "xpack.securitySolution.alertDetails.summary.readMore": "続きを読む", "xpack.securitySolution.alertDetails.threatIntel": "Threat Intel", + "xpack.securitySolution.alerts.alertDetails.errorPage.message": "詳細ページの読み込みエラーが発生しました。次のIDが有効なドキュメントを参照していることを確認してください", + "xpack.securitySolution.alerts.alertDetails.errorPage.title": "詳細ページを読み込めません", + "xpack.securitySolution.alerts.alertDetails.header.backToAlerts": "アラートに戻る", + "xpack.securitySolution.alerts.alertDetails.header.technicalPreview": "テクニカルプレビュー", + "xpack.securitySolution.alerts.alertDetails.loadingPage.message": "詳細ページを読み込んでいます...", + "xpack.securitySolution.alerts.alertDetails.navigation.summary": "まとめ", + "xpack.securitySolution.alerts.alertDetails.summary.alertReason.title": "アラートの理由", + "xpack.securitySolution.alerts.alertDetails.summary.case.addToExistingCase": "既存のケースに追加", + "xpack.securitySolution.alerts.alertDetails.summary.case.addToNewCase": "新しいケースに追加", + "xpack.securitySolution.alerts.alertDetails.summary.case.error": "関連するケースの読み込みエラー", + "xpack.securitySolution.alerts.alertDetails.summary.case.loading": "関連するケースを読み込んでいます...", + "xpack.securitySolution.alerts.alertDetails.summary.case.noCasesFound": "このアラートの関連ケースが見つかりませんでした", + "xpack.securitySolution.alerts.alertDetails.summary.case.noRead": "関連ケースを表示する権限がありません。ケースを表示する必要がある場合は、Kibana管理者に連絡してください。", + "xpack.securitySolution.alerts.alertDetails.summary.cases.status": "ステータス", + "xpack.securitySolution.alerts.alertDetails.summary.cases.title": "ケース", + "xpack.securitySolution.alerts.alertDetails.summary.host.action.openHostDetailsPage": "ホスト詳細ページを開く", + "xpack.securitySolution.alerts.alertDetails.summary.host.action.viewHostSummary": "ホスト概要を表示", + "xpack.securitySolution.alerts.alertDetails.summary.host.agentStatus.title": "エージェントステータス", + "xpack.securitySolution.alerts.alertDetails.summary.host.hostName.title": "ホスト名", + "xpack.securitySolution.alerts.alertDetails.summary.host.osName.title": "オペレーティングシステム", + "xpack.securitySolution.alerts.alertDetails.summary.host.riskClassification": "ホストリスク分類", + "xpack.securitySolution.alerts.alertDetails.summary.host.riskScore": "ホストリスクスコア", + "xpack.securitySolution.alerts.alertDetails.summary.host.title": "ホスト", + "xpack.securitySolution.alerts.alertDetails.summary.ipAddresses.title": "IP アドレス", + "xpack.securitySolution.alerts.alertDetails.summary.lastSeen.title": "前回の認識", + "xpack.securitySolution.alerts.alertDetails.summary.panelMoreActions": "さらにアクションを表示", + "xpack.securitySolution.alerts.alertDetails.summary.rule.action.openRuleDetailsPage": "ルール詳細ページを開く", + "xpack.securitySolution.alerts.alertDetails.summary.rule.description": "ルールの説明", + "xpack.securitySolution.alerts.alertDetails.summary.rule.name": "ルール名", + "xpack.securitySolution.alerts.alertDetails.summary.rule.riskScore": "リスクスコア", + "xpack.securitySolution.alerts.alertDetails.summary.rule.severity": "深刻度", + "xpack.securitySolution.alerts.alertDetails.summary.rule.title": "ルール", + "xpack.securitySolution.alerts.alertDetails.summary.user.action.openUserDetailsPage": "ユーザー詳細ページを開く", + "xpack.securitySolution.alerts.alertDetails.summary.user.action.viewUserSummary": "ユーザー概要を表示", + "xpack.securitySolution.alerts.alertDetails.summary.user.riskClassification": "ユーザーリスク分類", + "xpack.securitySolution.alerts.alertDetails.summary.user.riskScore": "ユーザーリスクスコア", + "xpack.securitySolution.alerts.alertDetails.summary.user.title": "ユーザー", + "xpack.securitySolution.alerts.alertDetails.summary.user.userName.title": "ユーザー名", "xpack.securitySolution.alerts.badge.readOnly.tooltip": "アラートを更新できません", "xpack.securitySolution.alerts.riskScoreMapping.defaultDescriptionLabel": "このルールで生成されたすべてのアラートのリスクスコアを選択します。", "xpack.securitySolution.alerts.riskScoreMapping.defaultRiskScoreTitle": "デフォルトリスクスコア", @@ -25713,17 +27453,19 @@ "xpack.securitySolution.anomaliesTable.table.anomaliesDescription": "異常", "xpack.securitySolution.anomaliesTable.table.anomaliesTooltip": "異常表はSIEMグローバルKQL検索でフィルタリングできません。", "xpack.securitySolution.anomaliesTable.table.showingDescription": "表示中", + "xpack.securitySolution.appLinks.actionHistoryDescription": "ホストで実行された対応アクションの履歴を表示します。", "xpack.securitySolution.appLinks.alerts": "アラート", "xpack.securitySolution.appLinks.blocklistDescription": "不要なアプリケーションがホストで実行されないようにします。", "xpack.securitySolution.appLinks.category.cloudSecurityPosture": "クラウドセキュリティ態勢", "xpack.securitySolution.appLinks.category.endpoints": "エンドポイント", "xpack.securitySolution.appLinks.category.siem": "SIEM", - "xpack.securitySolution.appLinks.cloudSecurityPostureBenchmarksDescription": "ベンチマークルールを表示、有効化、無効化します。", + "xpack.securitySolution.appLinks.cloudSecurityPostureBenchmarksDescription": "ベンチマークルールを表示します。", "xpack.securitySolution.appLinks.cloudSecurityPostureDashboardDescription": "すべてのCSP統合の結果の概要。", "xpack.securitySolution.appLinks.dashboards": "ダッシュボード", "xpack.securitySolution.appLinks.detectionAndResponse": "検出と対応", - "xpack.securitySolution.appLinks.detectionAndResponseDescription": "エンドユーザーの視点から、アプリケーションとデバイスのパフォーマンスの影響を監視します。", - "xpack.securitySolution.appLinks.endpointsDescription": "Endpoint Securityを実行しているホスト。", + "xpack.securitySolution.appLinks.detectionAndResponseDescription": "アラートがあるホストとユーザーを含む、セキュリティソリューション内のアラートとケースに関する情報。", + "xpack.securitySolution.appLinks.endpointsDescription": "Elastic Defendを実行しているホスト。", + "xpack.securitySolution.appLinks.entityAnalyticsDescription": "監視面の分野を絞り込むエンティティ分析、顕著な異常、脅威。", "xpack.securitySolution.appLinks.eventFiltersDescription": "大量のイベントや不要なイベントがElasticsearchに書き込まれないようにします。", "xpack.securitySolution.appLinks.exceptions": "例外リスト", "xpack.securitySolution.appLinks.exceptionsDescription": "不要なアラートの生成を防止するために、例外を作成して管理します。", @@ -25741,10 +27483,11 @@ "xpack.securitySolution.appLinks.network": "ネットワーク", "xpack.securitySolution.appLinks.network.description": "インタラクティブなマップで主要なアクティビティメトリックと、タイムラインと連携できるイベントテーブルを提供します。", "xpack.securitySolution.appLinks.network.dns": "DNS", + "xpack.securitySolution.appLinks.network.events": "イベント", "xpack.securitySolution.appLinks.network.http": "HTTP", "xpack.securitySolution.appLinks.network.tls": "TLS", "xpack.securitySolution.appLinks.overview": "概要", - "xpack.securitySolution.appLinks.overviewDescription": "現在のセキュリティ環境の状況。", + "xpack.securitySolution.appLinks.overviewDescription": "アラート、イベント、最近のアイテム、ニュースフィードを含む、セキュリティ環境アクティビティの概要。", "xpack.securitySolution.appLinks.policiesDescription": "ポリシーを使用して、エンドポイントおよびクラウドワークロード保護、ならびに他の構成をカスタマイズします。", "xpack.securitySolution.appLinks.rules": "ルール", "xpack.securitySolution.appLinks.rulesDescription": "ルールを作成、管理して、不審なソースイベントをチェックします。また、ルールの条件が満たされたときにはアラートを生成します。", @@ -26054,8 +27797,11 @@ "xpack.securitySolution.components.mlPopover.jobsTable.filters.showAllJobsLabel": "Elastic ジョブ", "xpack.securitySolution.components.mlPopover.jobsTable.filters.showSiemJobsLabel": "カスタムジョブ", "xpack.securitySolution.components.mlPopup.cloudLink": "クラウド展開", + "xpack.securitySolution.components.mlPopup.hooks.errors.createJobFailureTitle": "ジョブ作成エラー", "xpack.securitySolution.components.mlPopup.hooks.errors.indexPatternFetchFailureTitle": "インデックスパターン取得エラー", "xpack.securitySolution.components.mlPopup.hooks.errors.siemJobFetchFailureTitle": "セキュリティジョブ取得エラー", + "xpack.securitySolution.components.mlPopup.hooks.errors.startJobFailureTitle": "ジョブ開始エラー", + "xpack.securitySolution.components.mlPopup.hooks.errors.stopJobFailureTitle": "ジョブ停止エラー", "xpack.securitySolution.components.mlPopup.jobsTable.createCustomJobButtonLabel": "カスタムジョブを作成", "xpack.securitySolution.components.mlPopup.jobsTable.jobNameColumn": "ジョブ名", "xpack.securitySolution.components.mlPopup.jobsTable.noItemsDescription": "セキュリティ機械学習ジョブが見つかりません", @@ -26073,12 +27819,13 @@ "xpack.securitySolution.console.builtInCommands.help.helpTitle": "使用可能なコマンド", "xpack.securitySolution.console.builtInCommands.helpAbout": "すべての使用可能なコマンドをリスト出力", "xpack.securitySolution.console.commandList.addButtonTooltip": "テキストバーに追加", - "xpack.securitySolution.console.commandList.callout.leavingResponder": "レスポンダーから移動すると、アクションが中断されます。", - "xpack.securitySolution.console.commandList.callout.multipleResponses": "同時に複数の応答アクションを入力できます。", - "xpack.securitySolution.console.commandList.callout.readMoreLink": "続きを読む", - "xpack.securitySolution.console.commandList.callout.title": "ご存知でしたか?", + "xpack.securitySolution.console.commandList.callout.leavingResponder": "対応コンソールから移動しても、送信されたアクションが終了することはありません。", + "xpack.securitySolution.console.commandList.callout.multipleResponses": "連続で対応アクションを入力できます。前のアクションが完了するまで待つ必要はありません。", + "xpack.securitySolution.console.commandList.callout.readMoreLink": "詳細", + "xpack.securitySolution.console.commandList.callout.title": "役に立つヒント:", "xpack.securitySolution.console.commandList.commonArgs.comment": "コメントをアクションに追加します。例:isolate --comment your comment", "xpack.securitySolution.console.commandList.commonArgs.help": "コマンドアシスタント 例:isolate --help", + "xpack.securitySolution.console.commandList.disabledButtonTooltip": "サポートされていないコマンド", "xpack.securitySolution.console.commandList.footerText": "個別のコマンドに関する詳細なヘルプについては、--help引数を使用してください。例:processes --help", "xpack.securitySolution.console.commandList.otherCommandsGroup.label": "その他のコマンド", "xpack.securitySolution.console.commandUsage.about": "概要", @@ -26096,6 +27843,7 @@ "xpack.securitySolution.console.unknownCommand.helpMessage.help": "ヘルプ", "xpack.securitySolution.console.unknownCommand.title": "サポートされていないテキスト/コマンド", "xpack.securitySolution.console.unsupportedMessageCallout.title": "サポートされていない", + "xpack.securitySolution.console.validationError.title": "サポートされていないアクション", "xpack.securitySolution.consolePageOverlay.backButtonLabel": "戻る", "xpack.securitySolution.consolePageOverlay.doneButtonLabel": "完了", "xpack.securitySolution.containers.anomalies.errorFetchingAnomaliesData": "異常データをクエリできませんでした", @@ -26115,12 +27863,30 @@ "xpack.securitySolution.containers.detectionEngine.rulesAndTimelines": "ルールとタイムラインを取得できませんでした", "xpack.securitySolution.containers.detectionEngine.tagFetchFailDescription": "タグを取得できませんでした", "xpack.securitySolution.contextMenuItemByRouter.viewDetails": "詳細を表示", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudDropdownOption": "クラウドワークロード(LinuxサーバーまたはKubernetes環境)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudEventFiltersAllEvents": "すべてのイベント", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudEventFiltersInteractiveOnly": "インタラクティブのみ", + "xpack.securitySolution.createPackagePolicy.stepConfigure.enablePrevention": "構成設定を選択", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOption": "従来のエンドポイント(デスクトップ、ノートパソコン、仮想マシン)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDRComplete": "包括的なEDR(エンドポイント検出・対応)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDREssential": "基本EDR(エンドポイント検出・対応)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDRNote": "注:高度な保護にはプラチナライセンスが必要です。完全な対応機能にはエンタープライズライセンスが必要です。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionNGAV": "次世代ウイルス対策(NGAV)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionNGAVNote": "注:高度な保護にはプラチナライセンスレベルが必要です。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.interactiveSessionSuggestionTranslation": "データインジェスト量を減らすには、[インタラクティブのみ]を選択します。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeAllEventsInfoRecommendation": "クラウドワークロード保護、監査、フォレンジックのユースケースに推奨されます。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointEDRComplete": "基本EDRのすべての機能と完全なテレメトリ", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointEDREssential": "NGAVのすべての機能と、ファイルおよびネットワークテレメトリ", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointNGAV": "機械学習マルウェア、ランサムウェア、メモリー脅威、悪意のある動作、資格情報窃盗の防止と、プロセステレメトリ", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeInteractiveOnlyInfoRecommendation": "監査およびフォレンジックのユースケースに推奨されます。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.selectEnvironmentTextTranslation": "保護する環境のタイプを選択してください。", "xpack.securitySolution.customizeEventRenderers.customizeEventRenderersDescription": "イベントレンダラーは、イベントで最も関連性が高い詳細情報を自動的に表示し、ストーリーを明らかにします", "xpack.securitySolution.customizeEventRenderers.customizeEventRenderersTitle": "イベントレンダラーのカスタマイズ", "xpack.securitySolution.customizeEventRenderers.disableAllRenderersButtonLabel": "すべて無効にする", "xpack.securitySolution.customizeEventRenderers.enableAllRenderersButtonLabel": "すべて有効にする", "xpack.securitySolution.customizeEventRenderers.eventRenderersTitle": "イベントレンダラー", "xpack.securitySolution.dashboards.description": "説明", + "xpack.securitySolution.dashboards.queryError": "セキュリティダッシュボードの取得エラー", "xpack.securitySolution.dashboards.title": "タイトル", "xpack.securitySolution.dataProviders.addFieldPopoverButtonLabel": "フィールドの追加", "xpack.securitySolution.dataProviders.addTemplateFieldPopoverButtonLabel": "テンプレートフィールドの追加", @@ -26154,6 +27920,7 @@ "xpack.securitySolution.dataViewSelectorText3": " 検索するルールのデータソースとして個別に指定します。", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertFailedToastMessage": "アラートを確認済みに設定できませんでした", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertsTitle": "認識", + "xpack.securitySolution.detectionEngine.alerts.actions.addBulkToTimeline": "タイムラインで調査", "xpack.securitySolution.detectionEngine.alerts.actions.addEndpointException": "エンドポイント例外の追加", "xpack.securitySolution.detectionEngine.alerts.actions.addEventFilter": "エンドポイントイベントフィルターを追加", "xpack.securitySolution.detectionEngine.alerts.actions.addEventFilter.disabled.tooltip": "エンドポイントイベントフィルターは、[ホスト]ページの[イベント]セクションから作成できます。", @@ -26163,13 +27930,16 @@ "xpack.securitySolution.detectionEngine.alerts.actions.addToNewCase": "新しいケースに追加", "xpack.securitySolution.detectionEngine.alerts.actions.investigateInTimelineAriaLabel": "アラートをタイムラインに送信", "xpack.securitySolution.detectionEngine.alerts.actions.investigateInTimelineTitle": "タイムラインで調査", + "xpack.securitySolution.detectionEngine.alerts.actions.openAlertDetails": "アラート詳細ページを開く", "xpack.securitySolution.detectionEngine.alerts.closedAlertFailedToastMessage": "アラートをクローズできませんでした。", "xpack.securitySolution.detectionEngine.alerts.closedAlertsTitle": "終了", "xpack.securitySolution.detectionEngine.alerts.count.countTableColumnTitle": "レコード数", "xpack.securitySolution.detectionEngine.alerts.count.countTableTitle": "カウント", "xpack.securitySolution.detectionEngine.alerts.createNewTermsTimelineFailureTitle": "新しい用語アラートタイムラインを作成できませんでした", + "xpack.securitySolution.detectionEngine.alerts.createSuppressedTimelineFailureTitle": "非表示のアラートタイムラインを作成できませんでした", "xpack.securitySolution.detectionEngine.alerts.createThresholdTimelineFailureTitle": "しきい値アラートタイムラインを作成できませんでした", "xpack.securitySolution.detectionEngine.alerts.documentTypeTitle": "アラート", + "xpack.securitySolution.detectionEngine.alerts.fetchExceptionFilterFailure": "例外フィルターの取得エラー。", "xpack.securitySolution.detectionEngine.alerts.histogram.allOthersGroupingLabel": "その他すべて", "xpack.securitySolution.detectionEngine.alerts.histogram.headerTitle": "傾向", "xpack.securitySolution.detectionEngine.alerts.histogram.notAvailableTooltip": "傾向ビューでは使用できません", @@ -26225,6 +27995,7 @@ "xpack.securitySolution.detectionEngine.components.importRuleModal.overwriteExceptionLabel": "競合する「list_id」で既存の例外リストを上書き", "xpack.securitySolution.detectionEngine.components.importRuleModal.selectRuleDescription": "インポートするルールを選択します。関連付けられたルールアクションと例外を含めることができます。", "xpack.securitySolution.detectionEngine.createRule.backToRulesButton": "ルール", + "xpack.securitySolution.detectionEngine.createRule.cancelButtonLabel": "キャンセル", "xpack.securitySolution.detectionEngine.createRule.editRuleButton": "編集", "xpack.securitySolution.detectionEngine.createRule.eqlRuleTypeDescription": "イベント相関関係", "xpack.securitySolution.detectionEngine.createRule.filtersLabel": "フィルター", @@ -26234,7 +28005,11 @@ "xpack.securitySolution.detectionEngine.createRule.QueryLabel": "カスタムクエリ", "xpack.securitySolution.detectionEngine.createRule.queryRuleTypeDescription": "クエリ", "xpack.securitySolution.detectionEngine.createRule.ruleActionsField.ruleActionsFormErrorsTitle": "次の一覧の問題を解決してください", + "xpack.securitySolution.detectionEngine.createRule.rulePreviewDescription": "ルールプレビューには、ルール設定と例外の現在の構成が反映されます。更新アイコンをクリックすると、更新されたプレビューが表示されます。", + "xpack.securitySolution.detectionEngine.createRule.rulePreviewTitle": "ルールプレビュー", "xpack.securitySolution.detectionEngine.createRule.savedIdLabel": "保存されたクエリ名", + "xpack.securitySolution.detectionEngine.createRule.savedQueryFiltersLabel": "保存されたクエリフィルター", + "xpack.securitySolution.detectionEngine.createRule.savedQueryLabel": "保存されたクエリ", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.authorFieldEmptyError": "作成者は空にする必要があります", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.dataViewSelector": "データビュー", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.descriptionFieldRequiredError": "説明が必要です。", @@ -26292,6 +28067,7 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.EqlQueryBarLabel": "EQL クエリ", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.eqlQueryFieldRequiredError": "EQLクエリは必須です。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldAnomalyThresholdLabel": "異常スコアしきい値", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldGroupByFieldHelpText": "追加のアラートを非表示にするために使用するフィールドを選択", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldMachineLearningJobIdLabel": "機械学習ジョブ", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldQuerBarLabel": "カスタムクエリ", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldRuleTypeLabel": "ルールタイプ", @@ -26302,6 +28078,9 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdCardinalityValueFieldLabel": "一意の値", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdFieldCardinalityFieldHelpText": "カーディナリティを確認するフィールドを選択します", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdLabel": "しきい値", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupBy.licenseWarning": "アラートの非表示は、プラチナライセンス以上で有効です", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupBy.placeholderText": "フィールドを選択", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupByFieldsLabel": "アラートを非表示", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.historyWindowSizeLabel": "履歴ウィンドウサイズ", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.importTimelineModalTitle": "保存されたタイムラインからクエリをインポート", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.importTimelineQueryButton": "保存されたタイムラインからクエリをインポート", @@ -26310,10 +28089,11 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlJobSelectPlaceholderText": "ジョブを選択してください", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsField.placeholderText": "フィールドを選択", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsLabel": "フィールド", - "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsMin": "フィールド数は1でなければなりません。", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsMin": "1つ以上のフィールドが必要です。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.outputIndiceNameFieldRequiredError": "インデックスパターンが最低1つ必要です。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.referencesUrlInvalidError": "URLの形式が無効です", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.resetDefaultIndicesButton": "デフォルトインデックスパターンにリセット", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.rulePreviewTitle": "ルールプレビュー", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.eqlTypeDescription": "イベントクエリ言語(EQL)を使用して、イベントを照合したり、シーケンスを生成したり、データをスタックしたりします。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.eqlTypeTitle": "イベント相関関係", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.mlTypeDescription": "異常なアクティビティを検出するための ML ジョブを選択します。", @@ -26326,11 +28106,14 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.threatMatchTitle": "インジケーター一致", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.thresholdTypeDescription": "クエリ結果を集約し、いつ一致数がしきい値を超えるのかを検出します。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.thresholdTypeTitle": "しきい値", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.savedQueryFieldRequiredError": "保存されたクエリを読み込めませんでした。新しいクエリを選択するか、カスタムクエリを追加してください。", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.SavedQueryFormRowLabel": "保存されたクエリ", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.source": "送信元", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.threatMatchingIcesHelperDescription": "脅威インデックスを選択", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.threatMatchoutputIndiceNameFieldRequiredError": "インデックスパターンが最低1つ必要です。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.thresholdField.thresholdFieldPlaceholderText": "すべての結果", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleHelpText": "ルールが true であると評価された場合に自動アクションを実行するタイミングを選択します。", + "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleHelpTextWhenQuery": "ルールが true であると評価された場合に自動アクションを実行するタイミングを選択します。この頻度は対応アクションには適用されません。", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleLabel": "アクション頻度", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.noReadActionsPrivileges": "ルールアクションを作成できません。「Actions」プラグインの「読み取り」アクセス権がありません。", "xpack.securitySolution.detectionEngine.createRule.stepScheduleRule.completeWithEnablingTitle": "ルールを作成して有効にする", @@ -27131,6 +28914,7 @@ "xpack.securitySolution.detectionEngine.mlJobUpgradeModal.messageBody.summary": "新しいV3機械学習ジョブがリリースされました。最新の対応する構築済み検出ルールは、これらの新しいMLジョブを使用します。現在、1つ以上のV1/V2ジョブを実行しています。これは、レガシーの構築済みルールでのみ動作します。V1/V2ジョブを使用して継続的な対応を保証するには、Elastic構築済み検出ルールを更新する前に、ルールを複製するか、新しいルールを作成しなければならない場合があります。V1/V2ジョブを使用し続ける方法と、新しいV3ジョブの使用を開始する方法については、以下のドキュメントを確認してください。", "xpack.securitySolution.detectionEngine.mlJobUpgradeModal.messageTitle": "MLルール更新により、既存のルールが上書きされる場合があります", "xpack.securitySolution.detectionEngine.mlRulesDisabledMessageTitle": "MLルールにはプラチナライセンスとML管理者権限が必要です", + "xpack.securitySolution.detectionEngine.mlSelectJob.createCustomJobButtonTitle": "カスタムジョブを作成", "xpack.securitySolution.detectionEngine.needAdminForUpdateCallOutBody.messageBody.essenceDescription": "現在、アラートデータを自動移行するための必要な権限がありません。アラートデータを自動移行するには、管理者にこのページを一度確認するように依頼してください。", "xpack.securitySolution.detectionEngine.needAdminForUpdateCallOutBody.messageTitle": "アラート移行に必要な管理者権限", "xpack.securitySolution.detectionEngine.needsListsIndexesMessage": "listsインデックスの権限が必要です。", @@ -27150,7 +28934,7 @@ "xpack.securitySolution.detectionEngine.queryPreview.queryGraphPreviewNoiseWarning": "ノイズ警告:このルールではノイズが多く生じる可能性があります。クエリを絞り込むことを検討してください。これは1時間ごとに1アラートという線形進行に基づいています。", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewInvocationCountWarningMessage": "このルールのプレビューで選択したタイムフレームとルール間隔は、タイムアウトになるか、実行に時間がかかる可能性があります。プレビューがタイムアウトする場合は、タイムフレームを短くしたり、間隔を長くしたりしてください(これは実際のルール実行には影響しません)。", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewInvocationCountWarningTitle": "ルールプレビュータイムフレームはタイムアウトが発生する場合があります", - "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewLabel": "タイムフレーム", + "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewLabel": "プレビュータイムフレームを選択", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewSeeAllErrors": "すべてのエラーを表示", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewSeeAllWarnings": "すべての警告を表示", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewTitle": "ルールプレビュー", @@ -27162,17 +28946,22 @@ "xpack.securitySolution.detectionEngine.relatedIntegrations.installedTooltip": "統合がインストールされています。統合ポリシーを構成し、Elasticエージェントにこのポリシーが割り当てられていることを確認して、対応するイベントを取り込みます。", "xpack.securitySolution.detectionEngine.relatedIntegrations.uninstalledTitle": "未インストール", "xpack.securitySolution.detectionEngine.relatedIntegrations.uninstalledTooltip": "統合はインストールされていません。統合リンクに従って、インストールし、統合を構成してください。", + "xpack.securitySolution.detectionEngine.rule.editRule.actionSectionsTitle": "アクション", + "xpack.securitySolution.detectionEngine.ruleDescription.alertSuppressionInsufficientLicense": "アラート非表示が構成されていますが、ライセンス不足のため適用されません", "xpack.securitySolution.detectionEngine.ruleDescription.eqlEventCategoryFieldLabel": "イベントカテゴリーフィールド", "xpack.securitySolution.detectionEngine.ruleDescription.eqlTiebreakerFieldLabel": "タイブレーカーフィールド", "xpack.securitySolution.detectionEngine.ruleDescription.eqlTimestampFieldLabel": "タイムスタンプフィールド", "xpack.securitySolution.detectionEngine.ruleDescription.mlJobStartedDescription": "開始", "xpack.securitySolution.detectionEngine.ruleDescription.mlJobStoppedDescription": "停止", + "xpack.securitySolution.detectionEngine.ruleDescription.mlRunJobLabel": "ジョブを実行", "xpack.securitySolution.detectionEngine.ruleDescription.thresholdResultsAggregatedByDescription": "結果集約条件", "xpack.securitySolution.detectionEngine.ruleDescription.thresholdResultsAllDescription": "すべての結果", "xpack.securitySolution.detectionEngine.ruleDetails.backToRulesButton": "ルール", "xpack.securitySolution.detectionEngine.ruleDetails.deletedRule": "削除されたルール", "xpack.securitySolution.detectionEngine.ruleDetails.enableRuleLabel": "有効にする", + "xpack.securitySolution.detectionEngine.ruleDetails.endpointExceptionsTab": "エンドポイント例外", "xpack.securitySolution.detectionEngine.ruleDetails.pageTitle": "ルール詳細", + "xpack.securitySolution.detectionEngine.ruleDetails.ruleExceptionsTab": "ルール例外", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionEventsTab": "実行イベント", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.actionFieldNotFoundErrorDescription": "アラートインデックスにフィールド'kibana.alert.rule.execution.uuid'が見つかりません。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.actionFieldNotFoundErrorTitle": "アラートをフィルターできません", @@ -27205,6 +28994,8 @@ "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.timestampColumnTooltip": "日時ルール実行が開始されました。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionResultsTab": "実行結果", "xpack.securitySolution.detectionEngine.ruleDetails.unknownDescription": "不明", + "xpack.securitySolution.detectionEngine.ruleManagementUi.rulesTable.mlJobsWarning.popover.buttonLabel": "ルール詳細ページを表示して調査してください", + "xpack.securitySolution.detectionEngine.ruleManagementUi.rulesTable.mlJobsWarning.popover.description": "次のジョブが実行されていないため、ルールで正しくない結果が生成されている可能性があります。", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeFilter.filterTitle": "イベントタイプ", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeIndicator.executionMetricsText": "メトリック", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeIndicator.messageText": "メッセージ", @@ -27233,20 +29024,24 @@ "xpack.securitySolution.detectionEngine.rules.all.exceptions.exportSuccess": "例外リストエクスポート成功", "xpack.securitySolution.detectionEngine.rules.all.exceptions.idTitle": "リスト ID", "xpack.securitySolution.detectionEngine.rules.all.exceptions.listName": "名前", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.refresh": "更新", "xpack.securitySolution.detectionEngine.rules.all.exceptions.rulesAssignedTitle": "割り当てられたルール", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.searchPlaceholder": "名前またはリストIDで検索", "xpack.securitySolution.detectionEngine.rules.allExceptionLists.filters.noExceptionsTitle": "例外リストが見つかりません", "xpack.securitySolution.detectionEngine.rules.allExceptionLists.search.placeholder": "検索例外リスト", "xpack.securitySolution.detectionEngine.rules.allExceptions.filters.noListsBody": "例外リストが見つかりませんでした。", - "xpack.securitySolution.detectionEngine.rules.allExceptions.tableTitle": "例外リスト", + "xpack.securitySolution.detectionEngine.rules.allExceptions.tableTitle": "ルール例外", "xpack.securitySolution.detectionEngine.rules.allRules.actions.deleteRuleDescription": "ルールの削除", "xpack.securitySolution.detectionEngine.rules.allRules.actions.duplicateRuleDescription": "ルールの複製", "xpack.securitySolution.detectionEngine.rules.allRules.actions.editRuleSettingsDescription": "ルール設定の編集", - "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaActionsFeaturePrivileges": "Kibana アクション特権がありません", "xpack.securitySolution.detectionEngine.rules.allRules.actions.exportRuleDescription": "ルールのエクスポート", + "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaActionsFeaturePrivileges": "Kibana アクション特権がありません", + "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaSecurityPrivileges": "Kibanaセキュリティ権限がありません", "xpack.securitySolution.detectionEngine.rules.allRules.batchActions.deleteSelectedImmutableTitle": "選択には削除できないイミュータブルルールがあります", "xpack.securitySolution.detectionEngine.rules.allRules.batchActionsTitle": "一斉アクション", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.actionRejectionDescription": "このアクションは次のルールに適用できません。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.actionRejectionDescription": "このアクションは、選択されている次のルールに適用できません。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addIndexPatternsTitle": "インデックスパターンを追加", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addRuleActionsTitle": "ルールアクションを追加", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addTagsTitle": "タグを追加", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.applyTimelineTemplateTitle": "タイムラインテンプレートを適用", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditWarningToastNotifyButtonLabel": "完了時に通知", @@ -27261,14 +29056,30 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.successToastTitle": "ルールが無効にされました", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disableTitle": "無効にする", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.errorToastTitle": "ルールの複製エラー", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.cancelButton": "キャンセル", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.continueButton": "複製", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.tooltip": " 例外を複製する場合は、参照によって共有例外リストが複製されます。それから、デフォルトルール例外がコピーされ、新しい例外が作成されます", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.successToastTitle": "ルールが複製されました", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicateTitle": "複製", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.actionFrequencyDetail": "以下で選択したアクション頻度は、すべての選択したルールのすべてのアクション(新規と既存のアクション)に適用されます。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.formTitle": "ルールアクションを追加", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.overwriteCheckboxLabel": "すべての選択したルールアクションを上書き", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.ruleVariablesDetail": "ルールタイプによっては、ルール変数が選択舌一部のルールにのみ影響する場合があります(例:\\u007b\\u007bcontext.rule.threshold\\u007d\\u007dはしきい値ルールの値のみを表示します)。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.throttleHelpText": "ルールが true であると評価された場合に自動アクションを実行するタイミングを選択します。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.throttleLabel": "アクション頻度", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.warningCalloutMessage.buttonLabel": "保存", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.formTitle": "タイムラインテンプレートを適用", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorDefaultValue": "なし", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorHelpText": "生成されたアラートを調査するときに、選択したルールに適用するタイムラインを選択します。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorLabel": "選択したルールにタイムラインテンプレートを適用", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorPlaceholder": "タイムラインテンプレートを検索", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.errorToastTitle": "ルールの更新エラー", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.formTitle": "ルールスケジュールの更新", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.intervalHelpText": "ルールを定期的に実行し、指定の時間枠内でアラートを検出します。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.intervalLabel": "次の間隔で実行", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.lookbackHelpText": "ルックバック期間に時間を追加してアラートの見落としを防ぎます。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.lookbackLabel": "追加のルックバック時間", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successIndexEditToastDescription": "Kibanaデータビューを使用してルールに変更を適用することを選択しなかった場合は、これらのツールが更新されず、データビューを使用し続けます。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastTitle": "ルールが更新されました", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.errorToastTitle": "ルールの有効化エラー", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.successToastTitle": "ルールが有効にされました", @@ -27278,6 +29089,7 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.export.successToastTitle": "ルールがエクスポートされました", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.exportTitle": "エクスポート", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.indexPatternsTitle": "インデックスパターン", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.setScheduleTitle": "ルールスケジュールの更新", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.tagsTitle": "タグ", "xpack.securitySolution.detectionEngine.rules.allRules.clearSelectionTitle": "選択した項目をクリア", "xpack.securitySolution.detectionEngine.rules.allRules.columns.enabledTitle": "有効", @@ -27296,6 +29108,11 @@ "xpack.securitySolution.detectionEngine.rules.allRules.columns.tagsTitle": "タグ", "xpack.securitySolution.detectionEngine.rules.allRules.columns.versionTitle": "バージョン", "xpack.securitySolution.detectionEngine.rules.allRules.exportFilenameTitle": "rules_export", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.nextStepLabel": "次のステップに進む", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.previousStepLabel": "前のステップに戻る", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.searchCapabilitiesDescription": "「filebeat-*」などのインデックスパターンや、「Defense Evasion」や「TA0005」などのMITRE ATT&CK™方式または手法でルールを検索できます。", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.searchCapabilitiesTitle": "拡張検索機能", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.tourTitle": "新機能", "xpack.securitySolution.detectionEngine.rules.allRules.filters.customRulesTitle": "カスタムルール", "xpack.securitySolution.detectionEngine.rules.allRules.filters.elasticRulesTitle": "Elasticルール", "xpack.securitySolution.detectionEngine.rules.allRules.filters.noRulesBodyTitle": "上記のフィルターでルールが見つかりませんでした。", @@ -27313,9 +29130,12 @@ "xpack.securitySolution.detectionEngine.rules.defineRuleTitle": "ルールの定義", "xpack.securitySolution.detectionEngine.rules.deleteDescription": "削除", "xpack.securitySolution.detectionEngine.rules.editPageTitle": "編集", - "xpack.securitySolution.detectionEngine.rules.experimentalDescription": "実験的なルール表ビューはテクニカルプレビュー中であり、高度な並べ替え機能を使用できます。表の操作時にパフォーマンスの問題が発生した場合、この設定をオフにできます。", - "xpack.securitySolution.detectionEngine.rules.experimentalOff": "テクニカルプレビュー:オフ", - "xpack.securitySolution.detectionEngine.rules.experimentalOn": "テクニカルプレビュー:オン", + "xpack.securitySolution.detectionEngine.rules.experimentalDescription": "オンにすると、すべてのテーブル列の並べ替えが有効になります。テーブルのパフォーマンスの問題が発生した場合は、オフにできます。", + "xpack.securitySolution.detectionEngine.rules.experimentalOff": "高度な並べ替え", + "xpack.securitySolution.detectionEngine.rules.experimentalOn": "高度な並べ替え", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.installPrebuiltRules.content": "開始するには、Elasticの構築済みルールを読み込む必要があります。", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.installPrebuiltRules.title": "Elastic事前構築済みルールを読み込む", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.nextButton": "次へ", "xpack.securitySolution.detectionEngine.rules.importRuleTitle": "ルールのインポート", "xpack.securitySolution.detectionEngine.rules.loadPrePackagedRulesAndTemplatesButton": "Elastic 事前構築済みルールおよびタイムラインテンプレートを読み込む", "xpack.securitySolution.detectionEngine.rules.loadPrePackagedRulesButton": "Elastic 事前構築済みルールを読み込む", @@ -27344,16 +29164,20 @@ "xpack.securitySolution.detectionEngine.ruleStatus.statusDateDescription": "ステータス日付", "xpack.securitySolution.detectionEngine.ruleStatus.statusDescription": "前回の応答", "xpack.securitySolution.detectionEngine.signalRuleAlert.actionGroups.default": "デフォルト", + "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewIncludesAlertsIndexDescription": "デフォルトのセキュリティデータビューには、アラートインデックスが含まれています。このため、既存のアラートから冗長なアラートが生成される可能性があります。", + "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewIncludesAlertsIndexLabel": "デフォルトセキュリティデータビュー", "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewNotFoundLabel": "選択したデータビューが見つかりません", "xpack.securitySolution.detectionEngine.stepDefineRule.pickDataView": "データビューを選択", "xpack.securitySolution.detectionEngine.userUnauthenticatedMsgBody": "検出エンジンを表示するための必要なアクセス権がありません。ヘルプについては、管理者にお問い合わせください。", "xpack.securitySolution.detectionEngine.userUnauthenticatedTitle": "検出エンジンアクセス権が必要です", - "xpack.securitySolution.detectionEngine.validations.stepDefineRule.newTermsFieldsMax": "フィールド数は1でなければなりません。", + "xpack.securitySolution.detectionEngine.validations.stepDefineRule.groupByFieldsMax": "グループフィールドの数は3以下でなければなりません", + "xpack.securitySolution.detectionEngine.validations.stepDefineRule.newTermsFieldsMax": "フィールド数は3以下でなければなりません。", "xpack.securitySolution.detectionEngine.validations.thresholdCardinalityFieldFieldData.thresholdCardinalityFieldNotSuppliedMessage": "カーディナリティフィールドは必須です。", "xpack.securitySolution.detectionEngine.validations.thresholdCardinalityValueFieldData.numberGreaterThanOrEqualOneErrorMessage": "値は 1 以上でなければなりません。", "xpack.securitySolution.detectionEngine.validations.thresholdFieldFieldData.arrayLengthGreaterThanMaxErrorMessage": "フィールド数は3以下でなければなりません。", "xpack.securitySolution.detectionEngine.validations.thresholdValueFieldData.numberGreaterThanOrEqualOneErrorMessage": "値は 1 以上でなければなりません。", "xpack.securitySolution.detectionResponse.alerts": "アラート", + "xpack.securitySolution.detectionResponse.alertsBySeverity": "重要度別アラート", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.criticalLabel": "重大", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.highLabel": "高", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.lowLabel": "低", @@ -27365,23 +29189,32 @@ "xpack.securitySolution.detectionResponse.caseColumnTime": "時間", "xpack.securitySolution.detectionResponse.casesByStatusSectionTitle": "ケース", "xpack.securitySolution.detectionResponse.caseSectionTitle": "最近作成したケース", + "xpack.securitySolution.detectionResponse.criticalAlerts": "重大アラートを開く", + "xpack.securitySolution.detectionResponse.criticalAlertsDescription": "現在の時間範囲で未解決の重大なアラートの件数", "xpack.securitySolution.detectionResponse.errorMessage": "ケースデータの取得エラー", "xpack.securitySolution.detectionResponse.goToDocumentationButton": "ドキュメンテーションを表示", "xpack.securitySolution.detectionResponse.hostAlertsHostName": "ホスト名", "xpack.securitySolution.detectionResponse.hostAlertsSectionTitle": "アラート重要度別ホスト", "xpack.securitySolution.detectionResponse.hostSectionTooltip": "最大100ホスト。詳細については、「アラート」ページを参照してください。", + "xpack.securitySolution.detectionResponse.investigateInTimeline": "タイムラインで調査", + "xpack.securitySolution.detectionResponse.mttr": "平均ケース応答時間", + "xpack.securitySolution.detectionResponse.mttrDescription": "現在のアセットの平均期間(作成から終了まで)", "xpack.securitySolution.detectionResponse.noPagePermissionsMessage": "このページを表示するには、権限を更新する必要があります。詳細については、Kibana管理者に連絡してください。", "xpack.securitySolution.detectionResponse.noPermissionsTitle": "権限が必要です", "xpack.securitySolution.detectionResponse.noRecentCases": "表示するケースがありません。", "xpack.securitySolution.detectionResponse.noRuleAlerts": "表示するアラートがありません", "xpack.securitySolution.detectionResponse.openAllAlertsButton": "すべての未解決のアラートを表示", + "xpack.securitySolution.detectionResponse.openCaseDetailTooltip": "ケース詳細を開く", + "xpack.securitySolution.detectionResponse.openHostDetailTooltip": "ホスト詳細を開く", "xpack.securitySolution.detectionResponse.openRuleDetailTooltip": "ルール詳細を開く", + "xpack.securitySolution.detectionResponse.openUserDetailTooltip": "ユーザー詳細を開く", "xpack.securitySolution.detectionResponse.pageTitle": "検出と対応", "xpack.securitySolution.detectionResponse.ruleAlertsColumnAlertCount": "アラート件数", "xpack.securitySolution.detectionResponse.ruleAlertsColumnLastAlert": "前回のアラート", "xpack.securitySolution.detectionResponse.ruleAlertsColumnRuleName": "ルール名", "xpack.securitySolution.detectionResponse.ruleAlertsColumnSeverity": "深刻度", "xpack.securitySolution.detectionResponse.ruleAlertsSectionTitle": "ルール別未解決のアラート", + "xpack.securitySolution.detectionResponse.socTrends": "SOC傾向", "xpack.securitySolution.detectionResponse.status.closed": "終了", "xpack.securitySolution.detectionResponse.status.inProgress": "進行中", "xpack.securitySolution.detectionResponse.status.open": "開く", @@ -27394,6 +29227,9 @@ "xpack.securitySolution.detectionResponse.viewRecentCases": "最近のケースを表示", "xpack.securitySolution.detections.alerts.agentStatus": "エージェントステータス", "xpack.securitySolution.detections.alerts.ruleType": "ルールタイプ", + "xpack.securitySolution.detections.dataSource.popover.content": "ルールはインデックスパターンまたはデータビューをクエリできるようになりました。", + "xpack.securitySolution.detections.dataSource.popover.subTitle": "データソース", + "xpack.securitySolution.detections.dataSource.popover.title": "データソースを選択", "xpack.securitySolution.documentationLinks.ariaLabelEnding": "クリックすると、新しいタブでドキュメントを開きます", "xpack.securitySolution.documentationLinks.detectionsRequirements.text": "検出の前提条件と要件", "xpack.securitySolution.documentationLinks.mlJobCompatibility.text": "MLジョブの互換性", @@ -27408,8 +29244,11 @@ "xpack.securitySolution.editDataProvider.doesNotExistLabel": "存在しない", "xpack.securitySolution.editDataProvider.existsLabel": "存在する", "xpack.securitySolution.editDataProvider.fieldLabel": "フィールド", + "xpack.securitySolution.editDataProvider.includesPlaceholder": "1つ以上の値を入力してください。", "xpack.securitySolution.editDataProvider.isLabel": "is", "xpack.securitySolution.editDataProvider.isNotLabel": "is not", + "xpack.securitySolution.editDataProvider.isNotOneOfLabel": "is not one of", + "xpack.securitySolution.editDataProvider.isOneOfLabel": "is one of", "xpack.securitySolution.editDataProvider.operatorLabel": "演算子", "xpack.securitySolution.editDataProvider.placeholder": "フィールドを選択", "xpack.securitySolution.editDataProvider.saveButton": "保存", @@ -27420,13 +29259,16 @@ "xpack.securitySolution.effectedPolicySelect.assignmentSectionTitle": "割り当て", "xpack.securitySolution.effectedPolicySelect.viewPolicyLinkLabel": "ポリシーを表示", "xpack.securitySolution.emptyString.emptyStringDescription": "空の文字列", + "xpack.securitySolution.enableRiskScore.enableRiskScorePopoverTitle": "モジュールを有効にする前に、アラートが使用可能でなければなりません", "xpack.securitySolution.endpoint.actions.agentDetails": "エージェント詳細を表示", "xpack.securitySolution.endpoint.actions.agentPolicy": "エージェントポリシーを表示", "xpack.securitySolution.endpoint.actions.agentPolicyReassign": "エージェントポリシーを再割り当て", - "xpack.securitySolution.endpoint.actions.console": "レスポンダーの起動", + "xpack.securitySolution.endpoint.actions.console": "対応", "xpack.securitySolution.endpoint.actions.disabledResponder.tooltip": "現在のバージョンのエージェントは、この機能をサポートしていません。Fleet経由でエージェントをアップグレードし、この機能と新しい対応アクション(プロセスの終了、一時停止など)を使用します。", "xpack.securitySolution.endpoint.actions.hostDetails": "ホスト詳細を表示", + "xpack.securitySolution.endpoint.actions.insufficientPrivileges.error": "このコマンドを使用するための十分な権限がありません。アクセスについては、管理者に問い合わせてください。", "xpack.securitySolution.endpoint.actions.isolateHost": "ホストの分離", + "xpack.securitySolution.endpoint.actions.responseActionsHistory": "対応アクション履歴を表示", "xpack.securitySolution.endpoint.actions.unIsolateHost": "ホストのリリース", "xpack.securitySolution.endpoint.blocklist.fleetIntegration.title": "ブロックリスト", "xpack.securitySolution.endpoint.blocklists.fleetIntegration.title": "ブロックリスト", @@ -27438,6 +29280,11 @@ "xpack.securitySolution.endpoint.details.lastSeen": "前回の認識", "xpack.securitySolution.endpoint.details.noPolicyResponse": "ポリシー応答がありません", "xpack.securitySolution.endpoint.details.os": "OS", + "xpack.securitySolution.endpoint.details.packageActions.es_connection.description": "Elasticsearchへのエンドポイントの接続がダウンしているか、構成が正しくありません。正しく構成されていることを確認してください。", + "xpack.securitySolution.endpoint.details.packageActions.es_connection.title": "Elasticsearch接続失敗", + "xpack.securitySolution.endpoint.details.packageActions.link.text.es_connection": " 詳細をお読みください。", + "xpack.securitySolution.endpoint.details.packageActions.policy_failure.description": "エンドポイントが正しくポリシーに適用されませんでした。詳細については、上のポリシー対応を展開してください。", + "xpack.securitySolution.endpoint.details.packageActions.policy_failure.title": "ポリシー対応失敗", "xpack.securitySolution.endpoint.details.policy": "ポリシー", "xpack.securitySolution.endpoint.details.policyResponse.behavior_protection": "悪意のある動作", "xpack.securitySolution.endpoint.details.policyResponse.configure_dns_events": "DNS イベントの構成", @@ -27453,6 +29300,7 @@ "xpack.securitySolution.endpoint.details.policyResponse.configure_security_events": "セキュリティイベントの構成", "xpack.securitySolution.endpoint.details.policyResponse.connect_kernel": "カーネルを接続", "xpack.securitySolution.endpoint.details.policyResponse.description.full_disk_access": "コンピューターでElasticエンドポイントに対するフルディスクアクセスを有効にする必要があります。", + "xpack.securitySolution.endpoint.details.policyResponse.description.linux_deadlock": "潜在的なシステムのデッドロックを回避するため、マルウェア保護が無効化されました。この問題を解決するには、統合ポリシー詳細設定(linux.advanced.fanotify.ignored_filesystems)で、この原因となっているファイルシステムを特定する必要があります。詳細", "xpack.securitySolution.endpoint.details.policyResponse.description.macos_system_ext": "コンピューターでElasticエンドポイントに対するMac拡張を有効にする必要があります。", "xpack.securitySolution.endpoint.details.policyResponse.detect_async_image_load_events": "非同期画像読み込みイベントを検出", "xpack.securitySolution.endpoint.details.policyResponse.detect_file_open_events": "ファイルオープンイベントを検出", @@ -27467,7 +29315,7 @@ "xpack.securitySolution.endpoint.details.policyResponse.failed": "失敗", "xpack.securitySolution.endpoint.details.policyResponse.full_disk_access": "フルディスクアクセス", "xpack.securitySolution.endpoint.details.policyResponse.link.text.full_disk_access": " 詳細情報", - "xpack.securitySolution.endpoint.details.policyResponse.link.text.linux_deadlock": " 詳細情報", + "xpack.securitySolution.endpoint.details.policyResponse.link.text.linux_deadlock": " トラブルシューティングドキュメント。", "xpack.securitySolution.endpoint.details.policyResponse.link.text.macos_system_ext": " 詳細情報", "xpack.securitySolution.endpoint.details.policyResponse.linux_deadlock": "潜在的なシステムデッドロックを回避するために無効化", "xpack.securitySolution.endpoint.details.policyResponse.load_config": "構成の読み込み", @@ -27488,14 +29336,15 @@ "xpack.securitySolution.endpoint.details.policyResponse.workflow": "ワークフロー", "xpack.securitySolution.endpoint.details.policyStatus": "ポリシーステータス", "xpack.securitySolution.endpoint.detailsActions.buttonLabel": "アクションを実行", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.buttonLabel": "レスポンダーの起動", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.buttonLabel": "対応", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.generalMetadataErrorTooltip": "エンドポイントメタデータを取得できませんでした", "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.loadingTooltip": "読み込み中", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.notSupportedTooltip": "Elasticエージェント経由でエンドポイントおよびクラウドセキュリティおよびクラウドセキュリティ統合を追加し、この機能を有効にします", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.unenrolledTooltip": "ホストは、エンドポイントおよびクラウドセキュリティ統合に登録されていません", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.notSupportedTooltip": "Elasticエージェント経由でElastic Defend統合を追加し、この機能を有効にします", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.unenrolledTooltip": "ホストはElastic Defend統合に登録されていません", "xpack.securitySolution.endpoint.effectedPolicySelect.global": "グローバル", "xpack.securitySolution.endpoint.effectedPolicySelect.perPolicy": "ポリシー単位", "xpack.securitySolution.endpoint.eventFilters.fleetIntegration.title": "イベントフィルター", - "xpack.securitySolution.endpoint.fleetCustomExtension.backButtonLabel": "Endpoint Security統合に戻る", + "xpack.securitySolution.endpoint.fleetCustomExtension.backButtonLabel": "Elastic Defend統合に戻る", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.linux": "Linux", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.macos": "Mac", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.total": "合計", @@ -27532,6 +29381,8 @@ "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingRunningProcesses": "プロセス", "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingSuspendProcess": "プロセスを一時停止", "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingUnIsolate": "リリース", + "xpack.securitySolution.endpoint.ingestManager.createPackagePolicy.environments": "従来のエンドポイントや動的クラウド環境を保護", + "xpack.securitySolution.endpoint.ingestManager.createPackagePolicy.seeDocumentationLink": "ドキュメンテーション", "xpack.securitySolution.endpoint.list.actionmenu": "開く", "xpack.securitySolution.endpoint.list.actions": "アクション", "xpack.securitySolution.endpoint.list.backToPolicyButton": "ポリシーリストに戻る", @@ -27542,18 +29393,18 @@ "xpack.securitySolution.endpoint.list.ip": "IP アドレス", "xpack.securitySolution.endpoint.list.lastActive": "前回のアーカイブ", "xpack.securitySolution.endpoint.list.loadingPolicies": "統合を読み込んでいます", - "xpack.securitySolution.endpoint.list.noEndpointsInstructions": "エンドポイントおよびクラウドセキュリティ統合を追加しました。次の手順を使用して、エージェントを登録してください。", - "xpack.securitySolution.endpoint.list.noEndpointsPrompt": "次のステップ:エンドポイントおよびクラウドセキュリティにエージェントを登録", + "xpack.securitySolution.endpoint.list.noEndpointsInstructions": "Elastic Defend統合を追加しました。次の手順を使用して、エージェントを登録してください。", + "xpack.securitySolution.endpoint.list.noEndpointsPrompt": "次のステップ:Elastic Defendにエージェントを登録する", "xpack.securitySolution.endpoint.list.noPolicies": "統合はありません。", "xpack.securitySolution.endpoint.list.os": "OS", - "xpack.securitySolution.endpoint.list.pageSubTitle": "Endpoint Securityを実行しているホスト", + "xpack.securitySolution.endpoint.list.pageSubTitle": "Elastic Defendを実行しているホスト", "xpack.securitySolution.endpoint.list.pageTitle": "エンドポイント", "xpack.securitySolution.endpoint.list.policy": "ポリシー", "xpack.securitySolution.endpoint.list.policyStatus": "ポリシーステータス", "xpack.securitySolution.endpoint.list.stepOne": "既存の統合から選択してください。これは後から変更できます。", "xpack.securitySolution.endpoint.list.stepOneTitle": "使用する統合を選択", "xpack.securitySolution.endpoint.list.stepTwo": "開始するために必要なコマンドが提供されます。", - "xpack.securitySolution.endpoint.list.stepTwoTitle": "Fleet経由でエンドポイントおよびクラウドセキュリティに有効なエージェントを登録", + "xpack.securitySolution.endpoint.list.stepTwoTitle": "Fleet経由でElastic Defendに有効なエージェントを登録", "xpack.securitySolution.endpoint.list.transformFailed.dismiss": "閉じる", "xpack.securitySolution.endpoint.list.transformFailed.docsLink": "トラブルシューティングドキュメンテーション", "xpack.securitySolution.endpoint.list.transformFailed.restartLink": "変換を再開中", @@ -27568,6 +29419,7 @@ "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.global.public_key": "グローバルアーチファクトマニフェスト署名を検証するために使用される PEM 暗号化公開鍵。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.user.ca_cert": "Fleet Server認証局のPEM暗号化証明書。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.user.public_key": "ユーザーアーチファクトマニフェスト署名を検証するために使用される PEM 暗号化公開鍵。", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.capture_env_vars": "取り込む環境変数のカンマ区切りリスト(最大5件)。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.diagnostic.enabled": "「false」の値は、エンドポイントで診断機能の実行が無効になります。デフォルト:true", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.elasticsearch.delay": "イベントを Elasticsearch に送信する遅延(秒)。デフォルト:120.", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.elasticsearch.tls.ca_cert": "Elasticsearch 認証局の PEM 暗号化証明書。", @@ -27577,12 +29429,15 @@ "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.ignore_unknown_filesystems": "fanotifyが不明なファイルシステムを無視するかどうか。Trueに設定すると、CIテスト済みのファイルシステムのみがデフォルトで設定されます。その他のファイルシステムは、monitored_filesystemsで追加、ignored_filesystemsで削除できます。Falseにすると、内部的にキュレーションされたファイルシステムのリストのみが無視され、他のすべてが設定されます。追加のファイルシステムは、ignored_filesystemsによって無視されます。monitored_filesystemsは、ignore_unknown_filesystemsがFalseのときに無視されます。デフォルト:true", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.ignored_filesystems": "無視するfanotifyのその他のファイルシステム形式は、/proc/filesystemsに表示されるファイルシステム名のカンマ区切りリストです。例:ext4,tmpfs。ignore_unknown_filesystemsがFalseの場合、このオプションの解析されたエントリは、無視される内部確認済みの正しくないファイルシステムを補完します。ignore_unknown_filesystemsがTrueの場合、このオプションの解析されたエントリは、monitored_filesystemsのエントリと内部CIテスト済みファイルシステムを上書きします。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.monitored_filesystems": "無視するfanotifyのその他のファイルシステム形式は、/proc/filesystemsに表示されるファイルシステム名のカンマ区切りリストです。例:jfs,ufs,ramfs。ネットワークに基づくファイルシステムを避けることをお勧めします。ignore_unknown_filesystemsがFalseの場合、このオプションは無視されます。ignore_unknown_filesystemsがTrueの場合、このオプションの解析されたエントリは、ignored_filesystemsのエントリまたは内部確認済みの正しくないファイルシステムで上書きされないかぎり、fanotifyで監視されます。", - "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.kernel.capture_mode": "データの収集でkprobesまたはebpfのどちらが使用されるのかを制御できます。使用可能なオプションはkprobes、ebpf、autoです。デフォルト:kprobes", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.kernel.capture_mode": "データの収集でkprobesまたはebpfのどちらが使用されるのかを制御できます。オプションはkprobes、ebpf、autoです。可能な場合、Autoはebpfを使用します。そうでない場合は、kprobeを使用します。デフォルト:auto", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.logging.file": "入力した値は、ディスクに保存されたログと Elasticsearch にストリームされたログに構成されたログレベルよりも優先されます。ほとんどの環境でこのログを変更するには、Fleet を使用することをお勧めします。許可された値は、エラー、警告、情報、デバッグ、トレースです。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.logging.syslog": "入力された値はログを Syslog に構成します。許可された値は、エラー、警告、情報、デバッグ、トレースです。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.malware.quarantine": "マルウェア防御が有効なときに、隔離を有効にするかどうか。デフォルト:true", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.memory_protection.memory_scan": "メモリ保護の一部として悪意のあるメモリ領域の検査を有効にします。デフォルト:true", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.memory_protection.memory_scan_collect_sample": "検出された悪意のあるメモリ領域周辺の4MBのメモリを収集します。デフォルト:false。この値を有効にすると、Elasticsearchに格納されたデータの量が大幅に増加する可能性があります。", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_event_interval_seconds": "1回のイベントでターミナル出力をバッチ処理する最大時間(秒)。デフォルト:30", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_kilobytes_per_event": "1回のイベントで記録するターミナル出力の最大キロバイト数。デフォルト:512", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_kilobytes_per_process": "1回の処理で記録するターミナル出力の最大キロバイト数。デフォルト:512", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.utilization_limits.cpu": "エンドポイントを制限する合計システムCPUの割合。範囲は20~100%です。20未満の場合すべて無視され、ポリシー警告が発生します。 デフォルト:50", "xpack.securitySolution.endpoint.policy.advanced.mac.advanced.agent.connection_delay": "最初のポリシー応答を送信する前にエージェント接続を待機する時間(秒)。デフォルト:60.", "xpack.securitySolution.endpoint.policy.advanced.mac.advanced.alerts.cloud_lookup": "値「false」はMacアラートのクラウドルックアップを無効にします。デフォルト:true", @@ -27614,6 +29469,7 @@ "xpack.securitySolution.endpoint.policy.advanced.warningMessage": "このセクションには、高度なユースケースをサポートするポリシー値が含まれます。正しく構成されていない場合、\n これらの値により予期しない動作が引き起こされるおそれがあります。ドキュメントをよく読むか、\n サポートに問い合わせてから、これらの値を編集してください。", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.agent.connection_delay": "最初のポリシー応答を送信する前にエージェント接続を待機する時間(秒)。デフォルト:60.", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.alerts.cloud_lookup": "値「false」はWindowsアラートのクラウドルックアップを無効にします。デフォルト:true", + "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.alerts.rollback.self_healing.enabled": "自己修復では、防御アラートがトリガーされたときに、攻撃アーティファクトが消去されます。警告:データ損失が発生する可能性があります。デフォルト:false。", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.base_url": "グローバルアーチファクトマニフェストをダウンロードする URL。", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.interval": "グローバルアーチファクトマニフェストダウンロードの試行間隔(秒)。デフォルト:3600.", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.manifest_relative_url": "グローバルアーチファクトマニフェストをダウンロードする相対 URL。デフォルト: /downloads/endpoint/manifest/artifacts-.zip.", @@ -27774,6 +29630,10 @@ "xpack.securitySolution.endpoint.policy.hostIsolationException.list.removeDialog.messageCallout": "このホスト分離例外はこのポリシーからのみ削除されます。アーティファクトページには表示され、管理できます。", "xpack.securitySolution.endpoint.policy.hostIsolationException.list.removeDialog.title": "ポリシーからホスト分離例外を削除", "xpack.securitySolution.endpoint.policy.hostIsolationException.list.search.placeholder": "次のフィールドで検索:名前、説明、IP", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.details": "これらの設定は、後から、Elastic Defend統合ポリシーで変更できます。", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.feature": "Windows、macOS、Linuxイベント収集", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.learnMore": "詳細", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.title": "推奨のデフォルト値で統合が保存されます。", "xpack.securitySolution.endpoint.policy.protections.behavior": "悪意ある動作に対する保護", "xpack.securitySolution.endpoint.policy.protections.blocklist": "ブロックリストが有効にされました", "xpack.securitySolution.endpoint.policy.protections.malware": "マルウェア保護", @@ -27817,7 +29677,11 @@ "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.file": "ファイル", "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.network": "ネットワーク", "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.process": "プロセス", - "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data": "セッションデータを含める", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data": "セッションデータを収集", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data.description": "オンにすると、セッションビューに必要な拡張プロセスデータを取り込みます。セッションビューでは、セッションおよびプロセス実行データが視覚的に表示されます。セッションビューデータは、Linuxプロセスモデルに従って整理して表示され、Linuxインフラストラクチャーのプロセス、ユーザー、サービスアクティビティを調査できます。", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data.title": "セッションデータ", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.tty_io": "ターミナル出力を取り込む", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.tty_io.tooltip": "オンにすると、ターミナル(tty)出力を収集します。ターミナル出力はセッションビューに表示されます。ターミナルがエコーモードの場合は、実行されたコマンド、入力方法を個別に表示して確認できます。ebpfをサポートするホストでのみ動作します。", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.file": "ファイル", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.network": "ネットワーク", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.process": "プロセス", @@ -27831,14 +29695,15 @@ "xpack.securitySolution.endpoint.policyDetailsConfig.windows.events.registry": "レジストリ", "xpack.securitySolution.endpoint.policyDetailsConfig.windows.events.security": "セキュリティ", "xpack.securitySolution.endpoint.policyDetailType": "型", - "xpack.securitySolution.endpoint.policyList.actionButtonText": "エンドポイントおよびクラウドセキュリティを追加", + "xpack.securitySolution.endpoint.policyList.actionButtonText": "Elastic Defendの追加", "xpack.securitySolution.endpoint.policyList.emptyCreateNewButton": "エージェントの登録", "xpack.securitySolution.endpoint.policyList.onboardingDocsLink": "Elasticsearch Securityドキュメントを表示", "xpack.securitySolution.endpoint.policyList.onboardingSectionOne": "脅威防御、検出、深いセキュリティデータの可視化を実現し、ホストを保護します。", - "xpack.securitySolution.endpoint.policyList.onboardingSectionThree": "開始するには、エンドポイントおよびクラウドセキュリティ統合をエージェントに追加します。詳細については、", - "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromEndpointPage": "このページでは、エンドポイントおよびクラウドセキュリティを実行している環境でホストを表示して管理できます。", - "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromPolicyPage": "このページでは、エンドポイントおよびクラウドセキュリティを実行している環境で、エンドポイントおよびクラウドセキュリティ統合ポリシーを表示して管理できます。", - "xpack.securitySolution.endpoint.policyList.onboardingTitle": "エンドポイントおよびクラウドセキュリティの基本操作", + "xpack.securitySolution.endpoint.policyList.onboardingSectionThree": "開始するには、Elastic Defend統合をエージェントに追加します。詳細については、", + "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromEndpointPage": "このページでは、Elastic Defendを実行している環境でホストを表示して管理できます。", + "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromPolicyPage": "このページでは、Elastic Defendを実行している環境で、Elastic Defend統合ポリシーを表示して管理できます。", + "xpack.securitySolution.endpoint.policyList.onboardingTitle": "Elastic Defendをはじめよう", + "xpack.securitySolution.endpoint.policyNotFound": "ポリシーが見つかりません。", "xpack.securitySolution.endpoint.policyResponse.backLinkTitle": "エンドポイント詳細", "xpack.securitySolution.endpoint.policyResponse.title": "ポリシー応答", "xpack.securitySolution.endpoint.resolver.eitherLineageLimitExceeded": "以下のビジュアライゼーションとイベントリストの一部のプロセスイベントを表示できませんでした。データの上限に達しました。", @@ -27868,6 +29733,16 @@ "xpack.securitySolution.endpoint.resolver.terminatedTrigger": "トリガーを中断しました", "xpack.securitySolution.endpoint.trustedApps.fleetIntegration.title": "信頼できるアプリケーション", "xpack.securitySolution.endpointActionFailureMessage.unknownFailure": "アクションが失敗しました", + "xpack.securitySolution.endpointActionResponseCodes.getFile.diskQuota": "ファイルの取得中にエンドポイントのディスク割当量がなくなりました", + "xpack.securitySolution.endpointActionResponseCodes.getFile.errorProcessing": "ファイルの取得が中断されました", + "xpack.securitySolution.endpointActionResponseCodes.getFile.invalidPath": "定義されたパスは無効です", + "xpack.securitySolution.endpointActionResponseCodes.getFile.isDirectory": "定義されたパスはファイルではありません", + "xpack.securitySolution.endpointActionResponseCodes.getFile.notFound": "指定したファイルが見つかりませんでした", + "xpack.securitySolution.endpointActionResponseCodes.getFile.notPermitted": "エンドポイントはリクエストされたファイルを読み取れません(許可されていません)", + "xpack.securitySolution.endpointActionResponseCodes.getFile.queueTimeout": "APIのアップロードで接続中にエンドポイントがタイムアウトしました", + "xpack.securitySolution.endpointActionResponseCodes.getFile.tooBig": "リクエストされたファイルが大きすぎるため、取得できませんでした", + "xpack.securitySolution.endpointActionResponseCodes.getFile.uploadApiUnreachable": "ファイルアップロードAPI(Fleetサーバー)と通信できません", + "xpack.securitySolution.endpointActionResponseCodes.getFile.uploadTimeout": "ファイルアップロードがタイムアウトしました", "xpack.securitySolution.endpointActionResponseCodes.killProcess.noActionSuccess": "アクションが完了しました。指定されたプロセスが見つからないか、すでに終了されています", "xpack.securitySolution.endpointActionResponseCodes.killProcess.notFoundError": "指定されたプロセスが見つかりませんでした", "xpack.securitySolution.endpointActionResponseCodes.killProcess.notPermittedSuccess": "指定されたプロセスを終了できません", @@ -27875,6 +29750,8 @@ "xpack.securitySolution.endpointActionResponseCodes.suspendProcess.notPermittedSuccess": "指定されたプロセスを一時停止できません", "xpack.securitySolution.endpointConsoleCommands.emptyArgumentMessage": "引数を空にすることはできません", "xpack.securitySolution.endpointConsoleCommands.entityId.arg.comment": "終了するプロセスを表すエンティティID", + "xpack.securitySolution.endpointConsoleCommands.getFile.about": "ホストからファイルを取得", + "xpack.securitySolution.endpointConsoleCommands.getFile.pathArgAbout": "取得する完全ファイルパス", "xpack.securitySolution.endpointConsoleCommands.groups.responseActions": "対応アクション", "xpack.securitySolution.endpointConsoleCommands.invalidPidMessage": "引数は、プロセスのPIDを表す正の数値でなければなりません", "xpack.securitySolution.endpointConsoleCommands.isolate.about": "ホストの分離", @@ -27887,6 +29764,7 @@ "xpack.securitySolution.endpointConsoleCommands.suspendProcess.commandArgAbout": "アクションに関するコメント", "xpack.securitySolution.endpointConsoleCommands.suspendProcess.entityId.arg.comment": "一時停止するプロセスを表すエンティティID", "xpack.securitySolution.endpointConsoleCommands.suspendProcess.pid.arg.comment": "一時停止するプロセスを表すPID", + "xpack.securitySolution.endpointConsoleCommands.suspendProcess.unsupportedCommandInfo": "このバージョンのエンドポイントはこのコマンドをサポートしていません。最新の対応アクションを使用するには、Fleetでエージェントをアップグレードしてください。", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.endOfLog": "表示する情報がありません", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.failedEndpointIsolateAction": "要求を送信できませんでした。ホストの分離", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.failedEndpointReleaseAction": "要求を送信できませんでした。ホストのリリース", @@ -27904,9 +29782,12 @@ "xpack.securitySolution.endpointDetails.activityLog.logEntry.response.unisolationFailed": "エンドポイントが受信したエラーが発生しているホストリリースリクエスト", "xpack.securitySolution.endpointDetails.activityLog.logEntry.response.unisolationSuccessful": "エンドポイントが受信したホストリリースリクエスト", "xpack.securitySolution.endpointDetails.overview": "概要", + "xpack.securitySolution.endpointDetails.responseActionsHistory": "対応アクション履歴", "xpack.securitySolution.endpointManagement.noPermissionsSubText": "この機能を使用するには、スーパーユーザーロールが必要です。スーパーユーザーロールがなく、ユーザーロールを編集する権限もない場合は、Kibana管理者に問い合わせてください。", "xpack.securitySolution.endpointManagemnet.noPermissionsText": "Elastic Security Administrationを使用するために必要なKibana権限がありません。", "xpack.securitySolution.endpointPolicyStatus.tooltipTitleLabel": "ポリシーが適用されました", + "xpack.securitySolution.endpointResponseActions.actionSubmitter.apiErrorDetails": "次のエラーが発生しました:", + "xpack.securitySolution.endpointResponseActions.getFileAction.successTitle": "ファイルがホストから取得されました。", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.command": "コマンド", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.enityId": "エンティティID", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.pid": "PID", @@ -27923,7 +29804,31 @@ "xpack.securitySolution.endpointsTab": "エンドポイント", "xpack.securitySolution.enpdoint.resolver.panelutils.invaliddate": "無効な日付", "xpack.securitySolution.enpdoint.resolver.panelutils.noTimestampRetrieved": "タイムスタンプが取得されていません", + "xpack.securitySolution.entityAnalytics.anomalies.anomaliesTitle": "顕著な異常", + "xpack.securitySolution.entityAnalytics.anomalies.anomalyCount": "カウント", + "xpack.securitySolution.entityAnalytics.anomalies.AnomalyDetectionDocsTitle": "機械学習を使用した異常検知", + "xpack.securitySolution.entityAnalytics.anomalies.anomalyName": "異常名", + "xpack.securitySolution.entityAnalytics.anomalies.enableJob": "ジョブを実行", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusDisabled": "無効", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusFailed": "失敗", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusUninstalled": "アンインストール済み", + "xpack.securitySolution.entityAnalytics.anomalies.viewAnomalies": "すべて表示", + "xpack.securitySolution.entityAnalytics.anomalies.viewHostsAnomalies": "すべてのホスト異常を表示", + "xpack.securitySolution.entityAnalytics.anomalies.viewUsersAnomalies": "すべてのユーザー異常を表示", + "xpack.securitySolution.entityAnalytics.header.anomalies": "異常", + "xpack.securitySolution.entityAnalytics.header.criticalHosts": "重要なホスト", + "xpack.securitySolution.entityAnalytics.header.criticalUsers": "重要なユーザー", + "xpack.securitySolution.entityAnalytics.hostsRiskDashboard.hostsTableTooltip": "ホストリスク表は時間範囲の影響を受けません。この表は、各ホストの最後に記録されたリスクスコアを示します。", + "xpack.securitySolution.entityAnalytics.hostsRiskDashboard.title": "ホストリスクスコア", + "xpack.securitySolution.entityAnalytics.pageDesc": "Entity Analyticsを使用して、ネットワーク内のユーザーとデバイスから脅威を検出", + "xpack.securitySolution.entityAnalytics.riskDashboard.learnMore": "詳細", + "xpack.securitySolution.entityAnalytics.riskDashboard.viewAllLabel": "すべて表示", + "xpack.securitySolution.entityAnalytics.technicalPreviewLabel": "テクニカルプレビュー", + "xpack.securitySolution.entityAnalytics.totalLabel": "合計", + "xpack.securitySolution.entityAnalytics.usersRiskDashboard.title": "ユーザーリスクスコア", + "xpack.securitySolution.entityAnalytics.usersRiskDashboard.usersTableTooltip": "ユーザーリスク表は時間範囲の影響を受けません。この表は、各ユーザーの最後に記録されたリスクスコアを示します。", "xpack.securitySolution.event.module.linkToElasticEndpointSecurityDescription": "Endpoint Securityで開く", + "xpack.securitySolution.eventDetails.alertReason": "アラートの理由", "xpack.securitySolution.eventDetails.ctiSummary.feedNamePreposition": "開始", "xpack.securitySolution.eventDetails.ctiSummary.indicatorEnrichmentTitle": "脅威一致が検出されました", "xpack.securitySolution.eventDetails.ctiSummary.indicatorEnrichmentTooltipContent": "このフィールド値は、作成したルールの脅威インテリジェンス指標と一致しました。", @@ -27936,6 +29841,7 @@ "xpack.securitySolution.eventDetails.jsonView": "JSON", "xpack.securitySolution.eventDetails.multiFieldBadge": "複数フィールド", "xpack.securitySolution.eventDetails.multiFieldTooltipContent": "複数フィールドにはフィールドごとに複数の値を入力できます", + "xpack.securitySolution.eventDetails.osqueryView": "Osquery結果", "xpack.securitySolution.eventDetails.table": "表", "xpack.securitySolution.eventDetails.table.actions": "アクション", "xpack.securitySolution.eventDetails.value": "値", @@ -27974,6 +29880,7 @@ "xpack.securitySolution.eventFilters.searchPlaceholderInfo": "次のフィールドで検索:名前、説明、コメント、値", "xpack.securitySolution.eventFilters.warningMessage.duplicateFields": "同じフィールド値の乗数を使用すると、エンドポイントパフォーマンスが劣化したり、効果的ではないルールが作成されたりすることがあります", "xpack.securitySolution.eventFiltersTab": "イベントフィルター", + "xpack.securitySolution.eventRenderers.alertName": "アラート", "xpack.securitySolution.eventRenderers.alertsDescription": "マルウェアまたはランサムウェアが防御、検出されたときにアラートが表示されます。", "xpack.securitySolution.eventRenderers.alertsName": "アラート", "xpack.securitySolution.eventRenderers.auditdDescriptionPart1": "監査イベントは、Linux Audit Framework からセキュリティ関連ログを通知します。", @@ -28023,6 +29930,7 @@ "xpack.securitySolution.eventsViewer.actionsColumnLabel": "アクション", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.alertDurationTitle": "アラート期間", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.newTerms": "新しい用語", + "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.newTermsFields": "新しい用語フィールド", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.reasonTitle": "理由", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.riskScoreTitle": "リスクスコア", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.ruleDescriptionTitle": "ルールの説明", @@ -28039,13 +29947,44 @@ "xpack.securitySolution.eventsViewer.alerts.overviewTable.signalStatusTitle": "ステータス", "xpack.securitySolution.eventsViewer.eventsLabel": "イベント", "xpack.securitySolution.eventsViewer.showingLabel": "表示中", + "xpack.securitySolution.exception.list.empty.viewer_button": "ルール例外の作成", + "xpack.securitySolution.exception.list.empty.viewer_title": "このリストの除外を作成", + "xpack.securitySolution.exception.list.search_bar_button": "ルール例外をリストに追加", + "xpack.securitySolution.exceptions.addToRulesTable.tagsFilterLabel": "タグ", "xpack.securitySolution.exceptions.badge.readOnly.tooltip": "例外を作成、編集、削除できません", "xpack.securitySolution.exceptions.cancelLabel": "キャンセル", "xpack.securitySolution.exceptions.clearExceptionsLabel": "例外リストを削除", "xpack.securitySolution.exceptions.commentEventLabel": "コメントを追加しました", + "xpack.securitySolution.exceptions.common.selectRulesOptionLabel": "ルールに追加", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutCreateButton": "共有例外リストの作成", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutDescription": "説明(オプション)", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutDescriptionPlaceholder": "新しい例外リスト", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutNameField": "共有例外リスト名", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutNameFieldPlaceholder": "新しい例外リスト", + "xpack.securitySolution.exceptions.createSharedExceptionListSuccessTitle": "作成されたリスト", + "xpack.securitySolution.exceptions.createSharedExceptionListTitle": "共有例外リストの作成", "xpack.securitySolution.exceptions.disassociateExceptionListError": "例外リストを削除できませんでした", "xpack.securitySolution.exceptions.errorLabel": "エラー", + "xpack.securitySolution.exceptions.exceptionListsCloseImportFlyout": "閉じる", + "xpack.securitySolution.exceptions.exceptionListsFilePickerPrompt": "複数のファイルを選択するかドラッグしてください", + "xpack.securitySolution.exceptions.exceptionListsImportButton": "リストをインポート", "xpack.securitySolution.exceptions.fetchError": "例外リストの取得エラー", + "xpack.securitySolution.exceptions.fetchingReferencesErrorToastTitle": "例外参照の取得エラー", + "xpack.securitySolution.exceptions.list.exception.item.card.delete.label": "ルール例外の削除", + "xpack.securitySolution.exceptions.list.exception.item.card.edit.label": "ルール例外を編集", + "xpack.securitySolution.exceptions.list.exception.item.card.exceptionItemDeleteSuccessTitle": "例外が削除されました", + "xpack.securitySolution.exceptions.list.exceptionItemSearchErrorBody": "例外アイテムの検索中にエラーが発生しました。再試行してください。", + "xpack.securitySolution.exceptions.list.exceptionItemSearchErrorTitle": "検索エラー", + "xpack.securitySolution.exceptions.list.exceptionItemsFetchError": "例外アイテムを読み込めません", + "xpack.securitySolution.exceptions.list.exceptionItemsFetchErrorDescription": "例外アイテムの読み込みエラーが発生しました。ヘルプについては、管理者にお問い合わせください。", + "xpack.securitySolution.exceptions.list.manage_rules_cancel": "キャンセル", + "xpack.securitySolution.exceptions.list.manage_rules_description": "ルールをこの例外リストに関連付けたり、関連付けを解除したりします。", + "xpack.securitySolution.exceptions.list.manage_rules_header": "ルールの管理", + "xpack.securitySolution.exceptions.list.manage_rules_save": "保存", + "xpack.securitySolution.exceptions.list.utility.title": "ルール例外", + "xpack.securitySolution.exceptions.manageExceptions.createItemButton": "例外アイテムの作成", + "xpack.securitySolution.exceptions.manageExceptions.createSharedListButton": "共有リストの作成", + "xpack.securitySolution.exceptions.manageExceptions.importExceptionList": "例外リストのインポート", "xpack.securitySolution.exceptions.modalErrorAccordionText": "ルール参照情報を表示:", "xpack.securitySolution.exceptions.operatingSystemFullLabel": "オペレーティングシステム", "xpack.securitySolution.exceptions.operatingSystemLinux": "Linux", @@ -28055,10 +29994,23 @@ "xpack.securitySolution.exceptions.referenceModalCancelButton": "キャンセル", "xpack.securitySolution.exceptions.referenceModalDeleteButton": "例外リストを削除", "xpack.securitySolution.exceptions.referenceModalTitle": "例外リストを削除", + "xpack.securitySolution.exceptions.sortBy": "並べ替え基準:", + "xpack.securitySolution.exceptions.sortByCreateAt": "作成日時", "xpack.securitySolution.exceptions.viewer.addCommentPlaceholder": "新しいコメントを追加...", "xpack.securitySolution.exceptions.viewer.addToClipboard": "コメント", "xpack.securitySolution.exceptions.viewer.addToDetectionsListLabel": "ルール例外の追加", "xpack.securitySolution.exceptions.viewer.addToEndpointListLabel": "エンドポイント例外の追加", + "xpack.securitySolution.exceptionsTable.createdAt": "日付が作成されました", + "xpack.securitySolution.exceptionsTable.createdBy": "作成者", + "xpack.securitySolution.exceptionsTable.deleteExceptionList": "例外リストの削除", + "xpack.securitySolution.exceptionsTable.exceptionsCountLabel": "例外", + "xpack.securitySolution.exceptionsTable.exportExceptionList": "例外リストのエクスポート", + "xpack.securitySolution.exceptionsTable.importExceptionListAsNewList": "新しいリストの作成", + "xpack.securitySolution.exceptionsTable.importExceptionListFlyoutBody": "インポートする共有例外リストを選択", + "xpack.securitySolution.exceptionsTable.importExceptionListFlyoutHeader": "共有例外リストのインポート", + "xpack.securitySolution.exceptionsTable.importExceptionListOverwrite": "既存のリストを上書き", + "xpack.securitySolution.exceptionsTable.importExceptionListWarning": "そのIDの既存のリストが見つかりました", + "xpack.securitySolution.exceptionsTable.rulesCountLabel": "ルール", "xpack.securitySolution.exitFullScreenButton": "全画面を終了", "xpack.securitySolution.expandedValue.hideTopValues.HideTopValues": "上位の値を非表示", "xpack.securitySolution.expandedValue.links.expandIpDetails": "IP詳細を展開", @@ -28071,10 +30023,28 @@ "xpack.securitySolution.expandedValue.links.viewUserSummary": "ユーザー概要を表示", "xpack.securitySolution.expandedValue.showTopN.showTopValues": "上位の値を表示", "xpack.securitySolution.featureCatalogueDescription": "インフラストラクチャ全体の統合保護のため、脅威を防止、収集、検出し、それに対応します。", + "xpack.securitySolution.featureRegistr.subFeatures.fileOperations": "ファイル操作", "xpack.securitySolution.featureRegistry.deleteSubFeatureDetails": "ケースとコメントを削除", "xpack.securitySolution.featureRegistry.deleteSubFeatureName": "削除", "xpack.securitySolution.featureRegistry.linkSecuritySolutionCaseTitle": "ケース", "xpack.securitySolution.featureRegistry.linkSecuritySolutionTitle": "セキュリティ", + "xpack.securitySolution.featureRegistry.subFeatures.blockList": "ブロックリスト", + "xpack.securitySolution.featureRegistry.subFeatures.blockList.privilegesTooltip": "ブロックリストのアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.endpointList": "エンドポイントリスト", + "xpack.securitySolution.featureRegistry.subFeatures.endpointList.privilegesTooltip": "エンドポイントリストのアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.eventFilters": "イベントフィルター", + "xpack.securitySolution.featureRegistry.subFeatures.eventFilters.privilegesTooltip": "イベントフィルターのアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.fileOperations.privilegesTooltip": "ファイル操作のアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolation": "ホスト分離", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolation.privilegesTooltip": "ホスト分離のアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolationExceptions": "ホスト分離例外", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolationExceptions.privilegesTooltip": "ホスト分離例外のアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.policyManagement": "ポリシー管理", + "xpack.securitySolution.featureRegistry.subFeatures.policyManagement.privilegesTooltip": "ポリシー管理のアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.processOperations": "プロセス操作", + "xpack.securitySolution.featureRegistry.subFeatures.processOperations.privilegesTooltip": "プロセス操作のアクセスには、すべてのスペースが必要です。", + "xpack.securitySolution.featureRegistry.subFeatures.trustedApplications": "信頼できるアプリケーション", + "xpack.securitySolution.featureRegistry.subFeatures.trustedApplications.privilegesTooltip": "信頼できるアプリケーションのアクセスには、すべてのスペースが必要です。", "xpack.securitySolution.fieldBrowser.actionsLabel": "アクション", "xpack.securitySolution.fieldBrowser.categoryLabel": "カテゴリー", "xpack.securitySolution.fieldBrowser.createFieldButton": "フィールドを作成", @@ -28103,6 +30073,8 @@ "xpack.securitySolution.firstLastSeenHost.failSearchDescription": "最初の前回確認されたホストで検索を実行できませんでした", "xpack.securitySolution.fleetIntegration.assets.description": "セキュリティアプリでエンドポイントを表示", "xpack.securitySolution.fleetIntegration.assets.name": "ホスト", + "xpack.securitySolution.fleetIntegration.elasticDefend.eventFilter.nonInteractiveSessions.description": "クラウドセキュリティのイベントフィルター。Elastic Defend統合によって作成。", + "xpack.securitySolution.fleetIntegration.elasticDefend.eventFilter.nonInteractiveSessions.name": "非インタラクティブセッション", "xpack.securitySolution.flyout.button.timeline": "タイムライン", "xpack.securitySolution.footer.autoRefreshActiveDescription": "自動更新アクション", "xpack.securitySolution.footer.cancel": "キャンセル", @@ -28129,12 +30101,30 @@ "xpack.securitySolution.formattedNumber.compactTrillions": "T", "xpack.securitySolution.getCurrentUser.Error": "ユーザーの取得エラー", "xpack.securitySolution.getCurrentUser.unknownUser": "不明", + "xpack.securitySolution.getFileAction.pendingMessage": "ホストからファイルを取得しています。", "xpack.securitySolution.globalHeader.buttonAddData": "統合の追加", "xpack.securitySolution.goToDocumentationButton": "ドキュメンテーションを表示", "xpack.securitySolution.guided_onboarding.nextStep.buttonLabel": "次へ", + "xpack.securitySolution.guided_onboarding.tour.addToCase.tourContent": "[アクションの実行]メニューから、新しいケースにアラートを追加します。", + "xpack.securitySolution.guided_onboarding.tour.addToCase.tourTitle": "ケースを作成", + "xpack.securitySolution.guided_onboarding.tour.createCase.description": "これは悪意のあるシグナルを文書化する場所です。ケースに関連し、参照する必要がある他のユーザーにとって有益だと考えられるすべての情報を含めることができます。「マークダウン」 **記法** _が_ [サポートされています](https://www.markdownguide.org/cheat-sheet/)。", + "xpack.securitySolution.guided_onboarding.tour.createCase.title": "検出されたデモシグナル", + "xpack.securitySolution.guided_onboarding.tour.createCase.tourContent": "アラートのほかに、ケースに必要な関連情報を追加できます。", + "xpack.securitySolution.guided_onboarding.tour.createCase.tourTitle": "詳細の追加", + "xpack.securitySolution.guided_onboarding.tour.flyoutOverview.tourContent": "アラートの詳細については、各タブで使用可能なすべての情報を確認してください。", + "xpack.securitySolution.guided_onboarding.tour.flyoutOverview.tourTitle": "アラート詳細を表示", + "xpack.securitySolution.guided_onboarding.tour.openFlyout.tourContent": "一部の情報は一目でわかるように表形式で表示されています。アラートを開くと、詳細が表示されます。", + "xpack.securitySolution.guided_onboarding.tour.openFlyout.tourTitle": "アラート詳細の確認", + "xpack.securitySolution.guided_onboarding.tour.ruleNameStep.tourContent": "アラートのトリアージの練習を支援するために、最初のアラートを作成するルールが有効になりました。", + "xpack.securitySolution.guided_onboarding.tour.ruleNameStep.tourTitle": "練習でアラートをテスト", + "xpack.securitySolution.guided_onboarding.tour.submitCase.tourContent": "[ケースの作成]をクリックすると、ツアーが進みます。", + "xpack.securitySolution.guided_onboarding.tour.submitCase.tourTitle": "ケースを送信", + "xpack.securitySolution.guided_onboarding.tour.viewCase.tourContent": "[インサイト]でクリックすると、新しいケースが表示されます", + "xpack.securitySolution.guided_onboarding.tour.viewCase.tourTitle": "ケースを表示", "xpack.securitySolution.handleInputAreaState.inputPlaceholderText": "対応アクションを送信", "xpack.securitySolution.header.editableTitle.cancel": "キャンセル", "xpack.securitySolution.header.editableTitle.save": "保存", + "xpack.securitySolution.hooks.useGetSavedQuery.errorToastMessage": "保存されたクエリを読み込めませんでした", "xpack.securitySolution.host.details.architectureLabel": "アーキテクチャー", "xpack.securitySolution.host.details.endpoint.endpointPolicy": "エンドポイント統合ポリシー", "xpack.securitySolution.host.details.endpoint.fleetAgentStatus": "エージェントステータス", @@ -28210,8 +30200,10 @@ "xpack.securitySolution.hostsRiskTable.hostRiskScoreTitle": "ホストリスクスコア", "xpack.securitySolution.hostsRiskTable.hostRiskTitle": "ホストリスク", "xpack.securitySolution.hostsRiskTable.hostRiskToolTip": "ホストリスク分類はホストリスクスコアで決まります。「重大」または「高」に分類されたホストはリスクが高いことが示されます。", + "xpack.securitySolution.hostsRiskTable.hostsTableTooltip": "ホストリスク表はKQL時間範囲の影響を受けません。この表は、各ホストの最後に記録されたリスクスコアを示します。", "xpack.securitySolution.hostsRiskTable.riskTitle": "ホストリスク分類", "xpack.securitySolution.hostsRiskTable.tableTitle": "ホストリスク", + "xpack.securitySolution.hostsRiskTable.usersTableTooltip": "ユーザーリスク表はKQL時間範囲の影響を受けません。この表は、各ユーザーの最後に記録されたリスクスコアを示します。", "xpack.securitySolution.hostsTable.firstLastSeenToolTip": "選択された日付範囲との相関付けです", "xpack.securitySolution.hostsTable.hostRiskTitle": "ホストリスク分類", "xpack.securitySolution.hostsTable.hostRiskToolTip": "ホストリスク分類はホストリスクスコアで決まります。「重大」または「高」に分類されたホストはリスクが高いことが示されます。", @@ -28254,6 +30246,7 @@ "xpack.securitySolution.indexPatterns.updateAvailableBadgeTitle": "更新が利用可能です", "xpack.securitySolution.indexPatterns.updateDataView": "このインデックスパターンをセキュリティデータビューに追加しますか?そうでない場合は、見つからないインデックスパターンなしで、データビューを再作成できます。", "xpack.securitySolution.indexPatterns.updateSecurityDataView": "セキュリティデータビューを更新", + "xpack.securitySolution.inputCapture.ariaPlaceHolder": "コマンドを入力", "xpack.securitySolution.inspect.modal.closeTitle": "閉じる", "xpack.securitySolution.inspect.modal.indexPatternDescription": "Elasticsearchインデックスに接続したインデックスパターンです。これらのインデックスは Kibana > 高度な設定で構成できます。", "xpack.securitySolution.inspect.modal.indexPatternLabel": "インデックスパターン", @@ -28315,6 +30308,9 @@ "xpack.securitySolution.lists.closeValueListsModalTitle": "閉じる", "xpack.securitySolution.lists.detectionEngine.rules.importValueListsButton": "値リストのインポート", "xpack.securitySolution.lists.detectionEngine.rules.uploadValueListsButtonTooltip": "値リストを使用して、フィールド値がリストの値と一致したときに例外を作成します", + "xpack.securitySolution.lists.exceptionListImportSuccess": "例外リスト'{fileName}'がインポートされました", + "xpack.securitySolution.lists.exceptionListImportSuccessTitle": "例外リストがインポートされました", + "xpack.securitySolution.lists.exceptionListUploadError": "例外リストのアップロード中にエラーが発生しました。", "xpack.securitySolution.lists.importValueListDescription": "ルール例外の書き込み中に使用する単一値リストをインポートします。", "xpack.securitySolution.lists.importValueListTitle": "値リストのインポート", "xpack.securitySolution.lists.referenceModalCancelButton": "キャンセル", @@ -28343,6 +30339,15 @@ "xpack.securitySolution.management.policiesSelector.label": "ポリシー", "xpack.securitySolution.management.policiesSelector.unassignedEntries": "割り当てられていないエントリ", "xpack.securitySolution.management.search.button": "更新", + "xpack.securitySolution.markdown.osquery.addModalConfirmButtonLabel": "クエリを追加", + "xpack.securitySolution.markdown.osquery.addModalTitle": "クエリを追加", + "xpack.securitySolution.markdown.osquery.editModalConfirmButtonLabel": "変更を保存", + "xpack.securitySolution.markdown.osquery.editModalTitle": "クエリの編集", + "xpack.securitySolution.markdown.osquery.labelFieldText": "ラベル", + "xpack.securitySolution.markdown.osquery.modalCancelButtonLabel": "キャンセル", + "xpack.securitySolution.markdown.osquery.permissionDenied": "パーミッションが拒否されました", + "xpack.securitySolution.markdown.osquery.runOsqueryButtonLabel": "Osqueryの実行", + "xpack.securitySolution.markdownEditor.plugins.insightProviderError": "インサイトプロバイダー構成を解析できません", "xpack.securitySolution.markdownEditor.plugins.timeline.insertTimelineButtonLabel": "タイムラインリンクの挿入", "xpack.securitySolution.markdownEditor.plugins.timeline.noParenthesesErrorMsg": "想定される左括弧", "xpack.securitySolution.markdownEditor.plugins.timeline.noTimelineIdFoundErrorMsg": "タイムラインIDが見つかりません", @@ -28361,6 +30366,13 @@ "xpack.securitySolution.ml.table.entityTitle": "エンティティ", "xpack.securitySolution.ml.table.hostNameTitle": "ホスト名", "xpack.securitySolution.ml.table.influencedByTitle": "影響因子:", + "xpack.securitySolution.ml.table.intervalAutoOption": "自動", + "xpack.securitySolution.ml.table.intervalDayOption": "1日", + "xpack.securitySolution.ml.table.intervalHourOption": "1時間", + "xpack.securitySolution.ml.table.intervalLabel": "間隔", + "xpack.securitySolution.ml.table.intervalshowAllOption": "すべて表示", + "xpack.securitySolution.ml.table.intervalTooltip": "各間隔(時間または日など)の最高重要度異常のみを表示するか、選択した期間のすべての異常を表示します。", + "xpack.securitySolution.ml.table.jobIdFilter": "ジョブ名", "xpack.securitySolution.ml.table.networkNameTitle": "ネットワークIP", "xpack.securitySolution.ml.table.scoreTitle": "異常スコア", "xpack.securitySolution.ml.table.timestampTitle": "タイムスタンプ", @@ -28376,7 +30388,8 @@ "xpack.securitySolution.navigation.dashboards": "ダッシュボード", "xpack.securitySolution.navigation.detect": "検知", "xpack.securitySolution.navigation.detectionResponse": "検出と対応", - "xpack.securitySolution.navigation.exceptions": "例外リスト", + "xpack.securitySolution.navigation.entityAnalytics": "エンティティ分析", + "xpack.securitySolution.navigation.exceptions": "ルール例外", "xpack.securitySolution.navigation.explore": "探索", "xpack.securitySolution.navigation.findings": "調査結果", "xpack.securitySolution.navigation.gettingStarted": "使ってみる", @@ -28388,8 +30401,9 @@ "xpack.securitySolution.navigation.network": "ネットワーク", "xpack.securitySolution.navigation.newRuleTitle": "新規ルールを作成", "xpack.securitySolution.navigation.overview": "概要", + "xpack.securitySolution.navigation.responseActionsHistory": "対応アクション履歴", "xpack.securitySolution.navigation.rules": "ルール", - "xpack.securitySolution.navigation.threatIntelligence": "脅威インテリジェンス", + "xpack.securitySolution.navigation.threatIntelligence": "インテリジェンス", "xpack.securitySolution.navigation.timelines": "タイムライン", "xpack.securitySolution.navigation.users": "ユーザー", "xpack.securitySolution.network.ipDetails.ipOverview.asDestinationDropDownOptionLabel": "送信先として", @@ -28425,6 +30439,7 @@ "xpack.securitySolution.network.navigation.flowsTitle": "Flow", "xpack.securitySolution.network.navigation.httpTitle": "HTTP", "xpack.securitySolution.network.navigation.tlsTitle": "TLS", + "xpack.securitySolution.network.navigation.usersTitle": "ユーザー", "xpack.securitySolution.network.pageTitle": "ネットワーク", "xpack.securitySolution.networkDetails.errorSearchDescription": "ネットワーク詳細検索でエラーが発生しました", "xpack.securitySolution.networkDetails.failSearchDescription": "ネットワーク詳細で検索を実行できませんでした", @@ -28484,6 +30499,7 @@ "xpack.securitySolution.newsFeed.noNewsMessage": "現在のニュースフィードURLは最新のニュースを返しませんでした。", "xpack.securitySolution.newsFeed.noNewsMessageForAdmin": "現在のニュースフィードURLは最新のニュースを返しませんでした。URLを更新するか、セキュリティニュースを無効にすることができます", "xpack.securitySolution.noPermissionsTitle": "権限が必要です", + "xpack.securitySolution.noPrivilegesDefaultMessage": "このページを表示するには、権限を更新する必要があります。詳細については、Kibana管理者に連絡してください。", "xpack.securitySolution.notes.addNoteButtonLabel": "メモを追加", "xpack.securitySolution.notes.cancelButtonLabel": "キャンセル", "xpack.securitySolution.notes.createdByLabel": "作成者", @@ -28527,6 +30543,9 @@ "xpack.securitySolution.open.timeline.withLabel": "With", "xpack.securitySolution.open.timeline.zeroTimelinesMatchLabel": "0 件のタイムラインが検索条件に一致", "xpack.securitySolution.open.timeline.zeroTimelineTemplatesMatchLabel": "0件のタイムラインテンプレートが検索条件と一致します", + "xpack.securitySolution.osquery.action.permissionDenied": "パーミッションが拒否されました", + "xpack.securitySolution.osquery.action.shortEmptyTitle": "Osqueryが使用できません", + "xpack.securitySolution.osquery.action.unavailable": "Osqueryマネージャー統合がエージェントポリシーに追加されていません。ホストでクエリを実行するには、FleetでOsqueryマネージャー統合をエージェントポリシーに追加してください。", "xpack.securitySolution.outOfDateLabel": "最新ではありません", "xpack.securitySolution.overview.auditBeatAuditTitle": "監査", "xpack.securitySolution.overview.auditBeatFimTitle": "File Integrityモジュール", @@ -28540,6 +30559,7 @@ "xpack.securitySolution.overview.ctiDashboardEnableThreatIntel": "データを表示するには、脅威インテリジェンスソースを有効にする必要があります。", "xpack.securitySolution.overview.ctiDashboardOtherDatasourceTitle": "その他", "xpack.securitySolution.overview.ctiDashboardTitle": "脅威インテリジェンス", + "xpack.securitySolution.overview.ctiLinkSource": "送信元", "xpack.securitySolution.overview.ctiViewDasboard": "ダッシュボードを表示", "xpack.securitySolution.overview.endgameDnsTitle": "DNS", "xpack.securitySolution.overview.endgameFileTitle": "ファイル", @@ -28578,6 +30598,7 @@ "xpack.securitySolution.overview.landingCards.box.siemCard.title": "最先端を行くSOCのSIEM", "xpack.securitySolution.overview.landingCards.box.unify.desc": "Elasticセキュリティは数年分に及ぶデータの分析を可能にするほか、主要プロセスを自動化し、全ホストを保護して、最先端のセキュリティ運用を実現します。", "xpack.securitySolution.overview.landingCards.box.unify.title": "SIEM、エンドポイントセキュリティ、クラウドセキュリティを一体化", + "xpack.securitySolution.overview.linkPanelLearnMoreButton": "詳細情報", "xpack.securitySolution.overview.networkAction": "ネットワークを表示", "xpack.securitySolution.overview.networkStatGroupAuditbeat": "Auditbeat", "xpack.securitySolution.overview.networkStatGroupFilebeat": "Filebeat", @@ -28589,6 +30610,7 @@ "xpack.securitySolution.overview.packetbeatTLSTitle": "TLS", "xpack.securitySolution.overview.recentTimelinesSidebarTitle": "最近のタイムライン", "xpack.securitySolution.overview.signalCountTitle": "アラート傾向", + "xpack.securitySolution.overview.threatIndicatorsAction": "インジケーターを表示", "xpack.securitySolution.overview.viewAlertsButtonLabel": "アラートを表示", "xpack.securitySolution.overview.viewEventsButtonLabel": "イベントを表示", "xpack.securitySolution.overview.winlogbeatMWSysmonOperational": "Microsoft-Windows-Sysmon/Operational", @@ -28602,6 +30624,9 @@ "xpack.securitySolution.paginatedTable.showingSubtitle": "表示中", "xpack.securitySolution.paginatedTable.tooManyResultsToastText": "クエリ範囲を縮めて結果をさらにフィルタリングしてください", "xpack.securitySolution.paginatedTable.tooManyResultsToastTitle": " - 結果が多すぎます", + "xpack.securitySolution.paywall.platinum": "プラチナ", + "xpack.securitySolution.paywall.upgradeButton": "プラチナにアップグレード", + "xpack.securitySolution.paywall.upgradeMessage": "この機能は、プラチナ以上のサブスクリプションでご利用いただけます", "xpack.securitySolution.policiesTab": "ポリシー", "xpack.securitySolution.policy.backToPolicyList": "ポリシーリストに戻る", "xpack.securitySolution.policy.list.createdAt": "作成日", @@ -28632,6 +30657,17 @@ "xpack.securitySolution.recentTimelines.pinnedEventsTooltip": "ピン付けされたイベント", "xpack.securitySolution.recentTimelines.untitledTimelineLabel": "無題のタイムライン", "xpack.securitySolution.recentTimelines.viewAllTimelinesLink": "すべてのタイムラインを表示", + "xpack.securitySolution.renderers.alertRenderer.alertLabel": "アラート", + "xpack.securitySolution.renderers.alertRenderer.byLabel": "グループ基準", + "xpack.securitySolution.renderers.alertRenderer.createdLabel": "作成済み", + "xpack.securitySolution.renderers.alertRenderer.destinationLabel": "デスティネーション", + "xpack.securitySolution.renderers.alertRenderer.eventLabel": "イベント", + "xpack.securitySolution.renderers.alertRenderer.fileLabel": "ファイル", + "xpack.securitySolution.renderers.alertRenderer.onLabel": "日付", + "xpack.securitySolution.renderers.alertRenderer.parentProcessLabel": "親プロセス", + "xpack.securitySolution.renderers.alertRenderer.processLabel": "プロセス", + "xpack.securitySolution.renderers.alertRenderer.sourceLabel": "ソース", + "xpack.securitySolution.renderers.alertRenderer.withLabel": "With", "xpack.securitySolution.reputationLinks.moreLabel": "詳細", "xpack.securitySolution.resolver.graphControls.center": "中央", "xpack.securitySolution.resolver.graphControls.currentlyLoadingCube": "プロセスの読み込み中", @@ -28670,27 +30706,84 @@ "xpack.securitySolution.resolver.symbolDefinitions.terminatedProcess": "プロセスを中断しました", "xpack.securitySolution.resolver.symbolDefinitions.terminatedTriggerProcess": "トリガープロセスを終了しました", "xpack.securitySolution.resolver.symbolDefinitions.triggerProcess": "トリガープロセス", - "xpack.securitySolution.responder_overlay.pageTitle": "レスポンダー", + "xpack.securitySolution.responder_overlay.pageTitle": "対応コンソール", "xpack.securitySolution.responder.hostOffline.callout.title": "オフラインのホスト", - "xpack.securitySolution.responseActionsList.empty.body": "別のフィルターを試してください", - "xpack.securitySolution.responseActionsList.empty.title": "対応アクションログがありません", + "xpack.securitySolution.responseActionFileDownloadLink.deleteNotice": "ファイルは定期的に削除され、ストレージ領域が消去されます。必要に応じて、ファイルをローカルでダウンロード、保存してください。", + "xpack.securitySolution.responseActionFileDownloadLink.downloadButtonLabel": "ここをクリックすると、ダウンロードします", + "xpack.securitySolution.responseActionFileDownloadLink.fileNoLongerAvailable": "ファイルが有効期限切れであり、ダウンロードできません。", + "xpack.securitySolution.responseActionsHistory.empty.content": "対応アクションログは実行されません", + "xpack.securitySolution.responseActionsHistory.empty.link": "対応アクションの詳細を読む", + "xpack.securitySolution.responseActionsHistory.empty.title": "対応アクション履歴が空です", + "xpack.securitySolution.responseActionsHistoryButton.label": "対応アクション履歴", + "xpack.securitySolution.responseActionsList.empty.body": "検索内容またはフィルターセットを変更してください", + "xpack.securitySolution.responseActionsList.empty.title": "検索条件と一致する結果がありません。", "xpack.securitySolution.responseActionsList.list.command": "コマンド", "xpack.securitySolution.responseActionsList.list.comments": "コメント", "xpack.securitySolution.responseActionsList.list.errorMessage": "応答アクションの取得エラー", + "xpack.securitySolution.responseActionsList.list.filter.actions": "アクション", + "xpack.securitySolution.responseActionsList.list.filter.clearAll": "すべて消去", + "xpack.securitySolution.responseActionsList.list.filter.Hosts": "ホスト", + "xpack.securitySolution.responseActionsList.list.filter.statuses": "ステータス", + "xpack.securitySolution.responseActionsList.list.filter.users": "ユーザー名でフィルター", + "xpack.securitySolution.responseActionsList.list.hosts": "ホスト", "xpack.securitySolution.responseActionsList.list.item.badge.failed": "失敗", "xpack.securitySolution.responseActionsList.list.item.badge.pending": "保留中", + "xpack.securitySolution.responseActionsList.list.item.badge.successful": "成功", + "xpack.securitySolution.responseActionsList.list.item.expandSection.comment": "コメント", "xpack.securitySolution.responseActionsList.list.item.expandSection.completedAt": "実行が完了しました", "xpack.securitySolution.responseActionsList.list.item.expandSection.input": "インプット", "xpack.securitySolution.responseActionsList.list.item.expandSection.output": "アウトプット", "xpack.securitySolution.responseActionsList.list.item.expandSection.parameters": "パラメーター", "xpack.securitySolution.responseActionsList.list.item.expandSection.placedAt": "コマンドが配置されました", "xpack.securitySolution.responseActionsList.list.item.expandSection.startedAt": "実行開始日", + "xpack.securitySolution.responseActionsList.list.item.hosts.unenrolled.host": "ホストが登録解除されました", + "xpack.securitySolution.responseActionsList.list.item.hosts.unenrolled.hosts": "ホストが登録解除されました", + "xpack.securitySolution.responseActionsList.list.pageSubTitle": "ホストで実行された対応アクションの履歴を表示します。", "xpack.securitySolution.responseActionsList.list.screenReader.expand": "行を展開", "xpack.securitySolution.responseActionsList.list.status": "ステータス", "xpack.securitySolution.responseActionsList.list.time": "時間", "xpack.securitySolution.responseActionsList.list.user": "ユーザー", + "xpack.securitySolution.risk_score.toast.viewDashboard": "ダッシュボードを表示", + "xpack.securitySolution.riskDeprecated.entity.upgradeRiskScoreDescription": "現在のデータはサポートされていません。データを移行し、モジュールをアップグレードしてください。モジュールを有効化した後、データの生成までに1時間かかる場合があります。", + "xpack.securitySolution.riskInformation.buttonLabel": "リスクスコアを計算する方法", + "xpack.securitySolution.riskInformation.classificationHeader": "分類", + "xpack.securitySolution.riskInformation.closeBtn": "閉じる", + "xpack.securitySolution.riskInformation.criticalRiskDescription": "90以上", + "xpack.securitySolution.riskInformation.informationAriaLabel": "情報", + "xpack.securitySolution.riskInformation.link": "こちら", + "xpack.securitySolution.riskInformation.unknownRiskDescription": "20未満", + "xpack.securitySolution.riskScore.api.ingestPipeline.create.errorMessageTitle": "インジェストパイプラインを作成できませんでした", + "xpack.securitySolution.riskScore.api.storedScript.create.errorMessageTitle": "保存されたスクリプトを作成できませんでした", + "xpack.securitySolution.riskScore.api.storedScript.delete.errorMessageTitle": "保存されたスクリプトを削除できませんでした", + "xpack.securitySolution.riskScore.api.transforms.create.errorMessageTitle": "変換を作成できませんでした", + "xpack.securitySolution.riskScore.api.transforms.getState.errorMessageTitle": "変換状態を取得できませんでした", + "xpack.securitySolution.riskScore.api.transforms.getState.notFoundMessageTitle": "変換が見つかりません", + "xpack.securitySolution.riskScore.enableButtonTitle": "有効にする", "xpack.securitySolution.riskScore.errorSearchDescription": "リスクスコア検索でエラーが発生しました", "xpack.securitySolution.riskScore.failSearchDescription": "リスクスコアで検索を実行できませんでした", + "xpack.securitySolution.riskScore.hostRiskScoresEnabledTitle": "ホストリスクスコア有効", + "xpack.securitySolution.riskScore.hostsDashboardWarningPanelBody": "環境内のホストからはホストリスクスコアデータが検出されませんでした。モジュールを有効化した後、データの生成までに1時間かかる場合があります。", + "xpack.securitySolution.riskScore.hostsDashboardWarningPanelTitle": "表示するホストリスクスコアデータがありません", + "xpack.securitySolution.riskScore.install.errorMessageTitle": "インストールエラー", + "xpack.securitySolution.riskScore.kpi.failSearchDescription": "リスクスコアで検索を実行できませんでした", + "xpack.securitySolution.riskScore.overview.alerts": "アラート", + "xpack.securitySolution.riskScore.overview.hosts": "ホスト", + "xpack.securitySolution.riskScore.overview.hostTitle": "ホスト", + "xpack.securitySolution.riskScore.overview.users": "ユーザー", + "xpack.securitySolution.riskScore.overview.userTitle": "ユーザー", + "xpack.securitySolution.riskScore.restartButtonTitle": "再起動", + "xpack.securitySolution.riskScore.savedObjects.bulkCreateFailureTitle": "保存されたオブジェクトをインポートできませんでした", + "xpack.securitySolution.riskScore.savedObjects.bulkDeleteFailureTitle": "保存されたオブジェクトを削除できませんでした", + "xpack.securitySolution.riskScore.technicalPreviewLabel": "テクニカルプレビュー", + "xpack.securitySolution.riskScore.uninstall.errorMessageTitle": "アンインストールエラー", + "xpack.securitySolution.riskScore.upgradeConfirmation.cancel": "データの保持", + "xpack.securitySolution.riskScore.upgradeConfirmation.confirm": "データを消去してアップグレード", + "xpack.securitySolution.riskScore.upgradeConfirmation.content": "アップグレードを実行すると、既存のリスクスコアが環境から削除されます。既存のリスクデータを保持するには、リスクスコアパッケージをアップグレードしてください。アップグレードしますか?", + "xpack.securitySolution.riskScore.userRiskScoresEnabledTitle": "ユーザーリスクスコア有効", + "xpack.securitySolution.riskScore.usersDashboardRestartTooltip": "リスクスコア計算の実行には少し時間がかかる場合があります。ただし、再起動を押すと、すぐに強制的に実行できます。", + "xpack.securitySolution.riskScore.usersDashboardWarningPanelBody": "環境内のユーザーからはユーザーリスクスコアデータが検出されませんでした。モジュールを有効化した後、データの生成までに1時間かかる場合があります。", + "xpack.securitySolution.riskScore.usersDashboardWarningPanelTitle": "表示するユーザーリスクスコアデータがありません", + "xpack.securitySolution.riskTabBody.viewDashboardButtonLabel": "ソースダッシュボードを表示", "xpack.securitySolution.rowRenderer.executedProcessDescription": "実行されたプロセス", "xpack.securitySolution.rowRenderer.forkedProcessDescription": "分岐したプロセス", "xpack.securitySolution.rowRenderer.loadedLibraryDescription": "読み込まれたライブラリ", @@ -28709,6 +30802,90 @@ "xpack.securitySolution.rowRenderer.wasPreventedFromExecutingAMaliciousProcessDescription": "悪意のあるファイルの実行が防止されました", "xpack.securitySolution.rowRenderer.wasPreventedFromModifyingAMaliciousFileDescription": "悪意のあるファイルの修正が防止されました", "xpack.securitySolution.rowRenderer.wasPreventedFromRenamingAMaliciousFileDescription": "悪意のあるファイルの名前変更が防止されました", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addExceptionToRuleOrList.addToListsLabel": "ルールまたはリストに追加", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsOptionLabel": "共有例外リストに追加", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsTooltip": "共有例外リストは例外のグループです。この例外を共有例外リストに追加する場合は、このオプションを選択します。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.addToListsDescription": "追加先の共有例外リストを選択します。複数のリストが選択されている場合は、この例外のコピーが作成されます。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.referencesFetchError": "共有例外リストを読み込めません", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.viewListDetailActionLabel": "リスト詳細を表示", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToRulesTableSelection.addToSelectedRulesDescription": "ルールの追加先を選択します。複数のルールに関連付けられている場合は、この例外のコピーが作成されます。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.bulkCloseLabel": "この例外と一致し、選択したルールによって生成された、すべてのアラートを閉じる", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.bulkCloseLabel.disabled": "この例外と一致し、このルールによって生成された、すべてのアラートを閉じる(リストと非ECSフィールドはサポートされません)", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.endpointQuarantineText": "すべてのエンドポイントホストで、例外と一致する隔離されたファイルは、自動的に元の場所に復元されます。この例外はエンドポイント例外を使用するすべてのルールに適用されます。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.sectionTitle": "アラートアクション", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.singleAlertCloseLabel": "このアラートを閉じる", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.conditionsTitle": "条件", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.infoLabel": "ルールの条件が満たされるときにアラートが生成されます。例外:", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.operatingSystemPlaceHolder": "オペレーティングシステムを選択", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.sequenceWarningAdd": "このルールのクエリにはEQLシーケンス文があります。作成された例外は、シーケンスのすべてのイベントに適用されます。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.sequenceWarningEdit": "このルールのクエリにはEQLシーケンス文があります。修正された例外は、シーケンスのすべてのイベントに適用されます。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToListSection.error": "例外リストを取得できません。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToListSection.title": "共有リストに関連付け", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToRule.title": "ルールに関連付け", + "xpack.securitySolution.rule_exceptions.flyoutComponents.viewListDetailActionLabel": "リスト詳細を表示", + "xpack.securitySolution.rule_exceptions.flyoutComponents.viewRuleDetailActionLabel": "ルール詳細を表示", + "xpack.securitySolution.rule_exceptions.itemComments.addCommentPlaceholder": "新しいコメントを追加...", + "xpack.securitySolution.rule_exceptions.itemComments.unknownAvatarName": "不明", + "xpack.securitySolution.rule_exceptions.itemMeta.nameLabel": "ルール例外名", + "xpack.securitySolution.rule_exceptions.itemMeta.namePlaceholder": "ルール例外の名前を指定", + "xpack.securitySolution.ruleExceptions.addException.addEndpointException": "エンドポイント例外の追加", + "xpack.securitySolution.ruleExceptions.addException.cancel": "キャンセル", + "xpack.securitySolution.ruleExceptions.addException.createRuleExceptionLabel": "ルール例外の追加", + "xpack.securitySolution.ruleExceptions.addException.submitError.dismissButton": "閉じる", + "xpack.securitySolution.ruleExceptions.addException.submitError.message": "エラー詳細のトーストを表示します。", + "xpack.securitySolution.ruleExceptions.addException.submitError.title": "例外の送信中にエラーが発生しました", + "xpack.securitySolution.ruleExceptions.addException.success": "ルール例外が共有例外リストに追加されました", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.addRuleExceptionToastSuccessTitle": "ルール例外が追加されました", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addExceptionsEmptyPromptTitle": "このルールに例外を追加", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addToDetectionsListLabel": "ルール例外の追加", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addToEndpointListLabel": "エンドポイント例外の追加", + "xpack.securitySolution.ruleExceptions.allExceptionItems.emptyPromptBody": "このルールの例外はありません。最初のルール例外を作成", + "xpack.securitySolution.ruleExceptions.allExceptionItems.emptyPromptButtonLabel": "ルール例外の追加", + "xpack.securitySolution.ruleExceptions.allExceptionItems.endpoint.emptyPromptBody": "エンドポイント例外はありません。最初のエンドポイント例外を作成します。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.endpoint.emptyPromptButtonLabel": "エンドポイント例外の追加", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionDeleteErrorTitle": "例外アイテムの削除エラー", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionDetectionDetailsDescription": "ルール例外は検出ルールに追加されます。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionEndpointDetailsDescription": "エンドポイント例外は、検出ルールとホストのElastic Endpointエージェントの両方に追加されます。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemDeleteSuccessTitle": "例外が削除されました", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemSearchErrorBody": "例外アイテムの検索中にエラーが発生しました。再試行してください。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemSearchErrorTitle": "検索エラー", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemsFetchError": "例外アイテムを読み込めません", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemsFetchErrorDescription": "例外アイテムの読み込みエラーが発生しました。ヘルプについては、管理者にお問い合わせください。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.noSearchResultsPromptBody": "検索内容を変更してください。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.noSearchResultsPromptTitle": "検索条件と一致する結果がありません。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.paginationAriaLabel": "例外アイテムの表のページ制御", + "xpack.securitySolution.ruleExceptions.allExceptionItems.searchPlaceholder": "シンプルなクエリ構文(name:\"my list\"など)を使用して例外をフィルタリング", + "xpack.securitySolution.ruleExceptions.editException.cancel": "キャンセル", + "xpack.securitySolution.ruleExceptions.editException.editEndpointExceptionTitle": "エンドポイント例外の編集", + "xpack.securitySolution.ruleExceptions.editException.editExceptionTitle": "ルール例外を編集", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastErrorTitle": "例外の更新エラー", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastSuccessTitle": "ルール例外が更新されました", + "xpack.securitySolution.ruleExceptions.exceptionItem.affectedList": "共有リストに影響します", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.and": "AND", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.existsOperator": "存在する", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.existsOperator.not": "存在しない", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.linux": "Linux", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.listOperator": "に含まれる", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.listOperator.not": "に含まれない", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.macos": "Mac", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchAnyOperator": "is one of", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchAnyOperator.not": "is not one of", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchOperator": "IS", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchOperator.not": "IS NOT", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.nestedOperator": "がある", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.os": "OS", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.wildcardDoesNotMatchOperator": "一致しない", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.wildcardMatchesOperator": "一致", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.windows": "Windows", + "xpack.securitySolution.ruleExceptions.exceptionItem.createdLabel": "作成済み", + "xpack.securitySolution.ruleExceptions.exceptionItem.deleteItemButton": "ルール例外の削除", + "xpack.securitySolution.ruleExceptions.exceptionItem.editItemButton": "ルール例外を編集", + "xpack.securitySolution.ruleExceptions.exceptionItem.endpoint.deleteItemButton": "エンドポイント例外の削除", + "xpack.securitySolution.ruleExceptions.exceptionItem.endpoint.editItemButton": "エンドポイント例外の編集", + "xpack.securitySolution.ruleExceptions.exceptionItem.metaDetailsBy": "グループ基準", + "xpack.securitySolution.ruleExceptions.exceptionItem.updatedLabel": "更新しました", + "xpack.securitySolution.ruleExceptions.logic.closeAlerts.error": "アラートをクローズできませんでした", + "xpack.securitySolution.rules.actionForm.experimentalTitle": "テクニカルプレビュー", "xpack.securitySolution.rules.badge.readOnly.tooltip": "ルールを作成、編集、削除できません", "xpack.securitySolution.search.administration.endpoints": "エンドポイント", "xpack.securitySolution.search.administration.eventFilters": "イベントフィルター", @@ -28718,6 +30895,7 @@ "xpack.securitySolution.search.dashboards": "ダッシュボード", "xpack.securitySolution.search.detect": "検知", "xpack.securitySolution.search.detectionAndResponse": "検出と対応", + "xpack.securitySolution.search.entityAnalytics": "エンティティ分析", "xpack.securitySolution.search.exceptions": "例外リスト", "xpack.securitySolution.search.explore": "探索", "xpack.securitySolution.search.getStarted": "はじめて使う", @@ -28731,7 +30909,9 @@ "xpack.securitySolution.search.kubernetes": "Kubernetes", "xpack.securitySolution.search.manage": "管理", "xpack.securitySolution.search.network": "ネットワーク", + "xpack.securitySolution.search.network.anomalies": "異常", "xpack.securitySolution.search.network.dns": "DNS", + "xpack.securitySolution.search.network.events": "イベント", "xpack.securitySolution.search.network.http": "HTTP", "xpack.securitySolution.search.network.tls": "TLS", "xpack.securitySolution.search.overview": "概要", @@ -28743,6 +30923,7 @@ "xpack.securitySolution.search.users.authentications": "認証", "xpack.securitySolution.search.users.events": "イベント", "xpack.securitySolution.search.users.risk": "ユーザーリスク", + "xpack.securitySolution.sections.actionForm.addResponseActionButtonLabel": "対応アクションの追加", "xpack.securitySolution.sessionsView.columnEntrySourceIp": "ソース IP", "xpack.securitySolution.sessionsView.columnEntryType": "型", "xpack.securitySolution.sessionsView.columnEntryUser": "ユーザー", @@ -28750,8 +30931,13 @@ "xpack.securitySolution.sessionsView.columnHostName": "ホスト名", "xpack.securitySolution.sessionsView.columnInteractive": "インタラクティブ", "xpack.securitySolution.sessionsView.columnSessionStart": "開始", + "xpack.securitySolution.sessionsView.sessionsTitle": "セッション", "xpack.securitySolution.sessionsView.singleCountOfSessions": "セッション", "xpack.securitySolution.sessionsView.totalCountOfSessions": "セッション", + "xpack.securitySolution.socTrends.properties.lockDatePickerDescription": "グローバル日付ピッカーをSOCトレンド日付ピッカーにロック", + "xpack.securitySolution.socTrends.properties.lockDatePickerTooltip": "現在表示中のページとSOCトレンドの間の日付/時刻範囲の同期を無効にします", + "xpack.securitySolution.socTrends.properties.unlockDatePickerDescription": "グローバル日付ピッカーをSOCトレンド日付ピッカーからロック解除", + "xpack.securitySolution.socTrends.properties.unlockDatePickerTooltip": "現在表示中のページとSOCトレンドの間の日付/時刻範囲の同期を有効にします", "xpack.securitySolution.source.destination.packetsLabel": "パケット", "xpack.securitySolution.sourcerer.disabled": "データビューの更新を有効にするには、ページを再読み込みする必要があります。", "xpack.securitySolution.sourcerer.error.title": "セキュリティデータビューの更新エラー", @@ -28800,6 +30986,7 @@ "xpack.securitySolution.system.withExitCodeDescription": "終了コードで", "xpack.securitySolution.system.withResultDescription": "結果付き", "xpack.securitySolution.tables.rowItemHelper.moreDescription": "行は表示されていません", + "xpack.securitySolution.threatIntelligence.investigateInTimelineTitle": "タイムラインで調査", "xpack.securitySolution.threatMatch.andDescription": "AND", "xpack.securitySolution.threatMatch.fieldDescription": "フィールド", "xpack.securitySolution.threatMatch.fieldPlaceholderDescription": "検索", @@ -28863,6 +31050,7 @@ "xpack.securitySolution.timeline.expandableEvent.closeEventDetailsLabel": "閉じる", "xpack.securitySolution.timeline.expandableEvent.eventTitleLabel": "イベントの詳細", "xpack.securitySolution.timeline.expandableEvent.messageTitle": "メッセージ", + "xpack.securitySolution.timeline.expandableEvent.openAlertDetails": "アラート詳細ページを開く", "xpack.securitySolution.timeline.expandableEvent.placeholder": "イベント詳細を表示するには、イベントを選択します", "xpack.securitySolution.timeline.failDescription": "エラーが発生しました", "xpack.securitySolution.timeline.failSearchDescription": "検索を実行できませんでした", @@ -28890,6 +31078,7 @@ "xpack.securitySolution.timeline.properties.addTimelineButtonLabel": "新しいタイムラインまたはテンプレートの追加", "xpack.securitySolution.timeline.properties.addToFavoriteButtonLabel": "お気に入りに追加", "xpack.securitySolution.timeline.properties.attachToCaseButtonLabel": "ケースに関連付ける", + "xpack.securitySolution.timeline.properties.attachToExistingCaseButtonLabel": "既存のケースに添付", "xpack.securitySolution.timeline.properties.attachToNewCaseButtonLabel": "新しいケースに添付", "xpack.securitySolution.timeline.properties.autosavedLabel": "自動保存済み", "xpack.securitySolution.timeline.properties.descriptionPlaceholder": "説明を追加", @@ -28972,7 +31161,7 @@ "xpack.securitySolution.toggleQuery.off": "終了", "xpack.securitySolution.toggleQuery.on": "開く", "xpack.securitySolution.topN.alertEventsSelectLabel": "検出アラート", - "xpack.securitySolution.topN.allEventsSelectLabel": "すべてのイベント", + "xpack.securitySolution.topN.allEventsSelectLabel": "アラートとイベント", "xpack.securitySolution.topN.closeButtonLabel": "閉じる", "xpack.securitySolution.topN.rawEventsSelectLabel": "未加工イベント", "xpack.securitySolution.trustedApps.assignmentSectionDescription": "すべてのポリシーでグローバルにこの信頼できるアプリケーションを割り当てるか、特定のポリシーに割り当てます。", @@ -28987,8 +31176,11 @@ "xpack.securitySolution.trustedapps.create.nameRequiredMsg": "名前が必要です", "xpack.securitySolution.trustedapps.create.osRequiredMsg": "オペレーティングシステムは必須です", "xpack.securitySolution.trustedApps.details.header": "詳細", - "xpack.securitySolution.trustedApps.details.header.description": "信頼できるアプリケーションは、パフォーマンスを改善したり、ホストで実行されている他のアプリケーションとの競合を解消したりします。", - "xpack.securitySolution.trustedApps.emptyStateInfo": "パフォーマンスを改善したり、ホストで実行されている他のアプリケーションとの競合を解消したりするには、信頼できるアプリケーションを追加します。", + "xpack.securitySolution.trustedApps.details.header.description": "パフォーマンスを改善したり、ホストで実行されている他のアプリケーションとの競合を解消したりするには、信頼できるアプリケーションを追加します。信頼できるアプリケーションでも、まだアラートが生成されている場合があります。", + "xpack.securitySolution.trustedApps.docsLinkInfoEnd": " 代わりに", + "xpack.securitySolution.trustedApps.docsLinkInfoStart": "アラートが多すぎる場合エンドポイント ", + "xpack.securitySolution.trustedApps.docsLinkText": "アラート例外を追加", + "xpack.securitySolution.trustedApps.emptyStateInfo": "パフォーマンスを改善したり、ホストで実行されている他のアプリケーションとの競合を解消したりするには、信頼できるアプリケーションを追加します。信頼できるアプリケーションでも、まだアラートが生成されている場合があります。", "xpack.securitySolution.trustedApps.emptyStatePrimaryButtonLabel": "信頼できるアプリケーションを追加", "xpack.securitySolution.trustedApps.emptyStateTitle": "最初の信頼できるアプリケーションを追加", "xpack.securitySolution.trustedApps.flyoutCreateSubmitButtonLabel": "信頼できるアプリケーションを追加", @@ -29010,7 +31202,7 @@ "xpack.securitySolution.trustedapps.logicalConditionBuilder.noEntries": "条件が定義されていません", "xpack.securitySolution.trustedApps.name.label": "名前", "xpack.securitySolution.trustedApps.os.label": "オペレーティングシステムを選択", - "xpack.securitySolution.trustedApps.pageAboutInfo": "信頼できるアプリケーションは、パフォーマンスを改善したり、ホストで実行されている他のアプリケーションとの競合を解消したりします。", + "xpack.securitySolution.trustedApps.pageAboutInfo": "パフォーマンスを改善したり、ホストで実行されている他のアプリケーションとの競合を解消したりするには、信頼できるアプリケーションを追加します。信頼できるアプリケーションでも、まだアラートが生成されている場合があります。", "xpack.securitySolution.trustedApps.pageAddButtonTitle": "信頼できるアプリケーションを追加", "xpack.securitySolution.trustedApps.pageTitle": "信頼できるアプリケーション", "xpack.securitySolution.trustedApps.searchPlaceholderInfo": "次のフィールドで検索:名前、説明、値", @@ -29073,17 +31265,22 @@ "xpack.securitySolution.usersRiskTable.userRiskToolTip": "ユーザーリスク分類はユーザーリスクスコアで決まります。「重大」または「高」に分類されたユーザーはリスクが高いことが示されます。", "xpack.securitySolution.usersTable.domainTitle": "ドメイン", "xpack.securitySolution.usersTable.lastSeenTitle": "前回の認識", + "xpack.securitySolution.usersTable.riskTitle": "ユーザーリスク分類", "xpack.securitySolution.usersTable.title": "ユーザー", "xpack.securitySolution.usersTable.userNameTitle": "ユーザー名", + "xpack.securitySolution.usersTable.userRiskToolTip": "ユーザーリスク分類はユーザーリスクスコアで決まります。「重大」または「高」に分類されたユーザーはリスクが高いことが示されます。", "xpack.securitySolution.userTab.errorFetchingsData": "ユーザーデータをクエリできませんでした", "xpack.securitySolution.visualizationActions.addToCaseSuccessContent": "ビジュアライゼーションが正常にケースに追加されました", "xpack.securitySolution.visualizationActions.addToExistingCase": "既存のケースに追加", "xpack.securitySolution.visualizationActions.addToNewCase": "新しいケースに追加", + "xpack.securitySolution.visualizationActions.countLabel": "レコード数", "xpack.securitySolution.visualizationActions.inspect": "検査", "xpack.securitySolution.visualizationActions.moreActions": "さらにアクションを表示", "xpack.securitySolution.visualizationActions.openInLens": "Lensで開く", "xpack.securitySolution.visualizationActions.uniqueIps.destinationChartLabel": "Dest.", "xpack.securitySolution.visualizationActions.uniqueIps.sourceChartLabel": "Src.", + "xpack.securitySolution.visualizationActions.userAuthentications.authentication.failureChartLabel": "失敗", + "xpack.securitySolution.visualizationActions.userAuthentications.authentication.successChartLabel": "成功", "xpack.securitySolution.visualizationActions.userAuthentications.failChartLabel": "失敗", "xpack.securitySolution.visualizationActions.userAuthentications.successChartLabel": "成功", "xpack.securitySolution.zeek.othDescription": "SYNが検出されません。ミッドストリームトラフィックのみです", @@ -29099,10 +31296,20 @@ "xpack.securitySolution.zeek.sfDescription": "通常のSYN/FIN完了", "xpack.securitySolution.zeek.shDescription": "接続元がFINに続きSYNを送信しました。レスポンダーからSYN-ACKはありません", "xpack.securitySolution.zeek.shrDescription": "レスポンダーがFINに続きSYNを送信しました。接続元からSYN-ACKはありません", + "xpack.sessionView.alertFilteredCountStatusLabel": " {count}件のアラートを表示しています", + "xpack.sessionView.alertTotalCountStatusLabel": "{count}件のアラートを表示しています", "xpack.sessionView.processTree.loadMore": "{pageSize}次のイベントを表示", "xpack.sessionView.processTree.loadPrevious": "{pageSize}前のイベントを表示", "xpack.sessionView.processTreeLoadMoreButton": " (残り{count})", "xpack.sessionView.alert": "アラート", + "xpack.sessionView.alertDetailsAllFilterItem": "すべてのアラートを表示", + "xpack.sessionView.alertDetailsAllSelectedCategory": "表示:アラートを表示", + "xpack.sessionView.alertDetailsFileFilterItem": "ファイルアラートを表示", + "xpack.sessionView.alertDetailsFileSelectedCategory": "表示:ファイルアラート", + "xpack.sessionView.alertDetailsNetworkFilterItem": "ネットワークアラートを表示", + "xpack.sessionView.alertDetailsNetworkSelectedCategory": "表示:ネットワークアラート", + "xpack.sessionView.alertDetailsProcessFilterItem": "プロセスアラートを表示", + "xpack.sessionView.alertDetailsProcessSelectedCategory": "表示:プロセスアラート", "xpack.sessionView.alertDetailsTab.groupView": "グループビュー", "xpack.sessionView.alertDetailsTab.listView": "リストビュー", "xpack.sessionView.alertDetailsTab.toggleViewMode": "表示モードを切り替える", @@ -29111,6 +31318,7 @@ "xpack.sessionView.backToInvestigatedAlert": "調査されたアラートに戻る", "xpack.sessionView.beta": "ベータ", "xpack.sessionView.childProcesses": "子プロセス", + "xpack.sessionView.detailPanel": "詳細パネル", "xpack.sessionView.detailPanel.entryLeaderTooltip": "初期ターミナル、またはSSH、SSM、その他のリモートアクセスプロトコル経由でのリモートアクセスに関連付けられたセッションリーダープロセス。エントリセッションは、初期プロセスで直接開始されたサービスを表示するためにも使用されます。多くの場合、これはsession_leaderと同じです。", "xpack.sessionView.detailPanel.processGroupLeaderTooltip": "現在のプロセスへのプロセスグループリーダー。", "xpack.sessionView.detailPanel.processParentTooltip": "現在のプロセスの直接の親。", @@ -29129,16 +31337,23 @@ "xpack.sessionView.emptyDataTitle": "表示するデータがありません", "xpack.sessionView.errorHeading": "セッションビューの読み込みエラー", "xpack.sessionView.errorMessage": "セッションビューの読み込みエラーが発生しました。", - "xpack.sessionView.execUserChange": "実行ユーザー変更:", + "xpack.sessionView.execUserChange": "実行ユーザー変更", + "xpack.sessionView.fileTooltip": "ファイルアラート", "xpack.sessionView.loadingProcessTree": "セッションを読み込んでいます...", "xpack.sessionView.metadataDetailsTab.cloud": "クラウド", "xpack.sessionView.metadataDetailsTab.container": "コンテナー", "xpack.sessionView.metadataDetailsTab.host": "ホストOS", "xpack.sessionView.metadataDetailsTab.metadata": "メタデータ", "xpack.sessionView.metadataDetailsTab.orchestrator": "オーケストレーター", + "xpack.sessionView.networkTooltip": "ネットワークアラート", + "xpack.sessionView.output": "アウトプット", + "xpack.sessionView.processDataLimitExceededEnd": "詳細ポリシー構成で「max_kilobytes_per_process」を参照してください。", + "xpack.sessionView.processDataLimitExceededStart": "次のデータ上限に達しました", "xpack.sessionView.processNode.tooltipExec": "プロセスが実行されました", "xpack.sessionView.processNode.tooltipFork": "プロセスがフォークされました(実行なし)", "xpack.sessionView.processNode.tooltipOrphan": "親がないプロセス(オーファン)", + "xpack.sessionView.processTooltip": "プロセスアラート", + "xpack.sessionView.refreshSession": "セッションの更新", "xpack.sessionView.searchBar.searchBarKeyPlaceholder": "検索...", "xpack.sessionView.searchBar.searchBarNoResults": "成果がありません", "xpack.sessionView.sessionViewToggle.sessionViewToggleOptionsTimestamp": "タイムスタンプ", @@ -29148,6 +31363,19 @@ "xpack.sessionView.sessionViewToggle.sessionViewVerboseTipContent": "結果をすべて表示するには、[詳細]モードをオンにします。", "xpack.sessionView.sessionViewToggle.sessionViewVerboseTipTitle": "一部の結果は表示されない場合があります", "xpack.sessionView.startedBy": "開始方法", + "xpack.sessionView.toggleTTYPlayer": "TTYプレイヤーの切り替え", + "xpack.sessionView.ttyEnd": "終了", + "xpack.sessionView.ttyNext": "次へ", + "xpack.sessionView.ttyPause": "一時停止", + "xpack.sessionView.ttyPlay": "再生", + "xpack.sessionView.ttyPrevious": "プレビュー", + "xpack.sessionView.ttyStart": "開始", + "xpack.sessionView.ttyToggleTip": " YYT出力", + "xpack.sessionView.ttyViewInSession": "セッションで表示", + "xpack.sessionView.viewPoliciesLink": "ポリシーを表示", + "xpack.sessionView.zoomFit": "画面に合わせる", + "xpack.sessionView.zoomIn": "ズームイン", + "xpack.sessionView.zoomOut": "ズームアウト", "xpack.snapshotRestore.app.deniedPrivilegeDescription": "スナップショットと復元を使用するには、{privilegesCount, plural, one {このクラスター特権} other {これらのクラスター特権}}が必要です:{missingPrivileges}。", "xpack.snapshotRestore.dataStreamsList.dataStreamsCollapseAllLink": "{count, plural, other {# 件のデータストリーム}}を非表示", "xpack.snapshotRestore.dataStreamsList.dataStreamsExpandAllLink": "{count, plural, other {# 件のデータストリーム}}を表示", @@ -29355,7 +31583,7 @@ "xpack.snapshotRestore.policyDetails.snapshotNameLabel": "スナップショット名", "xpack.snapshotRestore.policyDetails.snapshotsDeletedStat": "削除されました", "xpack.snapshotRestore.policyDetails.snapshotsFailedStat": "失敗", - "xpack.snapshotRestore.policyDetails.snapshotsTakenStat": "スナップショット", + "xpack.snapshotRestore.policyDetails.snapshotsTakenStat": "作成されたスナップショット", "xpack.snapshotRestore.policyDetails.summaryTabTitle": "まとめ", "xpack.snapshotRestore.policyDetails.versionLabel": "バージョン", "xpack.snapshotRestore.policyForm.addRepositoryButtonLabel": "レポジトリを登録", @@ -29945,6 +32173,7 @@ "xpack.spaces.management.spacesGridPage.deleteActionName": "{spaceName} を削除。", "xpack.spaces.management.spacesGridPage.editSpaceActionName": "{spaceName} を編集。", "xpack.spaces.management.spacesGridPage.someFeaturesEnabled": "{totalFeatureCount} 件中 {enabledFeatureCount} 件の機能を表示中", + "xpack.spaces.navControl.popover.spaceNavigationDetails": "現在選択されているスペースは{space}です。このボタンをクリックすると、ポップオーバーが開き、アクティブなスペースを選択できます。", "xpack.spaces.redirectLegacyUrlToast.text": "検索している{objectNoun}は新しい場所にあります。今後はこのURLを使用してください。", "xpack.spaces.shareToSpace.aliasTableCalloutBody": "{aliasesToDisableCount, plural, other {# 個のレガシーURL}}が無効になります。", "xpack.spaces.shareToSpace.flyoutTitle": "{objectNoun}をスペースと共有", @@ -30102,9 +32331,12 @@ "xpack.spaces.management.validateSpace.urlIdentifierAllowedCharactersErrorMessage": "URL 識別子には a-z、0-9、「_」、「-」のみ使用できます。", "xpack.spaces.management.validateSpace.urlIdentifierRequiredErrorMessage": "URL識別子を入力してください。", "xpack.spaces.manageSpacesButton.manageSpacesButtonLabel": "スペースの管理", + "xpack.spaces.navControl.loadingMessage": "読み込み中...", + "xpack.spaces.navControl.popover.spacesNavigationLabel": "スペースナビゲーション", "xpack.spaces.navControl.spacesMenu.changeCurrentSpaceTitle": "現在のスペースの変更", "xpack.spaces.navControl.spacesMenu.findSpacePlaceholder": "スペースを検索", "xpack.spaces.navControl.spacesMenu.noSpacesFoundTitle": " スペースが見つかりません ", + "xpack.spaces.navControl.spacesMenu.selectSpacesTitle": "スペース", "xpack.spaces.redirectLegacyUrlToast.title": "新しいURLに移動しました", "xpack.spaces.shareToSpace.aliasTableCalloutTitle": "レガシーURL競合", "xpack.spaces.shareToSpace.allSpacesTarget": "すべてのスペース", @@ -30152,6 +32384,7 @@ "xpack.stackAlerts.esQuery.invalidWindowSizeErrorMessage": "windowSizeの無効な形式:\"{windowValue}\"", "xpack.stackAlerts.esQuery.ui.numQueryMatchesText": "前回の{window}でクエリが{count}個のドキュメントと一致しました。", "xpack.stackAlerts.esQuery.ui.queryError": "クエリのテストエラー:{message}", + "xpack.stackAlerts.esQuery.ui.thresholdHelp.duplicateMatches": "{excludePrevious}をオンにすると、クエリが複数回実行され、クエリとの一致が複数回出現するドキュメントは、最初のしきい値計算でのみ使用されます。", "xpack.stackAlerts.esQuery.ui.thresholdHelp.timeWindow": "時間枠は、検索する時間の範囲を示します。検出でのギャップを回避するには、この値を{checkField}フィールドで選択した値以上の値に設定します。", "xpack.stackAlerts.esQuery.ui.validation.error.invalidSizeRangeText": "サイズは0~{max, number}の範囲でなければなりません。", "xpack.stackAlerts.geoContainment.noGeoFieldInIndexPattern.message": "データビューには許可された地理空間フィールドが含まれていません。{geoFields}型のいずれかが必要です。", @@ -30198,6 +32431,7 @@ "xpack.stackAlerts.esQuery.ui.copyQuery": "クエリをコピー", "xpack.stackAlerts.esQuery.ui.defineQueryPrompt": "クエリDSLを使用してクエリを定義", "xpack.stackAlerts.esQuery.ui.defineTextQueryPrompt": "クエリを定義", + "xpack.stackAlerts.esQuery.ui.excludePreviousHitsExpression": "前回の実行から一致を除外", "xpack.stackAlerts.esQuery.ui.queryCopiedToClipboard": "コピー完了", "xpack.stackAlerts.esQuery.ui.queryEditor": "Elasticsearchクエリエディター", "xpack.stackAlerts.esQuery.ui.queryPrompt.help": "ElasticsearchクエリDSLドキュメント", @@ -30220,6 +32454,7 @@ "xpack.stackAlerts.esQuery.ui.validation.error.greaterThenThreshold0Text": "しきい値1はしきい値0より大きくなければなりません。", "xpack.stackAlerts.esQuery.ui.validation.error.jsonQueryText": "クエリは有効なJSONでなければなりません。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredDataViewText": "データビューが必要です。", + "xpack.stackAlerts.esQuery.ui.validation.error.requiredDataViewTimeFieldText": "データビューには時間フィールドが必要です。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredEsQueryText": "クエリフィールドは必須です。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredIndexText": "インデックスが必要です。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredQueryText": "Elasticsearchクエリは必須です。", @@ -30286,9 +32521,12 @@ "xpack.stackAlerts.threshold.ui.alertType.defaultActionMessage": "アラート '\\{\\{alertName\\}\\}' はグループ '\\{\\{context.group\\}\\}' でアクティブです:\n\n- 値:\\{\\{context.value\\}\\}\n- 満たされた条件:\\{\\{context.conditions\\}\\} over \\{\\{params.timeWindowSize\\}\\}\\{\\{params.timeWindowUnit\\}\\}\n- タイムスタンプ:\\{\\{context.date\\}\\}", "xpack.stackAlerts.threshold.ui.alertType.descriptionText": "アグリゲーションされたクエリがしきい値に達したときにアラートを発行します。", "xpack.stackAlerts.threshold.ui.conditionPrompt": "条件を定義してください", + "xpack.stackAlerts.threshold.ui.filterKQLHelpText": "KQL式を使用して、アラートトリガーの範囲を制限します。", + "xpack.stackAlerts.threshold.ui.filterTitle": "フィルター(任意)", "xpack.stackAlerts.threshold.ui.previewAlertVisualizationDescription": "プレビューを生成するための式を完成します。", "xpack.stackAlerts.threshold.ui.selectIndex": "インデックスを選択してください", "xpack.stackAlerts.threshold.ui.validation.error.greaterThenThreshold0Text": "しきい値 1 はしきい値 0 よりも大きい値にしてください。", + "xpack.stackAlerts.threshold.ui.validation.error.invalidKql": "フィルタークエリは無効です。", "xpack.stackAlerts.threshold.ui.validation.error.requiredAggFieldText": "集約フィールドが必要です。", "xpack.stackAlerts.threshold.ui.validation.error.requiredIndexText": "インデックスが必要です。", "xpack.stackAlerts.threshold.ui.validation.error.requiredTermFieldText": "用語フィールドが必要です。", @@ -30301,6 +32539,556 @@ "xpack.stackAlerts.threshold.ui.visualization.loadingAlertVisualizationDescription": "アラートビジュアライゼーションを読み込み中…", "xpack.stackAlerts.threshold.ui.visualization.thresholdPreviewChart.dataDoesNotExistTextMessage": "時間範囲とフィルターが正しいことを確認してください。", "xpack.stackAlerts.threshold.ui.visualization.thresholdPreviewChart.noDataTitle": "このクエリに一致するデータはありません", + "xpack.stackConnectors.casesWebhook.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", + "xpack.stackConnectors.casesWebhook.configurationError": "ケースWebフックアクションの構成エラー:{err}", + "xpack.stackConnectors.casesWebhook.configurationErrorNoHostname": "ケースWebフックアクションの構成エラー:{url}を解析できません:{err}", + "xpack.stackConnectors.components.casesWebhook.error.missingVariables": "必須の{variableCount, plural, other {個の変数}}が見つかりません:{variables}", + "xpack.stackConnectors.components.email.error.invalidEmail": "電子メールアドレス{email}が無効です。", + "xpack.stackConnectors.components.email.error.notAllowed": "電子メールアドレス{email}が許可されていません。", + "xpack.stackConnectors.components.index.error.badIndexOverrideValue": "アラート履歴インデックスの先頭は\"{alertHistoryPrefix}\"でなければなりません。", + "xpack.stackConnectors.components.index.preconfiguredIndexHelpText": "ドキュメントは{alertHistoryIndex}インデックスにインデックスされます。", + "xpack.stackConnectors.components.jira.unableToGetIssueMessage": "ID {id}の問題を取得できません", + "xpack.stackConnectors.components.opsgenie.apiKeyDocumentation": "HTTP基本認証のOpsgenie API認証キー。Opsgenie APIキーの詳細については、{opsgenieAPIKeyDocs}を参照してください。", + "xpack.stackConnectors.components.opsgenie.apiUrlDocumentation": "Opsgenie URL。URLの詳細については、{opsgenieAPIUrlDocs}を参照してください。", + "xpack.stackConnectors.components.pagerDuty.error.invalidTimestamp": "タイムスタンプは、{nowShortFormat}や{nowLongFormat}などの有効な日付でなければなりません。", + "xpack.stackConnectors.components.serviceNow.apiInfoError": "アプリケーション情報の取得を試みるときの受信ステータス:{status}", + "xpack.stackConnectors.components.serviceNow.apiUrlHelpLabel": "任意のServiceNowインスタンスへの完全なURLを入力します。ない場合は、{instance}。", + "xpack.stackConnectors.components.serviceNow.appInstallationInfo": "{update} {create} ", + "xpack.stackConnectors.components.serviceNow.appRunning": "更新を実行する前に、ServiceNowアプリストアからElasticアプリをインストールする必要があります。アプリをインストールするには、{visitLink}", + "xpack.stackConnectors.components.serviceNow.updateSuccessToastTitle": "{connectorName}コネクターが更新されました", + "xpack.stackConnectors.components.swimlane.unableToGetApplicationMessage": "id {id}のアプリケーションフィールドを取得できません", + "xpack.stackConnectors.email.customViewInKibanaMessage": "このメッセージは Kibana によって送信されました。[{kibanaFooterLinkText}]({link})。", + "xpack.stackConnectors.jira.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", + "xpack.stackConnectors.pagerduty.configurationError": "pagerduty アクションの設定エラー:{message}", + "xpack.stackConnectors.pagerduty.invalidTimestampErrorMessage": "タイムスタンプ\"{timestamp}\"の解析エラー", + "xpack.stackConnectors.pagerduty.missingDedupkeyErrorMessage": "eventActionが「{eventAction}」のときにはDedupKeyが必要です", + "xpack.stackConnectors.pagerduty.postingRetryErrorMessage": "pagerduty イベントの投稿エラー:http status {status}、後ほど再試行", + "xpack.stackConnectors.pagerduty.postingUnexpectedErrorMessage": "pagerduty イベントの投稿エラー:予期せぬステータス {status}", + "xpack.stackConnectors.pagerduty.timestampParsingFailedErrorMessage": "タイムスタンプの解析エラー \"{timestamp}\":{message}", + "xpack.stackConnectors.resilient.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", + "xpack.stackConnectors.security.tines.params.webhookUrlFallbackText": "Tines {entity} APIから取得できる結果は{limit}件までです。{entity}がリストに表示されない場合は、以下のWebフックURLを入力してください", + "xpack.stackConnectors.serviceNow.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", + "xpack.stackConnectors.serviceNow.configuration.apiValidateMissingOAuthFieldError": "isOAuth = {isOAuth}のときには、{field}を指定する必要があります", + "xpack.stackConnectors.serviceNow.configuration.apiValidateOAuthFieldError": "isOAuth = {isOAuth}のときには、{field}を指定しないでください", + "xpack.stackConnectors.slack.configurationError": "slack アクションの設定エラー:{message}", + "xpack.stackConnectors.slack.errorPostingRetryDateErrorMessage": "slack メッセージの投稿エラー、 {retryString} で再試行", + "xpack.stackConnectors.slack.unexpectedHttpResponseErrorMessage": "slack からの予期せぬ http 応答:{httpStatus} {httpStatusText}", + "xpack.stackConnectors.swimlane.configuration.apiAllowedHostsError": "コネクターアクションの構成エラー:{message}", + "xpack.stackConnectors.teams.configurationError": "Teams アクションの設定エラー:{message}", + "xpack.stackConnectors.teams.errorPostingRetryDateErrorMessage": "Microsoft Teams メッセージの投稿エラーです。{retryString} に再試行します", + "xpack.stackConnectors.webhook.configurationError": "Web フックアクションの構成中にエラーが発生:{message}", + "xpack.stackConnectors.webhook.configurationErrorNoHostname": "Webフックアクションの構成エラーです。URLを解析できません。{err}", + "xpack.stackConnectors.webhook.invalidResponseRetryDateErrorMessage": "Webフックの呼び出しエラー、{retryString} に再試行", + "xpack.stackConnectors.xmatters.configurationError": "xMattersアクションの設定エラー:{message}", + "xpack.stackConnectors.xmatters.configurationErrorNoHostname": "xMattersアクションの構成エラー:URLを解析できません:{err}", + "xpack.stackConnectors.xmatters.hostnameNotAllowed": "{message}", + "xpack.stackConnectors.xmatters.invalidUrlError": "無効なsecretsUrl:{err}", + "xpack.stackConnectors.xmatters.postingRetryErrorMessage": "xMattersフローのトリガーエラー:HTTPステータス{status}。しばらくたってから再試行してください", + "xpack.stackConnectors.xmatters.unexpectedStatusErrorMessage": "xMattersフローのトリガーエラー:予期しないステータス{status}", + "xpack.stackConnectors.casesWebhook.invalidUsernamePassword": "ユーザーとパスワードの両方を指定する必要があります", + "xpack.stackConnectors.casesWebhook.title": "Webフック - ケース管理", + "xpack.stackConnectors.components.casesWebhook.addHeaderButton": "追加", + "xpack.stackConnectors.components.casesWebhook.addVariable": "変数を追加", + "xpack.stackConnectors.components.casesWebhook.authenticationLabel": "認証", + "xpack.stackConnectors.components.casesWebhook.caseCommentDesc": "Kibanaケースコメント", + "xpack.stackConnectors.components.casesWebhook.caseDescriptionDesc": "Kibanaケース説明", + "xpack.stackConnectors.components.casesWebhook.caseTagsDesc": "Kibanaケースタグ", + "xpack.stackConnectors.components.casesWebhook.caseTitleDesc": "Kibanaケースタイトル", + "xpack.stackConnectors.components.casesWebhook.commentsTextAreaFieldLabel": "追加のコメント", + "xpack.stackConnectors.components.casesWebhook.createCommentJsonHelp": "コメントを作成するJSONオブジェクト。変数セレクターを使用して、ケースデータをペイロードに追加します。", + "xpack.stackConnectors.components.casesWebhook.createCommentJsonTextFieldLabel": "コメントオブジェクトを作成", + "xpack.stackConnectors.components.casesWebhook.createCommentMethodTextFieldLabel": "コメントメソッドを作成", + "xpack.stackConnectors.components.casesWebhook.createCommentUrlHelp": "コメントをケースに追加するためのAPI URL。", + "xpack.stackConnectors.components.casesWebhook.createCommentUrlTextFieldLabel": "コメントURLを作成", + "xpack.stackConnectors.components.casesWebhook.createCommentWarningDesc": "コメントを外部で共有するには、コネクターの[コメントURLを作成]および[コメントオブジェクトを作成]フィールドを構成します。", + "xpack.stackConnectors.components.casesWebhook.createCommentWarningTitle": "ケースコメントを共有できません", + "xpack.stackConnectors.components.casesWebhook.createIncidentJsonHelpText": "ケースを作成するJSONオブジェクト。変数セレクターを使用して、ケースデータをペイロードに追加します。", + "xpack.stackConnectors.components.casesWebhook.createIncidentJsonTextFieldLabel": "ケースオブジェクトを作成", + "xpack.stackConnectors.components.casesWebhook.createIncidentMethodTextFieldLabel": "ケースメソッドを作成", + "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyHelpText": "外部ケースIDを含むケース対応の作成のJSONキー", + "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyTextFieldLabel": "ケース対応ケースキーを作成", + "xpack.stackConnectors.components.casesWebhook.createIncidentUrlTextFieldLabel": "ケースURLを作成", + "xpack.stackConnectors.components.casesWebhook.deleteHeaderButton": "削除", + "xpack.stackConnectors.components.casesWebhook.descriptionTextAreaFieldLabel": "説明", + "xpack.stackConnectors.components.casesWebhook.docLink": "Webフックの構成 - ケース管理コネクター。", + "xpack.stackConnectors.components.casesWebhook.error.requiredAuthUserNameText": "ユーザー名が必要です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentIncidentText": "コメントオブジェクトの作成は有効なJSONでなければなりません。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentMethodText": "コメントメソッドを作成は必須です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentUrlText": "コメントURLの作成はURL形式でなければなりません。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentResponseKeyText": "ケース対応の作成ケースIDキーが必要です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentText": "ケースオブジェクトの作成は必須であり、有効なJSONでなければなりません。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateMethodText": "ケースメソッドの作成は必須です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateUrlText": "ケースURLの作成は必須です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseCreatedKeyText": "ケース対応の取得の作成日キーが必要です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseExternalTitleKeyText": "ケース対応の取得の外部タイトルキーが必要です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseUpdatedKeyText": "ケース対応の取得の更新日キーが必要です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentUrlText": "ケースURLの取得は必須です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentViewUrlKeyText": "ケースURLの表示は必須です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateIncidentText": "ケースオブジェクトの更新は必須であり、有効なJSONでなければなりません。", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateMethodText": "ケースメソッドの更新は必須です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateUrlText": "ケースURLの更新は必須です。", + "xpack.stackConnectors.components.casesWebhook.error.requiredWebhookSummaryText": "タイトルが必要です。", + "xpack.stackConnectors.components.casesWebhook.externalIdDesc": "外部システムID", + "xpack.stackConnectors.components.casesWebhook.externalTitleDesc": "外部システムタイトル", + "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyHelp": "外部ケースタイトルを含むケース対応の取得のJSONキー", + "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyTextFieldLabel": "ケース対応の取得の外部タイトルキー", + "xpack.stackConnectors.components.casesWebhook.getIncidentUrlHelp": "外部システムからケース詳細JSONを取得するAPI URL。変数セレクターを使用して、外部システムIDをURLに追加します。", + "xpack.stackConnectors.components.casesWebhook.getIncidentUrlTextFieldLabel": "ケースURLを取得", + "xpack.stackConnectors.components.casesWebhook.hasAuthSwitchLabel": "この Web フックの認証が必要です", + "xpack.stackConnectors.components.casesWebhook.httpHeadersTitle": "使用中のヘッダー", + "xpack.stackConnectors.components.casesWebhook.jsonCodeEditorAriaLabel": "コードエディター", + "xpack.stackConnectors.components.casesWebhook.jsonFieldLabel": "JSON", + "xpack.stackConnectors.components.casesWebhook.keyTextFieldLabel": "キー", + "xpack.stackConnectors.components.casesWebhook.next": "次へ", + "xpack.stackConnectors.components.casesWebhook.passwordTextFieldLabel": "パスワード", + "xpack.stackConnectors.components.casesWebhook.previous": "前へ", + "xpack.stackConnectors.components.casesWebhook.selectMessageText": "ケース管理Webサービスにリクエストを送信します。", + "xpack.stackConnectors.components.casesWebhook.step1": "コネクターを設定", + "xpack.stackConnectors.components.casesWebhook.step2": "ケースを作成", + "xpack.stackConnectors.components.casesWebhook.step2Description": "外部システムでケースを作成するフィールドを設定します。必要なフィールドを判断するには、サービスのAPIドキュメントを確認してください", + "xpack.stackConnectors.components.casesWebhook.step3": "ケース情報を取得", + "xpack.stackConnectors.components.casesWebhook.step3Description": "外部システムでコメントをケースに追加するフィールドを設定します。一部のシステムでは、ケースでの更新の作成と同じメソッドの場合があります。必要なフィールドを判断するには、サービスのAPIドキュメントを確認してください。", + "xpack.stackConnectors.components.casesWebhook.step4": "コメントと更新", + "xpack.stackConnectors.components.casesWebhook.step4a": "ケースで更新を作成", + "xpack.stackConnectors.components.casesWebhook.step4aDescription": "外部システムでケースの更新を作成するフィールドを設定します。一部のシステムでは、ケースへのコメントの追加と同じメソッドの場合があります。", + "xpack.stackConnectors.components.casesWebhook.step4b": "ケースでコメントを追加", + "xpack.stackConnectors.components.casesWebhook.step4bDescription": "外部システムでコメントをケースに追加するフィールドを設定します。一部のシステムでは、ケースでの更新の作成と同じメソッドの場合があります。", + "xpack.stackConnectors.components.casesWebhook.tagsFieldLabel": "タグ", + "xpack.stackConnectors.components.casesWebhook.titleFieldLabel": "概要(必須)", + "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonHelpl": "ケースを更新するJSONオブジェクト。変数セレクターを使用して、ケースデータをペイロードに追加します。", + "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonTextFieldLabel": "ケースオブジェクトを更新", + "xpack.stackConnectors.components.casesWebhook.updateIncidentMethodTextFieldLabel": "ケースメソッドを更新", + "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlHelp": "ケースを更新するAPI URL。", + "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlTextFieldLabel": "ケースURLを更新", + "xpack.stackConnectors.components.casesWebhook.userTextFieldLabel": "ユーザー名", + "xpack.stackConnectors.components.casesWebhook.valueTextFieldLabel": "値", + "xpack.stackConnectors.components.casesWebhook.viewHeadersSwitch": "HTTP ヘッダーを追加", + "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlHelp": "外部システムでケースを表示するURL。変数セレクターを使用して、外部システムIDまたは外部システムタイトルをURLに追加します。", + "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlTextFieldLabel": "外部ケース表示URL", + "xpack.stackConnectors.components.casesWebhookxpack.stackConnectors.components.casesWebhook.connectorTypeTitle": "Webフック - ケース管理データ", + "xpack.stackConnectors.components.email.addBccButton": "Bcc", + "xpack.stackConnectors.components.email.addCcButton": "Cc", + "xpack.stackConnectors.components.email.amazonSesServerTypeLabel": "Amazon SES", + "xpack.stackConnectors.components.email.authenticationLabel": "認証", + "xpack.stackConnectors.components.email.clientIdFieldLabel": "クライアントID", + "xpack.stackConnectors.components.email.clientSecretTextFieldLabel": "クライアントシークレット", + "xpack.stackConnectors.components.email.configureAccountsHelpLabel": "電子メールアカウントの構成", + "xpack.stackConnectors.components.email.connectorTypeTitle": "メールに送信", + "xpack.stackConnectors.components.email.elasticCloudServerTypeLabel": "Elastic Cloud", + "xpack.stackConnectors.components.email.error.invalidPortText": "ポートが無効です。", + "xpack.stackConnectors.components.email.error.requiredAuthUserNameText": "ユーザー名が必要です。", + "xpack.stackConnectors.components.email.error.requiredClientIdText": "クライアントIDは必須です。", + "xpack.stackConnectors.components.email.error.requiredEntryText": "To、Cc、または Bcc のエントリーがありません。 1 つ以上のエントリーが必要です。", + "xpack.stackConnectors.components.email.error.requiredFromText": "送信元が必要です。", + "xpack.stackConnectors.components.email.error.requiredHostText": "ホストが必要です。", + "xpack.stackConnectors.components.email.error.requiredMessageText": "メッセージが必要です。", + "xpack.stackConnectors.components.email.error.requiredPortText": "ポートが必要です。", + "xpack.stackConnectors.components.email.error.requiredServiceText": "サービスは必須です。", + "xpack.stackConnectors.components.email.error.requiredSubjectText": "件名が必要です。", + "xpack.stackConnectors.components.email.error.requiredTenantIdText": "テナントIDは必須です。", + "xpack.stackConnectors.components.email.exchangeForm.clientIdHelpLabel": "クライアントIDの構成", + "xpack.stackConnectors.components.email.exchangeForm.clientSecretHelpLabel": "クライアントシークレットの構成", + "xpack.stackConnectors.components.email.exchangeForm.tenantIdHelpLabel": "テナントIDの構成", + "xpack.stackConnectors.components.email.exchangeServerTypeLabel": "MS Exchange Server", + "xpack.stackConnectors.components.email.fromTextFieldLabel": "送信元", + "xpack.stackConnectors.components.email.gmailServerTypeLabel": "Gmail", + "xpack.stackConnectors.components.email.hasAuthSwitchLabel": "このサーバーの認証が必要です", + "xpack.stackConnectors.components.email.hostTextFieldLabel": "ホスト", + "xpack.stackConnectors.components.email.messageTextAreaFieldLabel": "メッセージ", + "xpack.stackConnectors.components.email.otherServerTypeLabel": "その他", + "xpack.stackConnectors.components.email.outlookServerTypeLabel": "Outlook", + "xpack.stackConnectors.components.email.passwordFieldLabel": "パスワード", + "xpack.stackConnectors.components.email.portTextFieldLabel": "ポート", + "xpack.stackConnectors.components.email.recipientBccTextFieldLabel": "Bcc", + "xpack.stackConnectors.components.email.recipientCopyTextFieldLabel": "Cc", + "xpack.stackConnectors.components.email.recipientTextFieldLabel": "終了:", + "xpack.stackConnectors.components.email.secureSwitchLabel": "セキュア", + "xpack.stackConnectors.components.email.selectMessageText": "サーバーからメールを送信します。", + "xpack.stackConnectors.components.email.serviceTextFieldLabel": "サービス", + "xpack.stackConnectors.components.email.subjectTextFieldLabel": "件名", + "xpack.stackConnectors.components.email.tenantIdFieldLabel": "テナントID", + "xpack.stackConnectors.components.email.updateErrorNotificationText": "サービス構成を取得できません", + "xpack.stackConnectors.components.email.userTextFieldLabel": "ユーザー名", + "xpack.stackConnectors.components.index.configureIndexHelpLabel": "インデックスコネクターを構成しています。", + "xpack.stackConnectors.components.index.connectorSectionTitle": "インデックスを書き出す", + "xpack.stackConnectors.components.index.connectorTypeTitle": "データをインデックスする", + "xpack.stackConnectors.components.index.definedateFieldTooltip": "この時間フィールドをドキュメントにインデックスが作成された時刻に設定します。", + "xpack.stackConnectors.components.index.defineTimeFieldLabel": "各ドキュメントの時刻フィールドを定義", + "xpack.stackConnectors.components.index.documentsFieldLabel": "インデックスするドキュメント", + "xpack.stackConnectors.components.index.error.badIndexOverrideSuffix": "アラート履歴インデックスには有効なサフィックスを含める必要があります。", + "xpack.stackConnectors.components.index.error.notValidIndexText": "インデックスは有効ではありません。", + "xpack.stackConnectors.components.index.error.requiredDocumentJson": "ドキュメントが必要です。有効なJSONオブジェクトにしてください。", + "xpack.stackConnectors.components.index.executionTimeFieldLabel": "時間フィールド", + "xpack.stackConnectors.components.index.howToBroadenSearchQueryDescription": "* で検索クエリの範囲を広げます。", + "xpack.stackConnectors.components.index.indexDocumentHelpLabel": "インデックスドキュメントの例。", + "xpack.stackConnectors.components.index.indicesToQueryLabel": "インデックス", + "xpack.stackConnectors.components.index.jsonDocAriaLabel": "コードエディター", + "xpack.stackConnectors.components.index.preconfiguredIndex": "Elasticsearchインデックス", + "xpack.stackConnectors.components.index.preconfiguredIndexDocLink": "ドキュメントを表示します。", + "xpack.stackConnectors.components.index.refreshLabel": "更新インデックス", + "xpack.stackConnectors.components.index.refreshTooltip": "影響を受けるシャードを更新し、この処理を検索できるようにします。", + "xpack.stackConnectors.components.index.resetDefaultIndexLabel": "デフォルトのインデックスをリセット", + "xpack.stackConnectors.components.index.selectMessageText": "データを Elasticsearch にインデックスしてください。", + "xpack.stackConnectors.components.jira.apiTokenTextFieldLabel": "APIトークン", + "xpack.stackConnectors.components.jira.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.jira.commentsTextAreaFieldLabel": "追加のコメント", + "xpack.stackConnectors.components.jira.connectorTypeTitle": "Jira", + "xpack.stackConnectors.components.jira.descriptionTextAreaFieldLabel": "説明", + "xpack.stackConnectors.components.jira.emailTextFieldLabel": "メールアドレス", + "xpack.stackConnectors.components.jira.impactSelectFieldLabel": "ラベル", + "xpack.stackConnectors.components.jira.labelsSpacesErrorMessage": "ラベルにはスペースを使用できません。", + "xpack.stackConnectors.components.jira.parentIssueSearchLabel": "親問題", + "xpack.stackConnectors.components.jira.projectKey": "プロジェクトキー", + "xpack.stackConnectors.components.jira.requiredSummaryTextField": "概要が必要です。", + "xpack.stackConnectors.components.jira.searchIssuesComboBoxAriaLabel": "入力して検索", + "xpack.stackConnectors.components.jira.searchIssuesComboBoxPlaceholder": "入力して検索", + "xpack.stackConnectors.components.jira.searchIssuesLoading": "読み込み中...", + "xpack.stackConnectors.components.jira.selectMessageText": "Jira でインシデントを作成します。", + "xpack.stackConnectors.components.jira.severitySelectFieldLabel": "優先度", + "xpack.stackConnectors.components.jira.summaryFieldLabel": "概要(必須)", + "xpack.stackConnectors.components.jira.unableToGetFieldsMessage": "フィールドを取得できません", + "xpack.stackConnectors.components.jira.unableToGetIssuesMessage": "問題を取得できません", + "xpack.stackConnectors.components.jira.unableToGetIssueTypesMessage": "問題タイプを取得できません", + "xpack.stackConnectors.components.jira.urgencySelectFieldLabel": "問題タイプ", + "xpack.stackConnectors.components.opsgenie.actionLabel": "アクション", + "xpack.stackConnectors.components.opsgenie.alertFieldsLabel": "アラートフィールド", + "xpack.stackConnectors.components.opsgenie.aliasLabel": "エイリアス", + "xpack.stackConnectors.components.opsgenie.aliasRequiredLabel": "エイリアス(必須)", + "xpack.stackConnectors.components.opsgenie.apiKeySecret": "API キー", + "xpack.stackConnectors.components.opsgenie.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.opsgenie.closeAlertAction": "アラートを閉じる", + "xpack.stackConnectors.components.opsgenie.connectorTypeTitle": "Opsgenie", + "xpack.stackConnectors.components.opsgenie.createAlertAction": "アラートの作成", + "xpack.stackConnectors.components.opsgenie.descriptionLabel": "説明", + "xpack.stackConnectors.components.opsgenie.documentation": "Opsgenieドキュメント", + "xpack.stackConnectors.components.opsgenie.entityLabel": "エンティティ", + "xpack.stackConnectors.components.opsgenie.fieldAliasHelpText": "Opsgenieで重複除外に使用される一意のアラート識別子。", + "xpack.stackConnectors.components.opsgenie.fieldEntityHelpText": "アラートのドメイン。例:アプリケーション名。", + "xpack.stackConnectors.components.opsgenie.fieldSourceHelpText": "アラートのソースの表示名。", + "xpack.stackConnectors.components.opsgenie.fieldUserHelpText": "所有者の表示名。", + "xpack.stackConnectors.components.opsgenie.hideOptions": "オプションを非表示", + "xpack.stackConnectors.components.opsgenie.jsonEditorAriaLabel": "JSONエディター", + "xpack.stackConnectors.components.opsgenie.jsonEditorError": "JSONエディターエラーが存在します", + "xpack.stackConnectors.components.opsgenie.messageLabel": "メッセージ(必須)", + "xpack.stackConnectors.components.opsgenie.messageNotDefined": "[message]:[string] 型の値が必要ですが、[undefined] が入力されました", + "xpack.stackConnectors.components.opsgenie.messageNotWhitespace": "[message]:空白以外の値を入力する必要があります", + "xpack.stackConnectors.components.opsgenie.moreOptions": "その他のオプション", + "xpack.stackConnectors.components.opsgenie.nonEmptyMessageField": "空白以外の値を入力する必要があります", + "xpack.stackConnectors.components.opsgenie.noteLabel": "注", + "xpack.stackConnectors.components.opsgenie.priority1": "P1-重大", + "xpack.stackConnectors.components.opsgenie.priority2": "P2-高", + "xpack.stackConnectors.components.opsgenie.priority3": "P3-中", + "xpack.stackConnectors.components.opsgenie.priority4": "P4-低", + "xpack.stackConnectors.components.opsgenie.priority5": "P5-情報", + "xpack.stackConnectors.components.opsgenie.priorityLabel": "優先度", + "xpack.stackConnectors.components.opsgenie.requiredAliasTextField": "エイリアスは必須です。", + "xpack.stackConnectors.components.opsgenie.requiredMessageTextField": "メッセージが必要です。", + "xpack.stackConnectors.components.opsgenie.ruleTagsDescription": "ルールのタグ。", + "xpack.stackConnectors.components.opsgenie.selectMessageText": "Opsgenieでアラートを作成または終了します。", + "xpack.stackConnectors.components.opsgenie.sourceLabel": "送信元", + "xpack.stackConnectors.components.opsgenie.tagsHelp": "新しいタグを開始するには、各タグの後でEnterを押します。", + "xpack.stackConnectors.components.opsgenie.tagsLabel": "Opsgenieタグ", + "xpack.stackConnectors.components.opsgenie.useJsonEditorLabel": "JSONエディターを使用", + "xpack.stackConnectors.components.opsgenie.userLabel": "ユーザー", + "xpack.stackConnectors.components.pagerDuty.apiUrlInvalid": "無効なAPI URL", + "xpack.stackConnectors.components.pagerDuty.apiUrlTextFieldLabel": "API URL(任意)", + "xpack.stackConnectors.components.pagerDuty.classFieldLabel": "クラス(任意)", + "xpack.stackConnectors.components.pagerDuty.componentTextFieldLabel": "コンポーネント(任意)", + "xpack.stackConnectors.components.pagerDuty.connectorTypeTitle": "PagerDuty に送信", + "xpack.stackConnectors.components.pagerDuty.dedupKeyTextFieldLabel": "DedupKey(任意)", + "xpack.stackConnectors.components.pagerDuty.dedupKeyTextRequiredFieldLabel": "DedupKey", + "xpack.stackConnectors.components.pagerDuty.error.requiredDedupKeyText": "インシデントを解決または確認するときには、DedupKeyが必要です。", + "xpack.stackConnectors.components.pagerDuty.error.requiredRoutingKeyText": "統合キー/ルーティングキーが必要です。", + "xpack.stackConnectors.components.pagerDuty.error.requiredSummaryText": "概要が必要です。", + "xpack.stackConnectors.components.pagerDuty.eventActionSelectFieldLabel": "イベントアクション", + "xpack.stackConnectors.components.pagerDuty.eventSelectAcknowledgeOptionLabel": "承認", + "xpack.stackConnectors.components.pagerDuty.eventSelectResolveOptionLabel": "解決", + "xpack.stackConnectors.components.pagerDuty.eventSelectTriggerOptionLabel": "トリガー", + "xpack.stackConnectors.components.pagerDuty.groupTextFieldLabel": "グループ(任意)", + "xpack.stackConnectors.components.pagerDuty.routingKeyNameHelpLabel": "PagerDuty アカウントを構成します", + "xpack.stackConnectors.components.pagerDuty.routingKeyTextFieldLabel": "統合キー", + "xpack.stackConnectors.components.pagerDuty.selectMessageText": "PagerDuty でイベントを送信します。", + "xpack.stackConnectors.components.pagerDuty.severitySelectCriticalOptionLabel": "重大", + "xpack.stackConnectors.components.pagerDuty.severitySelectErrorOptionLabel": "エラー", + "xpack.stackConnectors.components.pagerDuty.severitySelectFieldLabel": "重要度(任意)", + "xpack.stackConnectors.components.pagerDuty.severitySelectInfoOptionLabel": "情報", + "xpack.stackConnectors.components.pagerDuty.severitySelectWarningOptionLabel": "警告", + "xpack.stackConnectors.components.pagerDuty.sourceTextFieldLabel": "ソース(任意)", + "xpack.stackConnectors.components.pagerDuty.summaryFieldLabel": "まとめ", + "xpack.stackConnectors.components.pagerDuty.timestampTextFieldLabel": "タイムスタンプ(任意)", + "xpack.stackConnectors.components.resilient.apiKeyId": "APIキーID", + "xpack.stackConnectors.components.resilient.apiKeySecret": "APIキーシークレット", + "xpack.stackConnectors.components.resilient.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.resilient.commentsTextAreaFieldLabel": "追加のコメント", + "xpack.stackConnectors.components.resilient.connectorTypeTitle": "Resilient", + "xpack.stackConnectors.components.resilient.descriptionTextAreaFieldLabel": "説明", + "xpack.stackConnectors.components.resilient.nameFieldLabel": "名前(必須)", + "xpack.stackConnectors.components.resilient.orgId": "組織 ID", + "xpack.stackConnectors.components.resilient.requiredNameTextField": "名前が必要です。", + "xpack.stackConnectors.components.resilient.selectMessageText": "IBM Resilient でインシデントを作成します。", + "xpack.stackConnectors.components.resilient.severity": "深刻度", + "xpack.stackConnectors.components.resilient.unableToGetIncidentTypesMessage": "インシデントタイプを取得できません", + "xpack.stackConnectors.components.resilient.unableToGetSeverityMessage": "深刻度を取得できません", + "xpack.stackConnectors.components.resilient.urgencySelectFieldLabel": "インシデントタイプ", + "xpack.stackConnectors.components.serverLog.connectorTypeTitle": "サーバーログに送信", + "xpack.stackConnectors.components.serverLog.error.requiredServerLogMessageText": "メッセージが必要です。", + "xpack.stackConnectors.components.serverLog.logLevelFieldLabel": "レベル", + "xpack.stackConnectors.components.serverLog.logMessageFieldLabel": "メッセージ", + "xpack.stackConnectors.components.serverLog.selectMessageText": "Kibana ログにメッセージを追加します。", + "xpack.stackConnectors.components.serviceNow.apiUrlTextFieldLabel": "ServiceNowインスタンスURL", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout": "Elastic ServiceNowアプリがインストールされていません", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.content": "ServiceNowアプリストアに移動し、アプリケーションをインストールしてください", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.errorMessage": "エラーメッセージ", + "xpack.stackConnectors.components.serviceNow.authenticationLabel": "認証", + "xpack.stackConnectors.components.serviceNow.cancelButtonText": "キャンセル", + "xpack.stackConnectors.components.serviceNow.categoryTitle": "カテゴリー", + "xpack.stackConnectors.components.serviceNow.clientIdTextFieldLabel": "クライアントID", + "xpack.stackConnectors.components.serviceNow.clientSecretTextFieldLabel": "クライアントシークレット", + "xpack.stackConnectors.components.serviceNow.commentsTextAreaFieldLabel": "追加のコメント", + "xpack.stackConnectors.components.serviceNow.confirmButtonText": "更新", + "xpack.stackConnectors.components.serviceNow.correlationDisplay": "相関関係表示(オプション)", + "xpack.stackConnectors.components.serviceNow.correlationID": "相関関係ID(オプション)", + "xpack.stackConnectors.components.serviceNow.correlationIDHelpLabel": "インシデントを更新するID", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutCreate": "または新規作成します。", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutMigrate": "このコネクターを更新します", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutTitle": "このコネクターは廃止予定です", + "xpack.stackConnectors.components.serviceNow.deprecatedTooltipTitle": "廃止予定のコネクター", + "xpack.stackConnectors.components.serviceNow.descriptionTextAreaFieldLabel": "説明", + "xpack.stackConnectors.components.serviceNow.eventClassTextAreaFieldLabel": "ソースインスタンス", + "xpack.stackConnectors.components.serviceNow.fetchErrorMsg": "取得できませんでした。ServiceNowインスタンスのURLまたはCORS公正を確認します。", + "xpack.stackConnectors.components.serviceNow.impactSelectFieldLabel": "インパクト", + "xpack.stackConnectors.components.serviceNow.installationCalloutTitle": "このコネクターを使用するには、まずServiceNowアプリストアからElasticアプリをインストールします。", + "xpack.stackConnectors.components.serviceNow.invalidApiUrlTextField": "URL が無効です。", + "xpack.stackConnectors.components.serviceNow.keyIdTextFieldLabel": "JWT VerifierキーID", + "xpack.stackConnectors.components.serviceNow.messageKeyTextAreaFieldLabel": "メッセージキー", + "xpack.stackConnectors.components.serviceNow.metricNameTextAreaFieldLabel": "メトリック名", + "xpack.stackConnectors.components.serviceNow.nodeTextAreaFieldLabel": "ノード", + "xpack.stackConnectors.components.serviceNow.passwordTextFieldLabel": "パスワード", + "xpack.stackConnectors.components.serviceNow.prioritySelectFieldLabel": "優先度", + "xpack.stackConnectors.components.serviceNow.privateKeyPassLabelHelpText": "これは、秘密鍵でパスワードを設定した場合にのみ必要です", + "xpack.stackConnectors.components.serviceNow.privateKeyPassTextFieldLabel": "秘密鍵パスワード", + "xpack.stackConnectors.components.serviceNow.privateKeyTextFieldLabel": "秘密鍵", + "xpack.stackConnectors.components.serviceNow.requiredClientIdTextField": "クライアントIDは必須です。", + "xpack.stackConnectors.components.serviceNow.requiredKeyIdTextField": "JWT VerifierキーIDは必須です。", + "xpack.stackConnectors.components.serviceNow.requiredPrivateKeyTextField": "秘密鍵は必須です。", + "xpack.stackConnectors.components.serviceNow.requiredSeverityTextField": "重要度は必須です。", + "xpack.stackConnectors.components.serviceNow.requiredShortDescTextField": "短い説明が必要です。", + "xpack.stackConnectors.components.serviceNow.requiredUserIdentifierTextField": "ユーザーIDは必須です。", + "xpack.stackConnectors.components.serviceNow.requiredUsernameTextField": "ユーザー名が必要です。", + "xpack.stackConnectors.components.serviceNow.resourceTextAreaFieldLabel": "リソース", + "xpack.stackConnectors.components.serviceNow.setupDevInstance": "開発者インスタンスを設定", + "xpack.stackConnectors.components.serviceNow.severityRequiredSelectFieldLabel": "重要度(必須)", + "xpack.stackConnectors.components.serviceNow.severitySelectFieldLabel": "深刻度", + "xpack.stackConnectors.components.serviceNow.snInstanceLabel": "ServiceNowインスタンス", + "xpack.stackConnectors.components.serviceNow.sourceTextAreaFieldLabel": "送信元", + "xpack.stackConnectors.components.serviceNow.subcategoryTitle": "サブカテゴリー", + "xpack.stackConnectors.components.serviceNow.title": "インシデント", + "xpack.stackConnectors.components.serviceNow.titleFieldLabel": "短い説明(必須)", + "xpack.stackConnectors.components.serviceNow.typeTextAreaFieldLabel": "型", + "xpack.stackConnectors.components.serviceNow.unableToGetChoicesMessage": "選択肢を取得できません", + "xpack.stackConnectors.components.serviceNow.unknown": "不明", + "xpack.stackConnectors.components.serviceNow.updateCalloutText": "コネクターが更新されました。", + "xpack.stackConnectors.components.serviceNow.updateFormCredentialsTitle": "認証資格情報を入力", + "xpack.stackConnectors.components.serviceNow.updateFormInstallTitle": "Elastic ServiceNowアプリをインストール", + "xpack.stackConnectors.components.serviceNow.updateFormTitle": "ServiceNowコネクターを更新", + "xpack.stackConnectors.components.serviceNow.updateFormUrlTitle": "ServiceNowインスタンスURLを入力", + "xpack.stackConnectors.components.serviceNow.urgencySelectFieldLabel": "緊急", + "xpack.stackConnectors.components.serviceNow.useOAuth": "OAuth認証を使用", + "xpack.stackConnectors.components.serviceNow.userEmailTextFieldLabel": "ユーザーID", + "xpack.stackConnectors.components.serviceNow.usernameTextFieldLabel": "ユーザー名", + "xpack.stackConnectors.components.serviceNow.visitSNStore": "ServiceNowアプリストアにアクセス", + "xpack.stackConnectors.components.serviceNow.warningMessage": "このコネクターのすべてのインスタンスが更新され、元に戻せません。", + "xpack.stackConnectors.components.serviceNowITOM.connectorTypeTitle": "ServiceNow ITOM", + "xpack.stackConnectors.components.serviceNowITOM.event": "イベント", + "xpack.stackConnectors.components.serviceNowITOM.selectMessageText": "ServiceNow ITOMでイベントを作成します。", + "xpack.stackConnectors.components.serviceNowITSM.connectorTypeTitle": "ServiceNow ITSM", + "xpack.stackConnectors.components.serviceNowITSM.selectMessageText": "ServiceNow ITSMでインシデントを作成します。", + "xpack.stackConnectors.components.serviceNowSIR.connectorTypeTitle": "ServiceNow SecOps", + "xpack.stackConnectors.components.serviceNowSIR.correlationIDHelpLabel": "インシデントを更新するID", + "xpack.stackConnectors.components.serviceNowSIR.selectMessageText": "ServiceNow SecOpsでインシデントを作成します。", + "xpack.stackConnectors.components.serviceNowSIR.title": "セキュリティインシデント", + "xpack.stackConnectors.components.slack..error.requiredSlackMessageText": "メッセージが必要です。", + "xpack.stackConnectors.components.slack.connectorTypeTitle": "Slack に送信", + "xpack.stackConnectors.components.slack.error.invalidWebhookUrlText": "Web フック URL が無効です。", + "xpack.stackConnectors.components.slack.messageTextAreaFieldLabel": "メッセージ", + "xpack.stackConnectors.components.slack.selectMessageText": "Slack チャネルにメッセージを送信します。", + "xpack.stackConnectors.components.slack.webhookUrlHelpLabel": "Slack Web フック URL を作成", + "xpack.stackConnectors.components.slack.webhookUrlTextFieldLabel": "Web フック URL", + "xpack.stackConnectors.components.swimlane.alertIdFieldLabel": "アラートID", + "xpack.stackConnectors.components.swimlane.apiTokenNameHelpLabel": "Swimlane APIトークンを指定", + "xpack.stackConnectors.components.swimlane.apiTokenTextFieldLabel": "APIトークン", + "xpack.stackConnectors.components.swimlane.apiUrlTextFieldLabel": "API Url", + "xpack.stackConnectors.components.swimlane.appIdTextFieldLabel": "アプリケーションID", + "xpack.stackConnectors.components.swimlane.caseIdFieldLabel": "ケースID", + "xpack.stackConnectors.components.swimlane.caseNameFieldLabel": "ケース名", + "xpack.stackConnectors.components.swimlane.commentsFieldLabel": "コメント", + "xpack.stackConnectors.components.swimlane.configureConnectionLabel": "API接続を構成", + "xpack.stackConnectors.components.swimlane.connectorType": "コネクタータイプ", + "xpack.stackConnectors.components.swimlane.connectorTypeTitle": "Swimlaneレコードを作成", + "xpack.stackConnectors.components.swimlane.descriptionFieldLabel": "説明", + "xpack.stackConnectors.components.swimlane.emptyMappingWarningDesc": "このコネクターを選択できません。必要なアラートフィールドマッピングがありません。このコネクターを編集して、必要なフィールドマッピングを追加するか、タイプがアラートのコネクターを選択できます。", + "xpack.stackConnectors.components.swimlane.emptyMappingWarningTitle": "このコネクターにはフィールドマッピングがありません。", + "xpack.stackConnectors.components.swimlane.error.requiredAlertID": "アラートIDは必須です。", + "xpack.stackConnectors.components.swimlane.error.requiredAppIdText": "アプリIDは必須です。", + "xpack.stackConnectors.components.swimlane.error.requiredCaseID": "ケースIDは必須です。", + "xpack.stackConnectors.components.swimlane.error.requiredCaseName": "ケース名は必須です。", + "xpack.stackConnectors.components.swimlane.error.requiredComments": "コメントは必須です。", + "xpack.stackConnectors.components.swimlane.error.requiredDescription": "説明が必要です。", + "xpack.stackConnectors.components.swimlane.error.requiredRuleName": "ルール名は必須です。", + "xpack.stackConnectors.components.swimlane.error.requiredSeverity": "重要度は必須です。", + "xpack.stackConnectors.components.swimlane.invalidApiUrlTextField": "URL が無効です。", + "xpack.stackConnectors.components.swimlane.mappingTitleTextFieldLabel": "フィールドマッピングを構成", + "xpack.stackConnectors.components.swimlane.nextStep": "次へ", + "xpack.stackConnectors.components.swimlane.nextStepHelpText": "フィールドマッピングが構成されていない場合、Swimlaneコネクタータイプはすべてに設定されます。", + "xpack.stackConnectors.components.swimlane.prevStep": "戻る", + "xpack.stackConnectors.components.swimlane.ruleNameFieldLabel": "ルール名", + "xpack.stackConnectors.components.swimlane.selectMessageText": "Swimlaneでレコードを作成", + "xpack.stackConnectors.components.swimlane.severityFieldLabel": "深刻度", + "xpack.stackConnectors.components.swimlane.unableToGetApplicationFieldsMessage": "アプリケーションフィールドを取得できません", + "xpack.stackConnectors.components.teams.connectorTypeTitle": "メッセージを Microsoft Teams チャネルに送信します。", + "xpack.stackConnectors.components.teams.error.invalidWebhookUrlText": "Web フック URL が無効です。", + "xpack.stackConnectors.components.teams.error.requiredMessageText": "メッセージが必要です。", + "xpack.stackConnectors.components.teams.error.webhookUrlTextLabel": "Web フック URL", + "xpack.stackConnectors.components.teams.messageTextAreaFieldLabel": "メッセージ", + "xpack.stackConnectors.components.teams.selectMessageText": "メッセージを Microsoft Teams チャネルに送信します。", + "xpack.stackConnectors.components.teams.webhookUrlHelpLabel": "Microsoft Teams Web フック URL を作成", + "xpack.stackConnectors.components.webhook.addHeaderButtonLabel": "ヘッダーを追加", + "xpack.stackConnectors.components.webhook.authenticationLabel": "認証", + "xpack.stackConnectors.components.webhook.bodyCodeEditorAriaLabel": "コードエディター", + "xpack.stackConnectors.components.webhook.bodyFieldLabel": "本文", + "xpack.stackConnectors.components.webhook.connectorTypeTitle": "Web フックデータ", + "xpack.stackConnectors.components.webhook.error.invalidUrlTextField": "URL が無効です。", + "xpack.stackConnectors.components.webhook.error.requiredAuthUserNameText": "ユーザー名が必要です。", + "xpack.stackConnectors.components.webhook.error.requiredMethodText": "メソッドが必要です。", + "xpack.stackConnectors.components.webhook.error.requiredWebhookBodyText": "本文が必要です。", + "xpack.stackConnectors.components.webhook.hasAuthSwitchLabel": "この Web フックの認証が必要です", + "xpack.stackConnectors.components.webhook.headerKeyTextFieldLabel": "キー", + "xpack.stackConnectors.components.webhook.headerValueTextFieldLabel": "値", + "xpack.stackConnectors.components.webhook.methodTextFieldLabel": "メソド", + "xpack.stackConnectors.components.webhook.passwordTextFieldLabel": "パスワード", + "xpack.stackConnectors.components.webhook.removeHeaderIconLabel": "キー", + "xpack.stackConnectors.components.webhook.selectMessageText": "Web サービスにリクエストを送信してください。", + "xpack.stackConnectors.components.webhook.urlTextFieldLabel": "URL", + "xpack.stackConnectors.components.webhook.userTextFieldLabel": "ユーザー名", + "xpack.stackConnectors.components.webhook.viewHeadersSwitch": "HTTP ヘッダーを追加", + "xpack.stackConnectors.components.xmatters.authenticationLabel": "認証", + "xpack.stackConnectors.components.xmatters.basicAuthButtonGroupLegend": "基本認証", + "xpack.stackConnectors.components.xmatters.basicAuthLabel": "基本認証", + "xpack.stackConnectors.components.xmatters.connectorSettingsLabel": "xMattersトリガーを設定するときに使用される認証方法を選択します。", + "xpack.stackConnectors.components.xmatters.connectorTypeTitle": "xMattersデータ", + "xpack.stackConnectors.components.xmatters.error.invalidUrlTextField": "URL が無効です。", + "xpack.stackConnectors.components.xmatters.error.invalidUsernameTextField": "ユーザー名が無効です。", + "xpack.stackConnectors.components.xmatters.error.requiredUrlText": "URL が必要です。", + "xpack.stackConnectors.components.xmatters.initiationUrlHelpText": "完全なxMatters URLを含めます。", + "xpack.stackConnectors.components.xmatters.passwordTextFieldLabel": "パスワード", + "xpack.stackConnectors.components.xmatters.selectMessageText": "xMattersワークフローをトリガーします。", + "xpack.stackConnectors.components.xmatters.severity": "深刻度", + "xpack.stackConnectors.components.xmatters.severitySelectCriticalOptionLabel": "重大", + "xpack.stackConnectors.components.xmatters.severitySelectHighOptionLabel": "高", + "xpack.stackConnectors.components.xmatters.severitySelectLowOptionLabel": "低", + "xpack.stackConnectors.components.xmatters.severitySelectMediumOptionLabel": "中", + "xpack.stackConnectors.components.xmatters.severitySelectMinimalOptionLabel": "最小", + "xpack.stackConnectors.components.xmatters.tags": "タグ", + "xpack.stackConnectors.components.xmatters.urlAuthLabel": "URL認証", + "xpack.stackConnectors.components.xmatters.urlLabel": "開始URL", + "xpack.stackConnectors.components.xmatters.userCredsLabel": "ユーザー認証情報", + "xpack.stackConnectors.components.xmatters.userTextFieldLabel": "ユーザー名", + "xpack.stackConnectors.email.errorSendingErrorMessage": "エラー送信メールアドレス", + "xpack.stackConnectors.email.kibanaFooterLinkText": "Kibana を開く", + "xpack.stackConnectors.email.sentByKibanaMessage": "このメッセージは Kibana によって送信されました。", + "xpack.stackConnectors.email.title": "メール", + "xpack.stackConnectors.esIndex.errorIndexingErrorMessage": "エラーインデックス作成ドキュメント", + "xpack.stackConnectors.esIndex.title": "インデックス", + "xpack.stackConnectors.jira.title": "Jira", + "xpack.stackConnectors.opsgenie.name": "Opsgenie", + "xpack.stackConnectors.opsgenie.unknownError": "不明なエラー", + "xpack.stackConnectors.pagerduty.postingErrorMessage": "pagerduty イベントの投稿エラー", + "xpack.stackConnectors.pagerduty.title": "PagerDuty", + "xpack.stackConnectors.pagerduty.unexpectedNullResponseErrorMessage": "pagerdutyからの予期しないnull応答", + "xpack.stackConnectors.resilient.title": "IBM Resilient", + "xpack.stackConnectors.sections.ospgenie.loadingJsonEditor": "JSONエディターを読み込んでいます", + "xpack.stackConnectors.security.tines.config.authenticationTitle": "認証", + "xpack.stackConnectors.security.tines.config.emailTextFieldLabel": "メール", + "xpack.stackConnectors.security.tines.config.error.invalidUrlTextField": "テナントURLが無効です。", + "xpack.stackConnectors.security.tines.config.error.requiredAuthTokenText": "認証トークンが必要です。", + "xpack.stackConnectors.security.tines.config.error.requiredEmailText": "電子メールが必要です。", + "xpack.stackConnectors.security.tines.config.selectMessageText": "イベントをストーリーに送信します。", + "xpack.stackConnectors.security.tines.config.tokenTextFieldLabel": "APIトークン", + "xpack.stackConnectors.security.tines.config.urlTextFieldLabel": "TinesテナントURL", + "xpack.stackConnectors.security.tines.params.bodyFieldAriaLabel": "リクエスト本文ペイロード", + "xpack.stackConnectors.security.tines.params.bodyFieldLabel": "本文", + "xpack.stackConnectors.security.tines.params.componentError.storiesRequestFailed": "Tinesからのストーリーの取得エラー", + "xpack.stackConnectors.security.tines.params.componentError.webhooksRequestFailed": "TinesからのWebフックアクションの取得エラー", + "xpack.stackConnectors.security.tines.params.componentWarning.storyNotFound": "保存されたストーリーが見つかりません。セレクターから有効なストーリーを選択してください", + "xpack.stackConnectors.security.tines.params.componentWarning.webhookNotFound": "保存されたWebフックが見つかりません。セレクターから有効なWebフックを選択してください", + "xpack.stackConnectors.security.tines.params.disabledByWebhookUrlPlaceholder": "このセレクターを使用するには、WebフックURLを削除してください", + "xpack.stackConnectors.security.tines.params.error.invalidActionText": "無効なアクション名です。", + "xpack.stackConnectors.security.tines.params.error.invalidBodyText": "本文は有効なJSON形式ではありません。", + "xpack.stackConnectors.security.tines.params.error.invalidHostnameWebhookUrlText": "WebフックURLには有効な「.tines.com」ドメインがありません。", + "xpack.stackConnectors.security.tines.params.error.invalidProtocolWebhookUrlText": "WebフックURLには有効な「HTTPS」プロトコルがありません。", + "xpack.stackConnectors.security.tines.params.error.invalidWebhookUrlText": "Web フック URL が無効です。", + "xpack.stackConnectors.security.tines.params.error.requiredActionText": "アクションが必要です。", + "xpack.stackConnectors.security.tines.params.error.requiredBodyText": "本文が必要です。", + "xpack.stackConnectors.security.tines.params.error.requiredStoryText": "ストーリーが必要です。", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookPathText": "Webフックアクションパスがありません。", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookSecretText": "Webフックアクションシークレットがありません。", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookText": "Webフックが必要です。", + "xpack.stackConnectors.security.tines.params.storyFieldAriaLabel": "Tinesストーリーを選択", + "xpack.stackConnectors.security.tines.params.storyFieldLabel": "Tinesストーリー", + "xpack.stackConnectors.security.tines.params.storyHelp": "イベント送信先のTinesストーリー", + "xpack.stackConnectors.security.tines.params.storyPlaceholder": "ストーリーを選択", + "xpack.stackConnectors.security.tines.params.storyPublishedBadgeText": "公開済み", + "xpack.stackConnectors.security.tines.params.webhookDisabledPlaceholder": "最初にストーリーを選択", + "xpack.stackConnectors.security.tines.params.webhookFieldAriaLabel": "Tines Webフックアクションを選択", + "xpack.stackConnectors.security.tines.params.webhookFieldLabel": "Tines Webフックアクション", + "xpack.stackConnectors.security.tines.params.webhookHelp": "ストーリーのデータ入力アクション", + "xpack.stackConnectors.security.tines.params.webhookPlaceholder": "Webフックアクションを選択", + "xpack.stackConnectors.security.tines.params.webhookUrlFallbackTitle": "Tines API結果の上限に達しました", + "xpack.stackConnectors.security.tines.params.webhookUrlFieldLabel": "Web フック URL", + "xpack.stackConnectors.security.tines.params.webhookUrlHelp": "WebフックURLが定義されている場合、ストーリーおよびWebフックセレクターは無視されます", + "xpack.stackConnectors.security.tines.params.webhookUrlPlaceholder": "ここにWebフックURLを貼り付け", + "xpack.stackConnectors.serverLog.errorLoggingErrorMessage": "メッセージのロギングエラー", + "xpack.stackConnectors.serverLog.title": "サーバーログ", + "xpack.stackConnectors.serviceNow.configuration.apiBasicAuthCredentialsError": "ユーザーとパスワードの両方を指定する必要があります", + "xpack.stackConnectors.serviceNow.configuration.apiCredentialsError": "基本認証資格情報またはOAuth資格情報を指定する必要があります。", + "xpack.stackConnectors.serviceNow.configuration.apiOAuthCredentialsError": "clientSecretおよびprivateKeyの両方を指定する必要があります", + "xpack.stackConnectors.serviceNow.title": "ServiceNow", + "xpack.stackConnectors.serviceNowITOM.title": "ServiceNow ITOM", + "xpack.stackConnectors.serviceNowITSM.title": "ServiceNow ITSM", + "xpack.stackConnectors.serviceNowSIR.title": "ServiceNow SecOps", + "xpack.stackConnectors.slack.configurationErrorNoHostname": "slack アクションの構成エラー:Web フック URL からホスト名をパースできません", + "xpack.stackConnectors.slack.errorPostingErrorMessage": "slack メッセージの投稿エラー", + "xpack.stackConnectors.slack.errorPostingRetryLaterErrorMessage": "slack メッセージの投稿エラー、後ほど再試行", + "xpack.stackConnectors.slack.title": "Slack", + "xpack.stackConnectors.slack.unexpectedNullResponseErrorMessage": "Slack から予期せぬ null 応答", + "xpack.stackConnectors.swimlane.title": "スイムレーン", + "xpack.stackConnectors.teams.configurationErrorNoHostname": "Teams アクションの構成エラー:Web フック URL からホスト名をパースできません", + "xpack.stackConnectors.teams.errorPostingRetryLaterErrorMessage": "Microsoft Teams メッセージの投稿エラーです。しばらくたってから再試行します", + "xpack.stackConnectors.teams.invalidResponseErrorMessage": "Microsoft Teams への投稿エラーです。無効な応答です", + "xpack.stackConnectors.teams.title": "Microsoft Teams", + "xpack.stackConnectors.teams.unexpectedNullResponseErrorMessage": "Microsoft Teamsからの予期しないnull応答", + "xpack.stackConnectors.teams.unreachableErrorMessage": "Microsoft Teams への投稿エラーです。予期しないエラーです", + "xpack.stackConnectors.webhook.invalidResponseErrorMessage": "Webフックの呼び出しエラー、無効な応答", + "xpack.stackConnectors.webhook.invalidResponseRetryLaterErrorMessage": "Webフックの呼び出しエラー、後ほど再試行", + "xpack.stackConnectors.webhook.invalidUsernamePassword": "ユーザーとパスワードの両方を指定する必要があります", + "xpack.stackConnectors.webhook.requestFailedErrorMessage": "Webフックの呼び出しエラー。要求が失敗しました", + "xpack.stackConnectors.webhook.title": "Web フック", + "xpack.stackConnectors.webhook.unexpectedNullResponseErrorMessage": "Webフックからの予期しないnull応答", + "xpack.stackConnectors.webhook.unreachableErrorMessage": "webhookの呼び出しエラー、予期せぬエラー", + "xpack.stackConnectors.xmatters.invalidUsernamePassword": "ユーザーとパスワードの両方を指定する必要があります。", + "xpack.stackConnectors.xmatters.missingConfigUrl": "有効なconfigUrlを指定してください", + "xpack.stackConnectors.xmatters.missingPassword": "有効なパスワードを指定してください", + "xpack.stackConnectors.xmatters.missingSecretsUrl": "有効なsecretsUrlとAPIキーを指定してください", + "xpack.stackConnectors.xmatters.missingUser": "有効なユーザー名を指定してください", + "xpack.stackConnectors.xmatters.noSecretsProvided": "認証するには、secretsUrlリンクまたはユーザー/パスワードを指定してください", + "xpack.stackConnectors.xmatters.noUserPassWhenSecretsUrl": "URL認証ではユーザー/パスワードを使用できません。有効なsecretsUrlを指定するか、基本認証を使用してください。", + "xpack.stackConnectors.xmatters.postingErrorMessage": "xMattersワークフローのトリガーエラー", + "xpack.stackConnectors.xmatters.shouldNotHaveConfigUrl": "usesBasicがfalseのときには、configUrlを指定しないでください", + "xpack.stackConnectors.xmatters.shouldNotHaveSecretsUrl": "usesBasicがtrueのときには、secretsUrlを指定しないでください", + "xpack.stackConnectors.xmatters.shouldNotHaveUsernamePassword": "usesBasicがfalseのときには、ユーザー名とパスワードを指定しないでください", + "xpack.stackConnectors.xmatters.title": "xMatters", + "xpack.stackConnectors.xmatters.unexpectedNullResponseErrorMessage": "xmattersからの予期しないnull応答", + "xpack.synthetics.addMonitor.pageHeader.description": "使用可能なモニタータイプの詳細については、{docs}を参照してください。", "xpack.synthetics.addMonitorRoute.title": "モニターを追加 | {baseTitle}", "xpack.synthetics.alerts.durationAnomaly.defaultActionMessage": "{anomalyStartTimestamp}に、{monitor}、url {monitorUrl}で異常({severity}レベル)応答時間が検出されました。異常重要度スコアは{severityScore}です。\n位置情報{observerLocation}から高い応答時間{slowestAnomalyResponse}が検出されました。想定された応答時間は{expectedResponseTime}です。", "xpack.synthetics.alerts.durationAnomaly.defaultRecoveryMessage": "url {monitorUrl}のモニター{monitor}で{anomalyStartTimestamp}に{observerLocation}で検知された異常({severity}レベル)応答時間のアラートが回復しました", @@ -30325,16 +33113,21 @@ "xpack.synthetics.alerts.tls.validBeforeExpiredString": "{relativeDate}日前、{date}以降有効です。", "xpack.synthetics.alerts.tls.validBeforeExpiringString": "今から{relativeDate}日間、{date}まで無効です。", "xpack.synthetics.availabilityLabelText": "{value} %", + "xpack.synthetics.browser.zipUrl.deprecation.content": "Zip URLは廃止予定であり、将来のバージョンでは削除されます。リモートリポジトリからモニターを作成して、既存のZip URLモニターを移行するのではなく、プロジェクトモニターを使用してください。{link}", "xpack.synthetics.certificates.heading": "TLS証明書({total})", "xpack.synthetics.certificatesRoute.title": "証明書 | {baseTitle}", "xpack.synthetics.certs.status.ok.label": " for {okRelativeDate}", "xpack.synthetics.charts.mlAnnotation.header": "スコア:{score}", "xpack.synthetics.charts.mlAnnotation.severity": "深刻度:{severity}", "xpack.synthetics.controls.selectSeverity.scoreDetailsDescription": "スコア{value}以上", + "xpack.synthetics.createMonitorRoute.title": "モニターを作成 | {baseTitle}", "xpack.synthetics.createPackagePolicy.stepConfigure.browserAdvancedSettings.throttling.throttling_exceeded.message": "Syntheticsノードの{ throttlingField }上限を超えました。{ throttlingField }値は{ limit }Mbps以下でなければなりません。", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.deprecation.content": "Zip URLは廃止予定であり、将来のバージョンでは削除されます。リモートリポジトリからモニターを作成して、既存のZip URLモニターを移行するのではなく、プロジェクトモニターを使用してください。{link}", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.content": "「Browser」モニターを作成するには、{agent} Dockerコンテナーを使用していることを確認します。これには、これらのモニターを実行するための依存関係が含まれています。詳細については、{link}をご覧ください。", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.params.helpText": "JSONを使用して、{code}のスクリプトで参照できるパラメーターを定義します", "xpack.synthetics.durationChart.emptyPrompt.description": "このモニターは選択された時間範囲で一度も{emphasizedText}していません。", "xpack.synthetics.editMonitorRoute.title": "モニターを編集 | {baseTitle}", + "xpack.synthetics.errorDetailsRoute.title": "エラー詳細 | {baseTitle}", "xpack.synthetics.gettingStartedRoute.title": "Syntheticsの基本 | {baseTitle}", "xpack.synthetics.keyValuePairsField.deleteItem.label": "項目番号{index}、{key}を削除:{value}", "xpack.synthetics.management.monitorDisabledSuccessMessage": "モニター{name}は正常に無効にされました。", @@ -30344,14 +33137,28 @@ "xpack.synthetics.management.monitorList.frequencyInSeconds": "{countSeconds, number} {countSeconds, plural, other {秒}}", "xpack.synthetics.management.monitorList.recordRange": "{total} {monitorsLabel}件中{range}を表示しています", "xpack.synthetics.management.monitorList.recordRangeLabel": "{monitorCount, plural, other {モニター}}", + "xpack.synthetics.management.monitorList.recordTotal": "{total} {monitorsLabel}を表示しています", "xpack.synthetics.ml.enableAnomalyDetectionPanel.manageMLJobDescription": "ジョブの作成後、{mlJobsPageLink} でそれを管理し、詳細を確認できます。", "xpack.synthetics.monitor.simpleStatusAlert.email.subject": "url {url}のモニター{monitor}はダウンしています", + "xpack.synthetics.monitor.stepOfSteps": "ステップ:{stepNumber}/{totalSteps}", "xpack.synthetics.monitorCharts.durationChart.leftAxis.title": "期間({unit})", "xpack.synthetics.monitorCharts.monitorDuration.titleLabelWithAnomaly": "監視期間(異常:{noOfAnomalies})", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.description": "Elastic Synthetics Recorderを使用して、スクリプトを生成してアップロードします。あるいは、スクリプトエディターで、既存の{playwright}スクリプトを編集(または新規貼り付け)することもできます。", + "xpack.synthetics.monitorConfig.monitorScriptStep.description": "Elastic Synthetics Recorderを使用して、スクリプトを生成してアップロードします。あるいは、スクリプトエディターで、独自の{playwright}スクリプトを作成して、貼り付けることができます。", + "xpack.synthetics.monitorConfig.schedule.label": "{value, number} {value, plural, other {時間}}ごと", + "xpack.synthetics.monitorConfig.schedule.minutes.label": "{value, number} {value, plural, other {分}}ごと", + "xpack.synthetics.monitorDetail.days": "{n, plural, other {日}}", + "xpack.synthetics.monitorDetail.hours": "{n, plural, other {時間}}", + "xpack.synthetics.monitorDetail.minutes": "{n, plural,other {分}}", + "xpack.synthetics.monitorDetail.seconds": "{n, plural, other {秒}}", + "xpack.synthetics.monitorDetails.title": "Syntheticsモニター詳細 | {baseTitle}", + "xpack.synthetics.monitorErrors.title": "Syntheticsモニターエラー | {baseTitle}", + "xpack.synthetics.monitorHistory.title": "Syntheticsモニター履歴 | {baseTitle}", "xpack.synthetics.monitorList.defineConnector.description": "{link}でデフォルトコネクターを定義し、モニターステータスアラートを有効にします。", "xpack.synthetics.monitorList.drawer.missingLocation": "一部の Heartbeat インスタンスには位置情報が定義されていません。Heartbeat 構成への{link}。", "xpack.synthetics.monitorList.drawer.statusRowLocationList": "前回の確認時に\"{status}\"ステータスだった場所のリスト。", "xpack.synthetics.monitorList.expandDrawerButton.ariaLabel": "ID {id}のモニターの行を展開", + "xpack.synthetics.monitorList.flyout.unitStr": "すべての{unitMsg}", "xpack.synthetics.monitorList.infraIntegrationAction.docker.tooltip": "コンテナー ID「{containerId}」のインフラストラクチャ UI を確認します", "xpack.synthetics.monitorList.infraIntegrationAction.ip.tooltip": "IP「{ip}」のインフラストラクチャ UI を確認します", "xpack.synthetics.monitorList.infraIntegrationAction.kubernetes.tooltip": "ポッド UID「{podUid}」のインフラストラクチャ UI を確認します。", @@ -30376,13 +33183,17 @@ "xpack.synthetics.monitorList.statusColumn.locStatusMessage.tooltip.up": "{locs} でアップ", "xpack.synthetics.monitorList.table.description": "列にステータス、名前、URL、IP、ダウンタイム履歴、統合が入力されたモニターステータス表です。この表は現在 {length} 項目を表示しています。", "xpack.synthetics.monitorList.tags.filter": "タグ {tag} ですべての監視をフィルター", + "xpack.synthetics.monitorManagement.agentCallout.content": "このプライベートロケーションで「Browser」モニターを実行する場合は、必ず{code} コンテナーを使用してください。これには、これらのモニターを実行するための依存関係が含まれています。詳細については、{link}。", "xpack.synthetics.monitorManagement.anotherPrivateLocation": "このエージェントポリシーは、すでに次の場所に関連付けられています:{locationName}。", "xpack.synthetics.monitorManagement.cannotDelete": "この場所は、{monCount}個のモニターが実行されているため、削除できません。この場所をモニターから削除してから、この場所を削除してください。", + "xpack.synthetics.monitorManagement.deleteMonitorNameLabel": "\"{name}\"モニターを削除しますか?", "xpack.synthetics.monitorManagement.disclaimer": "お客様は、この機能を使用することで、{link}を読んで同意したことを確認します。", "xpack.synthetics.monitorManagement.monitorAdvancedOptions.namespaceHelpLabel": "デフォルト名前空間を変更します。この設定により、モニターのデータストリームの名前が変更されます。{learnMore}。", + "xpack.synthetics.monitorManagement.monitorDeleteSuccessMessage.name": "モニター\"{name}\"が正常に削除されました。", "xpack.synthetics.monitorManagement.monitorDisabledSuccessMessage": "モニター{name}は正常に無効にされました。", "xpack.synthetics.monitorManagement.monitorEnabledSuccessMessage": "モニター{name}は正常に有効にされました。", "xpack.synthetics.monitorManagement.monitorEnabledUpdateFailureMessage": "モニター{name}を更新できません。", + "xpack.synthetics.monitorManagement.monitorList.disclaimer.label": "必ずこのモニターをプロジェクトのソースから削除してください。そうでないと、次回プッシュコマンドを使用するときに再作成されます。プロジェクトモニターの削除の詳細については、{docsLink}。", "xpack.synthetics.monitorManagement.service.error.message": "モニターは保存されますが、{location}の構成の同期中に問題が発生しました。しばらくたってから自動的に再試行されます。問題が解決しない場合は、{location}でのモニターの実行が停止します。ヘルプについては、サポートに問い合わせてください。", "xpack.synthetics.monitorManagement.service.error.reason": "理由:{reason}。", "xpack.synthetics.monitorManagement.service.error.status": "ステータス:{status}。", @@ -30392,6 +33203,9 @@ "xpack.synthetics.monitorRoute.title": "モニター | {baseTitle}", "xpack.synthetics.monitorStatusBar.locations.oneLocStatus": "{loc}場所での{status}", "xpack.synthetics.monitorStatusBar.locations.upStatus": "{loc}場所での{status}", + "xpack.synthetics.overview.actions.disabledSuccessLabel": "モニター\"{name}\"は正常に無効にされました。", + "xpack.synthetics.overview.actions.enabledFailLabel": "モニター\"{name}\"を更新できません。", + "xpack.synthetics.overview.actions.enabledSuccessLabel": "モニター\"{name}\"は正常に有効にされました。", "xpack.synthetics.overview.alerts.enabled.success.description": "この監視が停止しているときには、メッセージが {actionConnectors} に送信されます。", "xpack.synthetics.overview.durationMsFormatting": "{millis}ミリ秒", "xpack.synthetics.overview.durationSecondsFormatting": "{seconds}秒", @@ -30406,6 +33220,10 @@ "xpack.synthetics.pingList.recencyMessage": "最終確認 {fromNow}", "xpack.synthetics.public.pages.mappingError.bodyDocsLink": "この問題のトラブルシューティングについては、{docsLink}を参照してください。", "xpack.synthetics.public.pages.mappingError.bodyMessage": "正しくないマッピングが検出されました。Heartbeat {setup}コマンドを実行していない可能性があります。", + "xpack.synthetics.service.projectMonitors.cannotUpdateMonitorToDifferentTypeDetails": "タイプ{previousType}のモニター{monitorId}は、タイプ{currentType}に更新できません。最初にモニターを削除して再試行してください。", + "xpack.synthetics.service.projectMonitors.failedToCreateXMonitors": "{length}モニターを作成できませんでした", + "xpack.synthetics.settingsRoute.retentionCalloutDescription": "データ保持設定を変更するには、インデックスライフサイクルポリシーを作成し、{stackManagement}で関連するカスタムコンポーネントテンプレートに関連付けることをお勧めします。詳細については、{docsLink}。", + "xpack.synthetics.settingsRoute.table.retentionPeriodValue": "{value}日 + ロールーバー", "xpack.synthetics.settingsRoute.title": "設定 | {baseTitle}", "xpack.synthetics.snapshot.donutChart.ariaLabel": "現在のステータスを表す円グラフ、{total} 個中 {down} 個のモニターがダウンしています。", "xpack.synthetics.snapshotHistogram.description": "{startTime} から {endTime} までの期間のアップタイムステータスを表示する棒グラフです。", @@ -30414,6 +33232,7 @@ "xpack.synthetics.sourceConfiguration.expirationThresholdDefaultValue": "デフォルト値は{defaultValue}です", "xpack.synthetics.sourceConfiguration.heartbeatIndicesDefaultValue": "デフォルト値は{defaultValue}です", "xpack.synthetics.stepDetailRoute.title": "Synthetics詳細 | {baseTitle}", + "xpack.synthetics.stepDetailsRoute.title": "ステップ詳細 | {baseTitle}", "xpack.synthetics.synthetics.emptyJourney.message.checkGroupField": "チェックグループは{codeBlock}です。", "xpack.synthetics.synthetics.executedStep.screenshot.notSucceeded": "{status}チェックのスクリーンショット", "xpack.synthetics.synthetics.executedStep.screenshot.successfulLink": "{link}からのスクリーンショット", @@ -30424,12 +33243,20 @@ "xpack.synthetics.synthetics.screenshotDisplay.altText": "名前「{stepName}」のステップのスクリーンショット", "xpack.synthetics.synthetics.step.duration": "{value}秒", "xpack.synthetics.synthetics.stepDetail.totalSteps": "Step {stepIndex} of {totalSteps}", + "xpack.synthetics.synthetics.testDetail.totalSteps": "Step {stepIndex} of {totalSteps}", + "xpack.synthetics.synthetics.testDetails.stepNav": "{stepIndex} / {totalSteps}", "xpack.synthetics.synthetics.waterfall.offsetUnit": "{offset} ms", "xpack.synthetics.synthetics.waterfall.requestsHighlightedMessage": "({numHighlightedRequests}はフィルターと一致します)", "xpack.synthetics.synthetics.waterfall.requestsTotalMessage": "{numNetworkRequests}ネットワーク要求", "xpack.synthetics.synthetics.waterfall.requestsTotalMessage.first": "最初の{count}件", "xpack.synthetics.testRun.runErrorLocation": "場所{locationName}でモニターを実行できませんでした。", + "xpack.synthetics.testRunDetailsRoute.title": "テスト実行詳細 | {baseTitle}", "xpack.synthetics.addDataButtonLabel": "データの追加", + "xpack.synthetics.addEditMonitor.scriptEditor.ariaLabel": "JavaScriptコードエディター", + "xpack.synthetics.addEditMonitor.scriptEditor.helpText": "インラインで定義されたSyntheticテストスクリプトを実行します。", + "xpack.synthetics.addEditMonitor.scriptEditor.label": "スクリプトエディター", + "xpack.synthetics.addEditMonitor.scriptEditor.placeholder": "// ここにPlaywrightスクリプトを貼り付け...", + "xpack.synthetics.addMonitor.pageHeader.docsLink": "ドキュメンテーション", "xpack.synthetics.addMonitor.pageHeader.title": "モニターを追加", "xpack.synthetics.alertDropdown.noWritePermissions": "このアプリでアラートを作成するには、アップタイムへの読み書きアクセス権が必要です。", "xpack.synthetics.alerts.anomaly.criteriaExpression.ariaLabel": "選択したモニターの条件を表示する式。", @@ -30450,6 +33277,7 @@ "xpack.synthetics.alerts.durationAnomaly.clientName": "アップタイム期間異常", "xpack.synthetics.alerts.durationAnomaly.description": "アップタイム監視期間が異常なときにアラートを発行します。", "xpack.synthetics.alerts.monitorStatus": "稼働状況の監視ステータス", + "xpack.synthetics.alerts.monitorStatus.actionVariables.context.alertDetailUrl.description": "このアラートに関連する詳細とコンテキストを示すElastic内のビューへのリンク", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.alertReasonMessage.description": "アラートの理由の簡潔な説明", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.downMonitorsWithGeo.description": "アラートによって「ダウン」と検知された一部またはすべてのモニターを示す、生成された概要。", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.message.description": "現在ダウンしているモニターを要約する生成されたメッセージ。", @@ -30503,9 +33331,9 @@ "xpack.synthetics.alerts.monitorStatus.filters.usingPort": "ポートを使用", "xpack.synthetics.alerts.monitorStatus.filters.with": "使用", "xpack.synthetics.alerts.monitorStatus.filters.withTag": "タグを使用", - "xpack.synthetics.alerts.monitorStatus.numTimesExpression.anyMonitors.description": "任意のモニターがダウン >", + "xpack.synthetics.alerts.monitorStatus.numTimesExpression.anyMonitors.description": "任意のモニターがダウン >=", "xpack.synthetics.alerts.monitorStatus.numTimesExpression.ariaLabel": "ダウンカウントインプットのポップオーバーを開く", - "xpack.synthetics.alerts.monitorStatus.numTimesExpression.matchingMonitors.description": "一致するモニターがダウン >", + "xpack.synthetics.alerts.monitorStatus.numTimesExpression.matchingMonitors.description": "一致するモニターがダウン >=", "xpack.synthetics.alerts.monitorStatus.numTimesField.ariaLabel": "アラートのトリガーに必要な停止回数を入力します", "xpack.synthetics.alerts.monitorStatus.oldAlertCallout.title": "古いアラートを編集している可能性があります。一部のフィールドは自動入力されない場合があります。", "xpack.synthetics.alerts.monitorStatus.statusEnabledCheck.label": "ステータス確認", @@ -30561,6 +33389,7 @@ "xpack.synthetics.apmIntegrationAction.text": "APMデータを表示", "xpack.synthetics.badge.readOnly.text": "読み取り専用", "xpack.synthetics.badge.readOnly.tooltip": "を保存できませんでした", + "xpack.synthetics.blocked": "ブロック", "xpack.synthetics.breadcrumbs.legacyOverviewBreadcrumbText": "アップタイム", "xpack.synthetics.breadcrumbs.observabilityText": "Observability", "xpack.synthetics.breadcrumbs.overviewBreadcrumbText": "Synthetics", @@ -30576,6 +33405,9 @@ "xpack.synthetics.browser.project.monitorIntegrationSettingsSectionTitle": "モニター設定", "xpack.synthetics.browser.project.readOnly.callout.content": "この監視は外部プロジェクトから追加されました。構成は読み取り専用です。", "xpack.synthetics.browser.project.readOnly.callout.title": "読み取り専用", + "xpack.synthetics.browser.zipUrl.deprecation.dismiss": "閉じる", + "xpack.synthetics.browser.zipUrl.deprecation.link": "詳細", + "xpack.synthetics.browser.zipUrl.deprecation.title": "廃止通知", "xpack.synthetics.certificates.loading": "証明書を読み込んでいます...", "xpack.synthetics.certificates.refresh": "更新", "xpack.synthetics.certificatesPage.heading": "TLS証明書", @@ -30595,10 +33427,16 @@ "xpack.synthetics.certs.list.validUntil": "有効期限:", "xpack.synthetics.certs.ok": "OK", "xpack.synthetics.certs.searchCerts": "証明書を検索", + "xpack.synthetics.connect.label": "接続", "xpack.synthetics.controls.selectSeverity.criticalLabel": "致命的", "xpack.synthetics.controls.selectSeverity.majorLabel": "メジャー", "xpack.synthetics.controls.selectSeverity.minorLabel": "マイナー", "xpack.synthetics.controls.selectSeverity.warningLabel": "警告", + "xpack.synthetics.coreVitals.cls.help": "累積レイアウト変更(CLS):視覚的な安定性を計測します。優れたユーザーエクスペリエンスを実現するには、ページのCLSを0.1未満に保ってください。", + "xpack.synthetics.coreVitals.dclTooltip": "ブラウザーでドキュメントの解析が完了するとトリガーされます。複数のリスナーがあるとき、またはロジックが実行されるときに役立ちます:domContentLoadedEventEnd - domContentLoadedEventStart。", + "xpack.synthetics.coreVitals.fcpTooltip": "初回コンテンツの描画(FCP)は初期のレンダリングに集中し、ページの読み込みが開始してから、ページのコンテンツのいずれかの部分が画面に表示されるときまでの時間を測定します。", + "xpack.synthetics.coreVitals.lcp.help": "最大コンテンツの描画(LCP)は読み込みパフォーマンスを計測します。優れたユーザーエクスペリエンスを実現するには、ページの読み込みが開始した後、2.5秒以内にLCPが実行されるようにしてください。", + "xpack.synthetics.createMonitor.pageHeader.title": "監視の作成", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.experimentalLabel": "テクニカルプレビュー", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.experimentalTooltip": "Elastic Synthetics Recorderを使用してElastic Synthetics監視スクリプトを作成する最も簡単な方法をプレビュー", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.label": "スクリプトの記録", @@ -30701,6 +33539,7 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.invalidFileError": "無効なファイルタイプです。Elastic Synthetics Recorderで生成された.jsファイルをアップロードしてください。", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.label": "レコーダーで生成された.jsファイルを選択", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.parsingError": "ファイルのアップロードエラーです。インラインスクリプト形式でElastic Synthetics Recorderによって生成された.jsファイルをアップロードしてください。", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.deprecation.title": "Zip URLは廃止予定です", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.error": "Zip URLは必須です", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.helpText": "Syntheticsプロジェクトリポジトリzipファイルの場所。", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.label": "Zip URL", @@ -30725,6 +33564,8 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorInterval.error": "監視頻度は必須です", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType": "モニタータイプ", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.link": "Syntheticsドキュメンテーション", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.title": "要件", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.zipUrl.deprecation.link": "詳細", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.error": "モニタータイプは必須です", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.params.label": "パラメーター", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.password.helpText": "サーバーと認証するためのパスワード。", @@ -30776,6 +33617,7 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.tcpAdvancedOptions.responseConfiguration.title": "応答チェック", "xpack.synthetics.createPackagePolicy.stepConfigure.tlsSettings.description": "検証モード、認証局、クライアント証明書を含む、TLSオプションを構成します。", "xpack.synthetics.createPackagePolicy.stepConfigure.tlsSettings.label": "TLS設定", + "xpack.synthetics.detailsPanel.durationByLocation": "場所別の期間", "xpack.synthetics.detailsPanel.durationByStep": "ステップ別の期間", "xpack.synthetics.detailsPanel.durationTrends": "期間傾向", "xpack.synthetics.detailsPanel.last24Hours": "過去 24 時間", @@ -30783,7 +33625,16 @@ "xpack.synthetics.detailsPanel.monitorDetails": "モニター詳細", "xpack.synthetics.detailsPanel.monitorDetails.enabled": "有効", "xpack.synthetics.detailsPanel.monitorDetails.monitorType": "モニタータイプ", + "xpack.synthetics.detailsPanel.summary": "まとめ", + "xpack.synthetics.detailsPanel.toDate": "終了日", + "xpack.synthetics.dns": "DNS", "xpack.synthetics.durationChart.emptyPrompt.title": "利用可能な期間データがありません", + "xpack.synthetics.durationTrend.max": "最高", + "xpack.synthetics.durationTrend.median": "中央", + "xpack.synthetics.durationTrend.min": "最低", + "xpack.synthetics.durationTrend.percentile25": "25番目", + "xpack.synthetics.durationTrend.percentile75": "75番目", + "xpack.synthetics.editMonitor.errorDetailsRoute.title": "詳細を入力", "xpack.synthetics.editMonitor.pageHeader.title": "モニターを編集", "xpack.synthetics.editPackagePolicy.inUptime": "アップタイムで編集", "xpack.synthetics.editPackagePolicy.inUptimeDesc": "このパッケージポリシーは、アップタイムアプリで管理されます。", @@ -30792,7 +33643,19 @@ "xpack.synthetics.emptyStateError.notFoundPage": "ページが見つかりません", "xpack.synthetics.emptyStateError.title": "エラー", "xpack.synthetics.enableAlert.editAlert": "アラートを編集", + "xpack.synthetics.errorDuration.label": "エラー期間", + "xpack.synthetics.errorMessage.label": "エラーメッセージ", + "xpack.synthetics.errors.failedTests": "失敗したテスト", + "xpack.synthetics.errors.failedTests.byStep": "ステップ別の失敗したテスト", + "xpack.synthetics.errors.label": "エラー", + "xpack.synthetics.errors.overview": "概要", + "xpack.synthetics.errorsList.label": "エラーリスト", + "xpack.synthetics.failedStep.label": "失敗したステップ", "xpack.synthetics.featureRegistry.syntheticsFeatureName": "Syntheticsとアップタイム", + "xpack.synthetics.fieldLabels.cls": "累積レイアウト変更(CLS)", + "xpack.synthetics.fieldLabels.dcl": "DOMContentLoadedイベント(DCL)", + "xpack.synthetics.fieldLabels.fcp": "初回コンテンツの描画(FCP)", + "xpack.synthetics.fieldLabels.lcp": "最大コンテンツの描画(LCP)", "xpack.synthetics.filterBar.ariaLabel": "概要ページのインプットフィルター基準", "xpack.synthetics.filterBar.filterAllLabel": "すべて", "xpack.synthetics.filterBar.options.location.name": "場所", @@ -30805,6 +33668,8 @@ "xpack.synthetics.gettingStarted.createSinglePageLabel": "1ページのブラウザーモニターを作成", "xpack.synthetics.gettingStarted.gettingStartedLabel.selectDifferentMonitor": "別の監視タイプを選択", "xpack.synthetics.gettingStarted.orLabel": "OR", + "xpack.synthetics.historyPanel.durationTrends": "期間傾向", + "xpack.synthetics.historyPanel.stats": "統計", "xpack.synthetics.inspectButtonText": "検査", "xpack.synthetics.integrationLink.missingDataMessage": "この統合に必要なデータが見つかりませんでした。", "xpack.synthetics.keyValuePairsField.key.ariaLabel": "キー", @@ -30875,34 +33740,224 @@ "xpack.synthetics.ml.enableAnomalyDetectionPanel.noPermissionsTooltip": "異常アラートを作成するには、アップタイムへの読み書きアクセス権が必要です。", "xpack.synthetics.ml.enableAnomalyDetectionPanel.startTrial": "無料の 14 日トライアルを開始", "xpack.synthetics.ml.enableAnomalyDetectionPanel.startTrialDesc": "期間異常検知機能を利用するには、Elastic Platinum ライセンスが必要です。", + "xpack.synthetics.monitor.duration.label": "期間", + "xpack.synthetics.monitor.result.label": "結果", + "xpack.synthetics.monitor.screenshot.label": "スクリーンショット", + "xpack.synthetics.monitor.step.duration.label": "期間", + "xpack.synthetics.monitor.step.loading": "ステップを読み込んでいます...", + "xpack.synthetics.monitor.step.nextStep": "次のステップ", + "xpack.synthetics.monitor.step.noDataFound": "データが見つかりません", + "xpack.synthetics.monitor.step.previousStep": "前のステップ", + "xpack.synthetics.monitor.step.screenshot.ariaLabel": "ステップスクリーンショットを読み込んでいます。", + "xpack.synthetics.monitor.step.screenshot.notAvailable": "ステップスクリーンショットがありません。", + "xpack.synthetics.monitor.step.screenshot.unAvailable": "画像がありません", + "xpack.synthetics.monitor.step.thumbnail.alt": "このステップのサムネイルのスクリーンショットの大きいバージョン。", + "xpack.synthetics.monitor.step.viewDetails": "詳細を表示", + "xpack.synthetics.monitor.stepName.label": "ステップ名", "xpack.synthetics.monitorCharts.durationChart.wrapper.label": "場所でグループ化された、モニターのping期間を示すグラフ。", "xpack.synthetics.monitorCharts.monitorDuration.titleLabel": "監視期間", + "xpack.synthetics.monitorConfig.advancedOptions.title": "高度なオプション", + "xpack.synthetics.monitorConfig.apmServiceName.helpText": "APMのservice.name ECSフィールドに対応します。設定すると、APMとSyntheticsデータの間の統合が有効になります。", + "xpack.synthetics.monitorConfig.apmServiceName.label": "APMサービス名", + "xpack.synthetics.monitorConfig.certificateAuthorities.helpText": "PEM形式のカスタム認証局。", + "xpack.synthetics.monitorConfig.certificateAuthorities.label": "認証局", + "xpack.synthetics.monitorConfig.clientCertificate.helpText": "TLSクライアント認証用のPEM形式の証明書。", + "xpack.synthetics.monitorConfig.clientCertificate.label": "クライアント証明書", + "xpack.synthetics.monitorConfig.clientKey.helpText": "TLSクライアント認証用のPEM形式の証明書鍵。", + "xpack.synthetics.monitorConfig.clientKey.label": "クライアントキー", + "xpack.synthetics.monitorConfig.clientKeyPassphrase.helpText": "TLSクライアント認証用の証明書鍵パスフレーズ。", + "xpack.synthetics.monitorConfig.clientKeyPassphrase.label": "クライアントキーパスフレーズ", + "xpack.synthetics.monitorConfig.create.enabled.label": "無効なモニターはテストを実行しません。無効なモニターを作成し、後から有効化できます。", + "xpack.synthetics.monitorConfig.customTLS.label": "カスタムTLS構成を使用", + "xpack.synthetics.monitorConfig.edit.enabled.label": "無効なモニターはテストを実行しません。", + "xpack.synthetics.monitorConfig.enabled.label": "モニターを有効にする", + "xpack.synthetics.monitorConfig.frequency.helpText": "このテストをどの程度の頻度で実行しますか?頻度が高いほど、合計コストが上がります。", + "xpack.synthetics.monitorConfig.frequency.label": "頻度", + "xpack.synthetics.monitorConfig.hostsICMP.label": "ホスト", + "xpack.synthetics.monitorConfig.hostsTCP.label": "ホスト:ポート", + "xpack.synthetics.monitorConfig.indexResponseBody.helpText": "HTTP応答本文コンテンツのインデックスを制御します", + "xpack.synthetics.monitorConfig.indexResponseBody.label": "インデックス応答本文", + "xpack.synthetics.monitorConfig.indexResponseHeaders.helpText": "HTTP応答ヘッダーのインデックスを制御します ", + "xpack.synthetics.monitorConfig.indexResponseHeaders.label": "インデックス応答ヘッダー", + "xpack.synthetics.monitorConfig.locations.disclaimer": "Elasticが選択したクラウドサービスプロバイダーが提供するインフラストラクチャーで、お客様が選択したテストロケーションにテスト命令を転送し、このような命令を出力(表示されるデータを含む)することに同意します。", + "xpack.synthetics.monitorConfig.locations.helpText": "このテストをどこから実行しますか?場所を追加すると、合計コストが上がります。", + "xpack.synthetics.monitorConfig.locations.label": "場所", + "xpack.synthetics.monitorConfig.maxRedirects.error": "最大リダイレクト数が無効です。", + "xpack.synthetics.monitorConfig.maxRedirects.helpText": "従うリダイレクトの合計数。", + "xpack.synthetics.monitorConfig.maxRedirects.label": "最大リダイレクト数", + "xpack.synthetics.monitorConfig.monitorDetailsStep.description": "モニターを実行する詳細な方法を入力します", + "xpack.synthetics.monitorConfig.monitorDetailsStep.title": "モニター詳細", + "xpack.synthetics.monitorConfig.monitorScript.error": "モニタースクリプトが必要です", + "xpack.synthetics.monitorConfig.monitorScript.label": "モニタースクリプト", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.playwrightLink": "Playwright", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.title": "モニタースクリプト", + "xpack.synthetics.monitorConfig.monitorScriptStep.playwrightLink": "Playwright", + "xpack.synthetics.monitorConfig.monitorScriptStep.scriptRecorder.download": "Synthetics Recorderのダウンロード", + "xpack.synthetics.monitorConfig.monitorScriptStep.scriptRecorder.launch": "Synthetics Recorderの起動", + "xpack.synthetics.monitorConfig.monitorScriptStep.title": "スクリプトの追加", + "xpack.synthetics.monitorConfig.monitorType.betaLabel": "この機能はベータ段階で、変更される可能性があります。デザインとコードは正式に一般公開された機能より完成度が低く、現状のまま保証なしで提供されています。ベータ機能は、正式に一般公開された機能に適用されるサポートサービスレベル契約の対象外です。", + "xpack.synthetics.monitorConfig.monitorType.http.description": "Webサービスまたはエンドポイントの可用性を検証する軽量APIチェック。", + "xpack.synthetics.monitorConfig.monitorType.http.label": "HTTP Ping", + "xpack.synthetics.monitorConfig.monitorType.http.title": "HTTP Ping", + "xpack.synthetics.monitorConfig.monitorType.icmp.description": "Webサービスまたはエンドポイントの可用性を検証する軽量APIチェック。", + "xpack.synthetics.monitorConfig.monitorType.icmp.label": "ICMP Ping", + "xpack.synthetics.monitorConfig.monitorType.icmp.title": "ICMP Ping", + "xpack.synthetics.monitorConfig.monitorType.label": "モニタータイプ", + "xpack.synthetics.monitorConfig.monitorType.learnMoreLink": "詳細", + "xpack.synthetics.monitorConfig.monitorType.multiStep.description": "複数のステップまたはページを進め、実際のブラウザーから主要なユーザーフローをテストします。", + "xpack.synthetics.monitorConfig.monitorType.multiStep.label": "複数ステップ", + "xpack.synthetics.monitorConfig.monitorType.multiStep.title": "複数ステップのブラウザーの操作", + "xpack.synthetics.monitorConfig.monitorType.singlePage.description": "実際のWebブラウザーから、ページのすべてのオブジェクトを含む1つのページの読み込みをテストします。", + "xpack.synthetics.monitorConfig.monitorType.singlePage.label": "単一ページ", + "xpack.synthetics.monitorConfig.monitorType.singlePage.title": "単一ページブラウザーテスト", + "xpack.synthetics.monitorConfig.monitorType.tcp.description": "Webサービスまたはエンドポイントの可用性を検証する軽量APIチェック。", + "xpack.synthetics.monitorConfig.monitorType.tcp.label": "TCP Ping", + "xpack.synthetics.monitorConfig.monitorType.tcp.title": "TCP Ping", + "xpack.synthetics.monitorConfig.monitorTypeStep.description": "ユースケースに合ったモニターを選択", + "xpack.synthetics.monitorConfig.monitorTypeStep.title": "モニタータイプを選択", + "xpack.synthetics.monitorConfig.name.error": "モニター名は必須です", + "xpack.synthetics.monitorConfig.name.existsError": "モニター名はすでに存在します", + "xpack.synthetics.monitorConfig.name.helpText": "将来このモニターを特定できるような名前を選択します。", + "xpack.synthetics.monitorConfig.name.label": "モニター名", + "xpack.synthetics.monitorConfig.namespace.helpText": "デフォルト名前空間を変更します。この設定により、モニターのデータストリームの名前が変更されます。", + "xpack.synthetics.monitorConfig.namespace.label": "データストリーム名前空間", + "xpack.synthetics.monitorConfig.namespace.learnMore": "詳細", + "xpack.synthetics.monitorConfig.password.helpText": "サーバーと認証するためのパスワード。", + "xpack.synthetics.monitorConfig.password.label": "パスワード", + "xpack.synthetics.monitorConfig.playwrightOptions.codeEditor.json.ariaLabel": "PlaywrightオプションJSONコードエディター", + "xpack.synthetics.monitorConfig.playwrightOptions.error": "無効なJSONフォーマット", + "xpack.synthetics.monitorConfig.playwrightOptions.helpText": "カスタムオプションを使用して、Playwrightエージェントを構成します。", + "xpack.synthetics.monitorConfig.playwrightOptions.label": "Playwrightオプション", + "xpack.synthetics.monitorConfig.playwrightOptions.learnMore": "詳細", + "xpack.synthetics.monitorConfig.proxyUrl.helpText": "HTTPプロキシURL", + "xpack.synthetics.monitorConfig.proxyUrl.label": "プロキシURL", + "xpack.synthetics.monitorConfig.proxyURLTCP.helpText": "サーバーに接続するときに使用するSOCKS5プロキシのURL。値はURLとスキーマsocks5://でなければなりません。", + "xpack.synthetics.monitorConfig.proxyURLTCP.label": "プロキシURL", + "xpack.synthetics.monitorConfig.requestBody.helpText": "リクエスト本文コンテンツ。", + "xpack.synthetics.monitorConfig.requestBody.label": "リクエスト本文", + "xpack.synthetics.monitorConfig.requestHeaders.error": "ヘッダーキーは有効なHTTPトークンでなければなりません。", + "xpack.synthetics.monitorConfig.requestHeaders.helpText": "送信する追加のHTTPヘッダーのディクショナリ。デフォルトでは、クライアントを特定するためにユーザーエージェントヘッダーが設定されます。", + "xpack.synthetics.monitorConfig.requestHeaders.label": "要求ヘッダー", + "xpack.synthetics.monitorConfig.requestMethod.helpText": "使用するHTTP方式。", + "xpack.synthetics.monitorConfig.requestMethod.label": "リクエストメソッド", + "xpack.synthetics.monitorConfig.requestSendCheck.helpText": "リモートホストに送信するペイロード文字列。", + "xpack.synthetics.monitorConfig.requestSendCheck.label": "リクエストペイロード", + "xpack.synthetics.monitorConfig.responseBodyCheck.helpText": "本文出力と一致する正規表現のリスト。Enterキーを押すと、新しい式を追加します。単一の式のみが一致する必要があります。", + "xpack.synthetics.monitorConfig.responseBodyCheck.label": "確認応答本文に含まれます", + "xpack.synthetics.monitorConfig.responseBodyCheckNegative.helpText": "本文出力と一致しない正規表現のリスト。Enterキーを押すと、新しい式を追加します。単一の式が一致する場合、一致の失敗が返されます。", + "xpack.synthetics.monitorConfig.responseBodyCheckNegative.label": "確認応答本文には含まれません", + "xpack.synthetics.monitorConfig.responseHeadersCheck.error": "ヘッダーキーは有効なHTTPトークンでなければなりません。", + "xpack.synthetics.monitorConfig.responseHeadersCheck.helpText": "想定されている応答ヘッダーのリスト。", + "xpack.synthetics.monitorConfig.responseHeadersCheck.label": "確認応答ヘッダーに含まれます", + "xpack.synthetics.monitorConfig.responseReceiveCheck.helpText": "想定されたリモートホスト応答。", + "xpack.synthetics.monitorConfig.responseReceiveCheck.label": "確認応答には含まれます", + "xpack.synthetics.monitorConfig.responseStatusCheck.error": "ステータスコードには数字のみを使用する必要があります。", + "xpack.synthetics.monitorConfig.responseStatusCheck.helpText": "想定されているステータスコードのリスト。Enterキーを押すと、新しいコードを追加します。デフォルトでは、4xxおよび5xxコードはダウンと見なされます。他のコードはアップと見なされます。", + "xpack.synthetics.monitorConfig.responseStatusCheck.label": "確認応答ステータスは等しいです", + "xpack.synthetics.monitorConfig.screenshotOptions.helpText": "このオプションを設定すると、Syntheticsエージェントでキャプチャされたスクリーンショットを管理します。", + "xpack.synthetics.monitorConfig.screenshotOptions.label": "スクリーンショットオプション", + "xpack.synthetics.monitorConfig.scriptRecorder.label": "スクリプトのアップロード", + "xpack.synthetics.monitorConfig.scriptRecorderEdit.label": "新しいスクリプトのアップロード", + "xpack.synthetics.monitorConfig.section.dataOptions.description": "データオプションを構成して、モニターから取得するデータにコンテキストを追加します。", + "xpack.synthetics.monitorConfig.section.dataOptions.title": "データオプション", + "xpack.synthetics.monitorConfig.section.requestConfigTCP.description": "リモートホストに送信されるペイロードを構成します。", + "xpack.synthetics.monitorConfig.section.requestConfigTCP.title": "リクエスト構成", + "xpack.synthetics.monitorConfig.section.requestConfiguration.description": "方式、本文、ヘッダーを含むリモートホストに送信する任意のリクエストを構成します。", + "xpack.synthetics.monitorConfig.section.requestConfiguration.title": "リクエスト構成", + "xpack.synthetics.monitorConfig.section.responseChecks.description": "想定されているHTTP応答を構成します。", + "xpack.synthetics.monitorConfig.section.responseChecks.title": "応答チェック", + "xpack.synthetics.monitorConfig.section.responseChecksTCP.description": "リモートホストから想定された応答を構成します。", + "xpack.synthetics.monitorConfig.section.responseChecksTCP.title": "応答チェック", + "xpack.synthetics.monitorConfig.section.responseConfiguration.description": "HTTP応答コンテンツのインデックスを制御します。", + "xpack.synthetics.monitorConfig.section.responseConfiguration.title": "応答構成", + "xpack.synthetics.monitorConfig.section.syntAgentOptions.description": "Syntheticsエージェントの微調整された構成を提供します。", + "xpack.synthetics.monitorConfig.section.syntAgentOptions.title": "Syntheticsエージェントオプション", + "xpack.synthetics.monitorConfig.section.tlsOptions.description": "検証モード、認証局、クライアント証明書を含む、TLSオプションを構成します。", + "xpack.synthetics.monitorConfig.section.tlsOptions.title": "TLSオプション", + "xpack.synthetics.monitorConfig.tags.helpText": "各モニターイベントで送信されるタグのリスト。データの検索とセグメント化に役立ちます。", + "xpack.synthetics.monitorConfig.tags.label": "タグ", + "xpack.synthetics.monitorConfig.textAssertion.helpText": "指定したテキストがレンダリングされるときに読み込まれるページを考慮します。", + "xpack.synthetics.monitorConfig.textAssertion.label": "テキストアサーション", + "xpack.synthetics.monitorConfig.throttling.helpText": "ネットワークスロットリングをシミュレートします(ダウンロード、アップロード、レイテンシ)。今後のバージョンではその他のオプションが追加されます。", + "xpack.synthetics.monitorConfig.throttling.label": "接続プロファイル", + "xpack.synthetics.monitorConfig.throttling.options.default": "デフォルト", + "xpack.synthetics.monitorConfig.timeout.formatError": "タイムアウトが無効です。", + "xpack.synthetics.monitorConfig.timeout.greaterThan0Error": "タイムアウトは0以上でなければなりません。", + "xpack.synthetics.monitorConfig.timeout.helpText": "接続のテストとデータの交換に許可された合計時間。", + "xpack.synthetics.monitorConfig.timeout.label": "タイムアウト(秒)", + "xpack.synthetics.monitorConfig.timeout.scheduleError": "タイムアウトは監視頻度未満でなければなりません。", + "xpack.synthetics.monitorConfig.tlsVersion.label": "サポートされているTLSプロトコル", + "xpack.synthetics.monitorConfig.uploader.label": ".jsファイルを選択するかドラッグ &amp; ドロップしてください", + "xpack.synthetics.monitorConfig.urls.helpText": "例:サービスエンドポイント", + "xpack.synthetics.monitorConfig.urls.label": "URL", + "xpack.synthetics.monitorConfig.urlsSingle.helpText": "例:https://www.elastic.co.", + "xpack.synthetics.monitorConfig.urlsSingle.label": "WebサイトのURL", + "xpack.synthetics.monitorConfig.username.helpText": "サーバーと認証するためのユーザー名。", + "xpack.synthetics.monitorConfig.username.label": "ユーザー名", + "xpack.synthetics.monitorConfig.verificationMode.helpText": "指定された証明書が信頼できる機関(CA)によって署名されていることを検証し、サーバーのホスト名(またはIPアドレス)が証明書で指定された名前と一致していることも検証します。サブジェクトの別名が空の場合、エラーが返されます。", + "xpack.synthetics.monitorConfig.verificationMode.label": "認証モード", + "xpack.synthetics.monitorConfig.wait.error": "待機期間が無効です。", + "xpack.synthetics.monitorConfig.wait.helpText": "応答が受信されない場合に、他のICMPエコーリクエストを発行する前に待機する期間。", + "xpack.synthetics.monitorConfig.wait.label": "待機", + "xpack.synthetics.monitorDetails.availability.label": "可用性", + "xpack.synthetics.monitorDetails.brushArea.message": "信頼度を高めるためにエリアを精査", + "xpack.synthetics.monitorDetails.complete.label": "完了", + "xpack.synthetics.monitorDetails.error.label": "エラー", + "xpack.synthetics.monitorDetails.failed.label": "失敗", + "xpack.synthetics.monitorDetails.last24Hours": "過去 24 時間", + "xpack.synthetics.monitorDetails.loadingTestRuns": "テスト実行を読み込み中...", "xpack.synthetics.monitorDetails.ml.confirmAlertDeleteMessage": "異常のアラートを削除しますか?", "xpack.synthetics.monitorDetails.ml.confirmDeleteMessage": "このジョブを削除してよろしいですか?", "xpack.synthetics.monitorDetails.ml.deleteJobWarning": "ジョブの削除に時間がかかる可能性があります。削除はバックグラウンドで実行され、データの表示がすぐに消えないことがあります。", "xpack.synthetics.monitorDetails.ml.deleteMessage": "ジョブを削除中...", + "xpack.synthetics.monitorDetails.noDataFound": "データが見つかりません", + "xpack.synthetics.monitorDetails.skipped.label": "スキップ", + "xpack.synthetics.monitorDetails.status": "ステータス", "xpack.synthetics.monitorDetails.statusBar.pingType.browser": "ブラウザー", "xpack.synthetics.monitorDetails.statusBar.pingType.http": "HTTP", "xpack.synthetics.monitorDetails.statusBar.pingType.icmp": "ICMP", "xpack.synthetics.monitorDetails.statusBar.pingType.tcp": "TCP", + "xpack.synthetics.monitorDetails.summary.duration": "期間", + "xpack.synthetics.monitorDetails.summary.lastTenTestRuns": "直近10回のテスト実行", + "xpack.synthetics.monitorDetails.summary.lastTestRunTitle": "前回のテスト実行", + "xpack.synthetics.monitorDetails.summary.message": "メッセージ", + "xpack.synthetics.monitorDetails.summary.result": "結果", + "xpack.synthetics.monitorDetails.summary.screenshot": "スクリーンショット", + "xpack.synthetics.monitorDetails.summary.testRuns": "テスト実行", + "xpack.synthetics.monitorDetails.summary.viewErrorDetails": "エラー詳細を表示", + "xpack.synthetics.monitorDetails.summary.viewHistory": "履歴を表示", + "xpack.synthetics.monitorDetails.summary.viewTestRun": "テスト実行を表示", "xpack.synthetics.monitorDetails.title.disclaimer.description": "(ベータ)", "xpack.synthetics.monitorDetails.title.disclaimer.link": "詳細を表示", "xpack.synthetics.monitorDetails.title.pingType.browser": "ブラウザー", "xpack.synthetics.monitorDetails.title.pingType.http": "HTTP ping", "xpack.synthetics.monitorDetails.title.pingType.icmp": "ICMP ping", "xpack.synthetics.monitorDetails.title.pingType.tcp": "TCP ping", + "xpack.synthetics.monitorDetails.viewHistory": "履歴を表示", + "xpack.synthetics.monitorErrorsTab.title": "エラー", + "xpack.synthetics.monitorHistoryTab.title": "履歴", + "xpack.synthetics.monitorLastRun.lastRunLabel": "前回の実行", "xpack.synthetics.monitorList.allMonitors": "すべてのモニター", "xpack.synthetics.monitorList.anomalyColumn.label": "レスポンス異常スコア", + "xpack.synthetics.monitorList.closeFlyoutText": "閉じる", "xpack.synthetics.monitorList.defineConnector.popover.description": "ステータスアラートを受信します。", "xpack.synthetics.monitorList.disableDownAlert": "ステータスアラートを無効にする", "xpack.synthetics.monitorList.downLineSeries.downLabel": "ダウン", "xpack.synthetics.monitorList.drawer.mostRecentRun": "直近のテスト実行", "xpack.synthetics.monitorList.drawer.url": "Url", + "xpack.synthetics.monitorList.durationChart.durationSeriesName": "期間", + "xpack.synthetics.monitorList.durationChart.previousPeriodSeriesName": "前の期間", + "xpack.synthetics.monitorList.durationHeaderText": "期間", "xpack.synthetics.monitorList.enabledAlerts.noAlert": "このモニターではルールが有効ではありません。", "xpack.synthetics.monitorList.enabledAlerts.title": "有効なルール", + "xpack.synthetics.monitorList.enabledItemText": "有効", "xpack.synthetics.monitorList.enableDownAlert": "ステータスアラートを有効にする", "xpack.synthetics.monitorList.errorSummary": "エラー概要", + "xpack.synthetics.monitorList.flyout.locationSelect.iconButton.label": "コンテキストメニューが開き、選択したモニターの場所を変更できます。場所を変更する場合、その場所のモニターのパフォーマンスに関するメトリックがフライアウトに表示されます。", + "xpack.synthetics.monitorList.flyoutHeader.goToLocations": "場所に移動", + "xpack.synthetics.monitorList.frequencyHeaderText": "頻度", "xpack.synthetics.monitorList.geoName.helpLinkAnnotation": "場所を追加", + "xpack.synthetics.monitorList.goToMonitorLinkText": "モニターに移動", "xpack.synthetics.monitorList.infraIntegrationAction.container.message": "コンテナーメトリックを表示", "xpack.synthetics.monitorList.infraIntegrationAction.docker.description": "このモニターのコンテナー ID のインフラストラクチャ UI を確認します", "xpack.synthetics.monitorList.infraIntegrationAction.ip.ariaLabel": "このモニターの IP アドレスのインフラストラクチャ UI を確認します", @@ -30911,7 +33966,10 @@ "xpack.synthetics.monitorList.infraIntegrationAction.kubernetes.message": "ポッドメトリックを表示", "xpack.synthetics.monitorList.integrationGroup.emptyMessage": "統合されたアプリケーションがありません", "xpack.synthetics.monitorList.invalidMonitors": "無効なモニター", + "xpack.synthetics.monitorList.lastModified": "最終更新:", + "xpack.synthetics.monitorList.lastRunHeaderText": "前回の実行", "xpack.synthetics.monitorList.loading": "読み込み中...", + "xpack.synthetics.monitorList.locationColumnName": "場所", "xpack.synthetics.monitorList.locations.expand": "クリックすると、残りの場所が表示されます", "xpack.synthetics.monitorList.loggingIntegrationAction.container.id": "コンテナーログを表示", "xpack.synthetics.monitorList.loggingIntegrationAction.container.message": "コンテナーログを表示", @@ -30919,13 +33977,17 @@ "xpack.synthetics.monitorList.loggingIntegrationAction.ip.message": "ホストログを表示", "xpack.synthetics.monitorList.loggingIntegrationAction.kubernetes.ariaLabel": "ポッドログを表示", "xpack.synthetics.monitorList.loggingIntegrationAction.kubernetes.message": "ポッドログを表示", + "xpack.synthetics.monitorList.monitorDetailsHeaderText": "モニター詳細", "xpack.synthetics.monitorList.monitorHistoryColumnLabel": "ダウンタイム履歴", + "xpack.synthetics.monitorList.monitorIdItemText": "監視ID", "xpack.synthetics.monitorList.monitoringStatusTitle": "監視", + "xpack.synthetics.monitorList.monitorType": "モニタータイプ", "xpack.synthetics.monitorList.nameColumnLabel": "名前", "xpack.synthetics.monitorList.noItemForSelectedFiltersMessage": "選択されたフィルター条件でモニターが見つかりませんでした", "xpack.synthetics.monitorList.noItemMessage": "アップタイムモニターが見つかりません", "xpack.synthetics.monitorList.noMessage.troubleshoot": "絶対日付範囲を使用してください。監視が後から表示される場合は、HeartbeatまたはKibanaがインストールされたシステムクロックに問題がある可能性があります。", "xpack.synthetics.monitorList.observabilityInvestigateColumn.popoverIconButton.label": "調査", + "xpack.synthetics.monitorList.projectIdHeaderText": "プロジェクト ID", "xpack.synthetics.monitorList.redirects.openWindow": "リンクは新しいウィンドウで開きます。", "xpack.synthetics.monitorList.redirects.title": "リダイレクト", "xpack.synthetics.monitorList.refresh": "更新", @@ -30936,12 +33998,14 @@ "xpack.synthetics.monitorList.statusColumn.failedLabel": "失敗", "xpack.synthetics.monitorList.statusColumn.upLabel": "アップ", "xpack.synthetics.monitorList.statusColumnLabel": "ステータス", + "xpack.synthetics.monitorList.table.project.name": "プロジェクト ID", "xpack.synthetics.monitorList.table.tags.name": "タグ", "xpack.synthetics.monitorList.table.url.name": "Url", "xpack.synthetics.monitorList.tags.expand": "クリックすると、残りのタグが表示されます", + "xpack.synthetics.monitorList.tagsHeaderText": "タグ", "xpack.synthetics.monitorList.testNow.AriaLabel": "クリックすると今すぐテストを実行します", "xpack.synthetics.monitorList.testNow.available": "現在、テストはモニター管理で追加されたモニターでのみ使用できます。", - "xpack.synthetics.monitorList.testNow.available.private": "現在、非公開の場所のモニターでは、[今すぐテスト]が無効です。", + "xpack.synthetics.monitorList.testNow.available.private": "現在、非公開の場所でオンデマンド実行されているモニターはテストできません。", "xpack.synthetics.monitorList.testNow.label": "今すぐテストを実行", "xpack.synthetics.monitorList.testNow.scheduled": "テストはすでにスケジュールされています", "xpack.synthetics.monitorList.testRunLogs": "テスト実行ログ", @@ -30950,9 +34014,14 @@ "xpack.synthetics.monitorList.troubleshoot.systemClockOutOfSync": "システムクロックが同期されていない可能性があります", "xpack.synthetics.monitorList.troubleshoot.tryDateRange": "絶対日付範囲を適用", "xpack.synthetics.monitorList.troubleshoot.whereAreMyMonitors": "モニターの場所", + "xpack.synthetics.monitorList.urlHeaderText": "URL", "xpack.synthetics.monitorList.viewInDiscover": "Discoverに表示", + "xpack.synthetics.monitorLocation.locationContextMenuTitleLabel": "場所に移動", + "xpack.synthetics.monitorLocation.locationLabel": "場所", "xpack.synthetics.monitorManagement.actions": "アクション", "xpack.synthetics.monitorManagement.addAgentPolicyDesc": "非公開の場所にはエージェントポリシーが必要です。非公開の場所を追加するには、まず、Fleetでエージェントポリシーを作成する必要があります。", + "xpack.synthetics.monitorManagement.addEdit.createMonitorLabel": "監視の作成", + "xpack.synthetics.monitorManagement.addEdit.deleteMonitorLabel": "モニターの削除", "xpack.synthetics.monitorManagement.addLocation": "場所を追加", "xpack.synthetics.monitorManagement.addMonitorCrumb": "モニターを追加", "xpack.synthetics.monitorManagement.addMonitorError": "サービスの場所を読み込めませんでした。しばらくたってから再試行してください。", @@ -30961,6 +34030,8 @@ "xpack.synthetics.monitorManagement.addMonitorLoadingLabel": "モニター管理を読み込んでいます", "xpack.synthetics.monitorManagement.addMonitorServiceLocationsLoadingError": "サービスの場所を読み込めませんでした。しばらくたってから再試行してください。", "xpack.synthetics.monitorManagement.addPrivateLocations": "非公開の場所を追加", + "xpack.synthetics.monitorManagement.agentCallout.link": "ドキュメントを読む", + "xpack.synthetics.monitorManagement.agentCallout.title": "要件", "xpack.synthetics.monitorManagement.agentPolicy": "エージェントポリシー", "xpack.synthetics.monitorManagement.agentPolicyNeeded": "エージェントポリシーがありません", "xpack.synthetics.monitorManagement.agentsLabel": "エージェント:", @@ -30969,9 +34040,12 @@ "xpack.synthetics.monitorManagement.apiKeysDisabledToolTip": "このクラスターのAPIキーが無効です。モニター管理では、Elasticsearchクラスターに書き込むためにAPIキーを使用する必要があります。APIキーを有効にするには、管理者に連絡してください。", "xpack.synthetics.monitorManagement.apiKeyWarning.label": "このAPIキーは1回だけ表示されます。自分の記録用にコピーして保管してください。", "xpack.synthetics.monitorManagement.areYouSure": "この場所を削除しますか?", + "xpack.synthetics.monitorManagement.callout.apiKeyMissing": "現在、APIキーがないため、モニター管理は無効です", "xpack.synthetics.monitorManagement.callout.description.disabled": "モニター管理は現在無効です。Elasticで管理されたSyntheticsサービスでモニターを実行するには、モニター管理を有効にします。既存のモニターが一時停止しています。", + "xpack.synthetics.monitorManagement.callout.description.invalidKey": "モニター管理は現在無効です。Elasticのグローバル管理されたテストロケーションのいずれかでモニターを実行するには、モニター管理を再有効化する必要があります。", "xpack.synthetics.monitorManagement.callout.disabled": "モニター管理が無効です", "xpack.synthetics.monitorManagement.callout.disabled.adminContact": "モニター管理を有効にするには、管理者に連絡してください。", + "xpack.synthetics.monitorManagement.callout.disabledCallout.invalidKey": "モニター管理を有効にするには、管理者に連絡してください。", "xpack.synthetics.monitorManagement.cancelLabel": "キャンセル", "xpack.synthetics.monitorManagement.cannotSaveIntegration": "統合を更新する権限がありません。統合書き込み権限が必要です。", "xpack.synthetics.monitorManagement.closeButtonLabel": "閉じる", @@ -30983,6 +34057,8 @@ "xpack.synthetics.monitorManagement.deletedPolicy": "ポリシーが削除されました", "xpack.synthetics.monitorManagement.deleteLocationLabel": "場所を削除", "xpack.synthetics.monitorManagement.deleteMonitorLabel": "モニターの削除", + "xpack.synthetics.monitorManagement.disabledCallout.adminContact": "モニター管理を有効にするには、管理者に連絡してください。", + "xpack.synthetics.monitorManagement.disabledCallout.description.disabled": "現在、モニター管理は無効です。既存のモニターが一時停止しています。モニター管理を有効にして、モニターを実行できます。", "xpack.synthetics.monitorManagement.disableMonitorLabel": "モニターを無効にする", "xpack.synthetics.monitorManagement.discardLabel": "キャンセル", "xpack.synthetics.monitorManagement.disclaimerLinkLabel": "ベータ期間中にテストを実行するためにサービスを使用するコストはかかりません。公正使用ポリシーが適用されます。標準データストレージコストは、Elasticクラスターに格納されるテスト結果に対して適用されます。", @@ -31004,7 +34080,7 @@ "xpack.synthetics.monitorManagement.failed": "失敗", "xpack.synthetics.monitorManagement.failedRun": "ステップを実行できませんでした", "xpack.synthetics.monitorManagement.filter.locationLabel": "場所", - "xpack.synthetics.monitorManagement.filter.placeholder": "名前、URL、タグ、または場所で検索", + "xpack.synthetics.monitorManagement.filter.placeholder": "名前、URL、ホスト、タグ、プロジェクト、または場所で検索", "xpack.synthetics.monitorManagement.filter.tagsLabel": "タグ", "xpack.synthetics.monitorManagement.filter.typeLabel": "型", "xpack.synthetics.monitorManagement.firstLocation": "最初の非公開の場所を追加", @@ -31018,6 +34094,7 @@ "xpack.synthetics.monitorManagement.getAPIKeyReducedPermissions.description": "APIキーを使用して、CLIまたはCDパイプラインからリモートでモニターをプッシュします。APIキーを生成するには、APIキーを管理する権限とアップタイム書き込み権限が必要です。管理者にお問い合わせください。", "xpack.synthetics.monitorManagement.gettingStarted.label": "Synthetic Monitoringの基本", "xpack.synthetics.monitorManagement.heading": "モニター管理", + "xpack.synthetics.monitorManagement.hostFieldLabel": "ホスト", "xpack.synthetics.monitorManagement.inProgress": "進行中", "xpack.synthetics.monitorManagement.invalidLabel": "無効", "xpack.synthetics.monitorManagement.label": "モニター管理", @@ -31028,7 +34105,9 @@ "xpack.synthetics.monitorManagement.locationName": "場所名", "xpack.synthetics.monitorManagement.locationsLabel": "場所", "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel": "モニター管理を読み込んでいます", + "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.callout.invalidKey": "詳細", "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.callout.learnMore": "詳細情報", + "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.disabledCallout.learnMore": "詳細", "xpack.synthetics.monitorManagement.managePrivateLocations": "非公開の場所", "xpack.synthetics.monitorManagement.monitorAddedSuccessMessage": "モニターが正常に追加されました。", "xpack.synthetics.monitorManagement.monitorAdvancedOptions.dataStreamConfiguration.description": "追加のデータストリームオプションを構成します。", @@ -31039,6 +34118,7 @@ "xpack.synthetics.monitorManagement.monitorEditedSuccessMessage": "モニターは正常に更新されました。", "xpack.synthetics.monitorManagement.monitorFailureMessage": "モニターを保存できませんでした。しばらくたってから再試行してください。", "xpack.synthetics.monitorManagement.monitorList.actions": "アクション", + "xpack.synthetics.monitorManagement.monitorList.disclaimer.title": "このモニターを削除しても、プロジェクトのソースからは削除されません", "xpack.synthetics.monitorManagement.monitorList.enabled": "有効", "xpack.synthetics.monitorManagement.monitorList.locations": "場所", "xpack.synthetics.monitorManagement.monitorList.monitorName": "モニター名", @@ -31070,6 +34150,8 @@ "xpack.synthetics.monitorManagement.policyHost": "エージェントポリシー", "xpack.synthetics.monitorManagement.privateLabel": "非公開", "xpack.synthetics.monitorManagement.privateLocations": "非公開の場所", + "xpack.synthetics.monitorManagement.privateLocationsNotAllowedMessage": "モニターを非公開の場所に追加する権限がありません。アクセスをリクエストするには、管理者に問い合わせてください。", + "xpack.synthetics.monitorManagement.projectDelete.docsLink": "ドキュメントを読む", "xpack.synthetics.monitorManagement.publicBetaDescription": "新しいアプリがリリース予定です。それまでの間は、グローバル管理されたテストインフラストラクチャーへのアクセスを提供しています。これにより、新しいポイントアンドクリックスクリプトレコーダーを使用して、合成モニターをアップロードしたり、新しいUIでモニターを管理したりできます。", "xpack.synthetics.monitorManagement.readDocs": "ドキュメントを読む", "xpack.synthetics.monitorManagement.requestAccess": "アクセスをリクエストする", @@ -31079,6 +34161,7 @@ "xpack.synthetics.monitorManagement.saveMonitorLabel": "モニターを保存", "xpack.synthetics.monitorManagement.selectOneOrMoreLocations": "1つ以上の場所を選択", "xpack.synthetics.monitorManagement.selectPolicyHost": "エージェントポリシーを選択", + "xpack.synthetics.monitorManagement.selectPolicyHost.helpText": "エージェントポリシーごとに1つのElasticエージェントを使用することをお勧めします。", "xpack.synthetics.monitorManagement.service.error.title": "モニター構成を同期できません", "xpack.synthetics.monitorManagement.serviceLocationsValidationError": "1つ以上のサービスの場所を指定する必要があります", "xpack.synthetics.monitorManagement.startAddingLocationsDescription": "非公開の場所では、独自の施設からモニターを実行できます。Fleet経由で制御および保守できるElasticエージェントとエージェントポリシーが必要です。", @@ -31088,6 +34171,7 @@ "xpack.synthetics.monitorManagement.syntheticsDisableToolTip": "モニター管理を無効にすると、すべてのテスト場所でモニターの実行が即時停止され、新しいモニターの作成が防止されます。", "xpack.synthetics.monitorManagement.syntheticsEnabledFailure": "モニター管理を有効にできませんでした。サポートに問い合わせてください。", "xpack.synthetics.monitorManagement.syntheticsEnableLabel": "有効にする", + "xpack.synthetics.monitorManagement.syntheticsEnableLabel.invalidKey": "モニター管理を有効にする", "xpack.synthetics.monitorManagement.syntheticsEnableLabel.management": "モニター管理を有効にする", "xpack.synthetics.monitorManagement.syntheticsEnableSuccess": "モニター管理は正常に有効にされました。", "xpack.synthetics.monitorManagement.syntheticsEnableToolTip": "モニター管理を有効にすると、世界中の場所から軽量でリアルなブラウザーモニターを作成できます。", @@ -31096,6 +34180,7 @@ "xpack.synthetics.monitorManagement.try.dismiss": "閉じる", "xpack.synthetics.monitorManagement.try.label": "モニター管理を試す", "xpack.synthetics.monitorManagement.updateMonitorLabel": "モニターの更新", + "xpack.synthetics.monitorManagement.urlFieldLabel": "Url", "xpack.synthetics.monitorManagement.urlRequiredLabel": "URLが必要です", "xpack.synthetics.monitorManagement.validationError": "モニターにはエラーがあります。保存前に修正してください。", "xpack.synthetics.monitorManagement.viewTestRunDetails": "テスト結果詳細を表示", @@ -31103,10 +34188,20 @@ "xpack.synthetics.monitorManagement.websiteUrlLabel": "WebサイトのURL", "xpack.synthetics.monitorManagement.websiteUrlPlaceholder": "WebサイトURLを入力", "xpack.synthetics.monitorManagement.yesLabel": "削除", + "xpack.synthetics.monitorOverviewTab.title": "概要", "xpack.synthetics.monitors.management.betaLabel": "この機能はベータ段階で、変更される可能性があります。デザインとコードは正式に一般公開された機能より完成度が低く、現状のまま保証なしで提供されています。ベータ機能は、正式に一般公開された機能に適用されるサポートサービスレベル契約の対象外です。", "xpack.synthetics.monitors.pageHeader.createButton.label": "監視の作成", "xpack.synthetics.monitors.pageHeader.title": "監視", "xpack.synthetics.monitorsPage.monitorsMCrumb": "監視", + "xpack.synthetics.monitorStatus.complete": "完了", + "xpack.synthetics.monitorStatus.downLabel": "ダウン", + "xpack.synthetics.monitorStatus.failed": "失敗", + "xpack.synthetics.monitorStatus.failedLabel": "失敗", + "xpack.synthetics.monitorStatus.pendingLabel": "保留中", + "xpack.synthetics.monitorStatus.skipped": "スキップ", + "xpack.synthetics.monitorStatus.statusLabel": "ステータス", + "xpack.synthetics.monitorStatus.succeededLabel": "成功", + "xpack.synthetics.monitorStatus.upLabel": "アップ", "xpack.synthetics.monitorStatusBar.durationTextAriaLabel": "ミリ秒単位の監視時間", "xpack.synthetics.monitorStatusBar.healthStatusMessageAriaLabel": "監視ステータス", "xpack.synthetics.monitorStatusBar.loadingMessage": "読み込み中…", @@ -31123,7 +34218,17 @@ "xpack.synthetics.monitorStatusBar.timestampFromNowTextAriaLabel": "最終確認からの経過時間", "xpack.synthetics.monitorStatusBar.type.ariaLabel": "モニタータイプ", "xpack.synthetics.monitorStatusBar.type.label": "型", + "xpack.synthetics.monitorSummary.createNewMonitor": "監視の作成", + "xpack.synthetics.monitorSummary.goToMonitor": "モニターに移動", + "xpack.synthetics.monitorSummary.loadingMonitors": "モニターを読み込んでいます", + "xpack.synthetics.monitorSummary.noOtherMonitors": "他のモニターは存在しません。", + "xpack.synthetics.monitorSummary.noResultsFound": "モニターが見つかりません。クエリを変更してください。", + "xpack.synthetics.monitorSummary.otherMonitors": "その他のモニター", + "xpack.synthetics.monitorSummary.placeholderSearch": "モニターの名前またはタグ", + "xpack.synthetics.monitorSummary.recentlyViewed": "最近閲覧", "xpack.synthetics.monitorSummary.runTestManually": "手動でテストを実行", + "xpack.synthetics.monitorSummary.selectMonitor": "詳細を表示するには、別のモニターを選択してください", + "xpack.synthetics.monitorSummaryRoute.monitorBreadcrumb": "監視", "xpack.synthetics.navigateToAlertingButton.content": "ルールの管理", "xpack.synthetics.navigateToAlertingUi": "Uptime を離れてアラート管理ページに移動します", "xpack.synthetics.noDataConfig.beatsCard.description": "サイトとサービスの可用性をアクティブに監視するアラートを受信し、問題をより迅速に解決して、ユーザーエクスペリエンスを最適化します。", @@ -31132,13 +34237,50 @@ "xpack.synthetics.notFountPage.homeLinkText": "ホームへ戻る", "xpack.synthetics.openAlertContextPanel.ariaLabel": "ルールコンテキストパネルを開くと、ルールタイプを選択できます", "xpack.synthetics.openAlertContextPanel.label": "ルールを作成", + "xpack.synthetics.overview.actions.disablingLabel": "モニターを無効にしています", + "xpack.synthetics.overview.actions.editMonitor.name": "モニターを編集", + "xpack.synthetics.overview.actions.enableLabelDisableMonitor": "モニターを無効にする", + "xpack.synthetics.overview.actions.enableLabelEnableMonitor": "モニターを有効にする", + "xpack.synthetics.overview.actions.enablingLabel": "モニターを有効にしています", + "xpack.synthetics.overview.actions.goToMonitor.name": "モニターに移動", + "xpack.synthetics.overview.actions.menu.title": "アクション", + "xpack.synthetics.overview.actions.openPopover.ariaLabel": "アクションメニューを開く", + "xpack.synthetics.overview.actions.quickInspect.title": "簡易検査", "xpack.synthetics.overview.alerts.disabled.failed": "ルールを無効にできません。", "xpack.synthetics.overview.alerts.disabled.success": "ルールが正常に無効にされました。", "xpack.synthetics.overview.alerts.enabled.failed": "ルールを有効にできません。", "xpack.synthetics.overview.alerts.enabled.success": "ルールが正常に有効にされました。 ", - "xpack.synthetics.overview.duration.label": "期間", + "xpack.synthetics.overview.duration.label": "期間平均", + "xpack.synthetics.overview.grid.scrollToTop.label": "最上部へ戻る", + "xpack.synthetics.overview.grid.showingAllMonitors.label": "すべてのモニターを表示しています", "xpack.synthetics.overview.heading": "監視", "xpack.synthetics.overview.monitors.label": "監視", + "xpack.synthetics.overview.noMonitorsFoundContent": "検索を更新してください。", + "xpack.synthetics.overview.noMonitorsFoundHeading": "モニターが見つかりません", + "xpack.synthetics.overview.overview.clearFilters": "フィルターを消去", + "xpack.synthetics.overview.pagination.loading": "モニターを読み込んでいます...", + "xpack.synthetics.overview.sortPopover.alphabetical.asc": "A -> Z", + "xpack.synthetics.overview.sortPopover.alphabetical.desc": "Z -> A", + "xpack.synthetics.overview.sortPopover.alphabetical.label": "アルファベット順", + "xpack.synthetics.overview.sortPopover.ascending.label": "昇順", + "xpack.synthetics.overview.sortPopover.descending.label": "降順", + "xpack.synthetics.overview.sortPopover.lastModified.asc": "日付の古い順", + "xpack.synthetics.overview.sortPopover.lastModified.desc": "日付の新しい順", + "xpack.synthetics.overview.sortPopover.lastModified.label": "最終更新:", + "xpack.synthetics.overview.sortPopover.orderBy.title": "順序", + "xpack.synthetics.overview.sortPopover.sort.title": "並べ替え基準", + "xpack.synthetics.overview.sortPopover.sortBy.title": "並べ替え基準", + "xpack.synthetics.overview.sortPopover.status.asc": "下から", + "xpack.synthetics.overview.sortPopover.status.desc": "上から", + "xpack.synthetics.overview.sortPopover.status.label": "ステータス", + "xpack.synthetics.overview.status.disabled.description": "無効", + "xpack.synthetics.overview.status.down.description": "ダウン", + "xpack.synthetics.overview.status.error.title": "モニターステータスメトリックを取得できません", + "xpack.synthetics.overview.status.filters.disabled": "無効", + "xpack.synthetics.overview.status.filters.down": "ダウン", + "xpack.synthetics.overview.status.filters.up": "アップ", + "xpack.synthetics.overview.status.headingText": "現在のステータス", + "xpack.synthetics.overview.status.up.description": "アップ", "xpack.synthetics.overviewPage.overviewCrumb": "概要", "xpack.synthetics.overviewPageLink.disabled.ariaLabel": "無効になったページ付けボタンです。モニターリストがこれ以上ナビゲーションできないことを示しています。", "xpack.synthetics.overviewPageLink.next.ariaLabel": "次の結果ページ", @@ -31175,11 +34317,18 @@ "xpack.synthetics.pingList.timestampColumnLabel": "タイムスタンプ", "xpack.synthetics.pluginDescription": "Synthetics監視", "xpack.synthetics.public.pages.mappingError.title": "Heartbeatマッピングが見つかりません", + "xpack.synthetics.receive": "受信", "xpack.synthetics.routes.baseTitle": "Synthetics - Kibana", "xpack.synthetics.routes.legacyBaseTitle": "アップタイム - Kibana", "xpack.synthetics.routes.monitorManagement.betaLabel": "この機能はベータ段階で、変更される可能性があります。デザインとコードは正式に一般公開された機能より完成度が低く、現状のまま保証なしで提供されています。ベータ機能は、正式に一般公開された機能に適用されるサポートサービスレベル契約の対象外です。", "xpack.synthetics.seconds.label": "秒", "xpack.synthetics.seconds.shortForm.label": "秒", + "xpack.synthetics.send": "送信", + "xpack.synthetics.server.project.delete.toolarge": "削除リクエストペイロードが大きすぎます。リクエストごとに送信できる削除するモニターは250以下にしてください", + "xpack.synthetics.service.projectMonitors.cannotUpdateMonitorToDifferentType": "モニターを別のタイプに更新できません。", + "xpack.synthetics.service.projectMonitors.failedToUpdateMonitor": "モニターを作成または更新できません", + "xpack.synthetics.service.projectMonitors.failedToUpdateMonitors": "モニターを作成または更新できません", + "xpack.synthetics.service.projectMonitors.insufficientFleetPermissions": "パーミッションがありません。非公開の場所を構成するには、Fleetと統合の書き込み権限が必要です。解決するには、Fleetと統合の書き込み権限が割り当てられたユーザーで、新しいAPIキーを生成してください。", "xpack.synthetics.settings.blank.error": "空白にすることはできません。", "xpack.synthetics.settings.blankNumberField.error": "数値でなければなりません。", "xpack.synthetics.settings.cannotEditText": "現在、このユーザーには Uptime アプリの「読み取り」権があります。これらの設定を編集するには「すべて」のパーミッションレベルを有効にします。", @@ -31190,7 +34339,21 @@ "xpack.synthetics.settings.invalid.nanError": "値は整数でなければなりません。", "xpack.synthetics.settings.noSpace.error": "インデックス名にはスペースを使用できません", "xpack.synthetics.settings.saveSuccess": "設定が保存されました。", + "xpack.synthetics.settings.title": "設定", "xpack.synthetics.settingsBreadcrumbText": "設定", + "xpack.synthetics.settingsRoute.allChecks": "すべてのチェック", + "xpack.synthetics.settingsRoute.browserChecks": "ブラウザーチェック", + "xpack.synthetics.settingsRoute.browserNetworkRequests": "ブラウザーネットワークリクエスト", + "xpack.synthetics.settingsRoute.pageHeaderTitle": "設定", + "xpack.synthetics.settingsRoute.readDocs": "ドキュメントを読む", + "xpack.synthetics.settingsRoute.retentionCalloutTitle": "Syntheticsデータは、管理されたインデックスライフサイクルポリシーで構成されます", + "xpack.synthetics.settingsRoute.table.currentSize": "現在のサイズ", + "xpack.synthetics.settingsRoute.table.dataset": "データセット", + "xpack.synthetics.settingsRoute.table.policy": "ポリシー", + "xpack.synthetics.settingsRoute.table.retentionPeriod": "保持期間", + "xpack.synthetics.settingsRoute.tableCaption": "Syntheticsデータ保持ポリシー", + "xpack.synthetics.settingsTabs.alerting": "アラート", + "xpack.synthetics.settingsTabs.dataRetention": "データ保持", "xpack.synthetics.snapshot.monitor": "監視", "xpack.synthetics.snapshot.monitors": "監視", "xpack.synthetics.snapshot.noDataDescription": "選択した時間範囲に ping はありません。", @@ -31223,6 +34386,19 @@ "xpack.synthetics.sourceConfiguration.heartbeatIndicesTitle": "アップタイムインデックス", "xpack.synthetics.sourceConfiguration.indicesSectionTitle": "インデックス", "xpack.synthetics.sourceConfiguration.warningStateLabel": "使用期間上限", + "xpack.synthetics.ssl": "SSL", + "xpack.synthetics.stackManagement": "スタック管理", + "xpack.synthetics.stepDetails.expected": "期待値", + "xpack.synthetics.stepDetails.objectCount": "オブジェクト数", + "xpack.synthetics.stepDetails.objectWeight": "オブジェクト重み", + "xpack.synthetics.stepDetails.received": "受信済み", + "xpack.synthetics.stepDetails.screenshot": "スクリーンショット", + "xpack.synthetics.stepDetails.total": "合計", + "xpack.synthetics.stepDetails.totalSize": "合計サイズ", + "xpack.synthetics.stepDetailsRoute.definition": "定義", + "xpack.synthetics.stepDetailsRoute.last24Hours": "過去 24 時間", + "xpack.synthetics.stepDetailsRoute.metrics": "メトリック", + "xpack.synthetics.stepDetailsRoute.timingsBreakdown": "タイミング内訳", "xpack.synthetics.stepList.collapseRow": "縮小", "xpack.synthetics.stepList.expandRow": "拡張", "xpack.synthetics.stepList.stepName": "ステップ名", @@ -31254,8 +34430,10 @@ "xpack.synthetics.synthetics.statusBadge.succeededMessage": "成功", "xpack.synthetics.synthetics.step.durationTrend": "ステップ期間傾向", "xpack.synthetics.synthetics.stepDetail.nextCheckButtonText": "次の確認", + "xpack.synthetics.synthetics.stepDetail.nextStepButtonText": "次へ", "xpack.synthetics.synthetics.stepDetail.noData": "このステップのデータが見つかりませんでした", "xpack.synthetics.synthetics.stepDetail.previousCheckButtonText": "前の確認", + "xpack.synthetics.synthetics.stepDetail.previousStepButtonText": "前へ", "xpack.synthetics.synthetics.stepDetail.waterfall.loading": "ウォーターフォールグラフを読み込んでいます", "xpack.synthetics.synthetics.stepDetail.waterfallNoData": "このステップのウォーターフォールデータが見つかりませんでした", "xpack.synthetics.synthetics.stepDetail.waterfallUnsupported.description": "ウォーターフォールグラフを表示できません。古いバージョンのSyntheticエージェントを使用している可能性があります。バージョンを確認して、アップグレードを検討してください。", @@ -31304,20 +34482,35 @@ "xpack.synthetics.synthetics.waterfallChart.labels.timings.wait": "待機中(TTFB)", "xpack.synthetics.syntheticsFeatureCatalogueTitle": "Synthetics", "xpack.synthetics.syntheticsMonitors": "アップタイム - モニター", + "xpack.synthetics.testDetails.codeExecuted": "コードが実行されました", + "xpack.synthetics.testDetails.console": "コンソール", + "xpack.synthetics.testDetails.stackTrace": "スタックトレース", + "xpack.synthetics.testDetails.stepExecuted": "ステップが実行されました", + "xpack.synthetics.testDetails.totalDuration": "合計期間:", "xpack.synthetics.testRun.description": "モニターをテストし、保存する前に結果を検証します", "xpack.synthetics.testRun.pushError": "モニターをサービスにプッシュできませんでした。", "xpack.synthetics.testRun.pushErrorLabel": "プッシュエラー", "xpack.synthetics.testRun.pushing.description": "モニターをサービスにプッシュしています...", "xpack.synthetics.testRun.runErrorLabel": "テストの実行エラー", + "xpack.synthetics.testRunDetailsRoute.page.title": "テスト実行詳細", + "xpack.synthetics.timestamp.label": "@timestamp", "xpack.synthetics.title": "アップタイム", "xpack.synthetics.toggleAlertButton.content": "監視ステータスルール", "xpack.synthetics.toggleAlertFlyout.ariaLabel": "ルールの追加フライアウトを開く", "xpack.synthetics.toggleTlsAlertButton.ariaLabel": "TLSルールフライアウトを開く", "xpack.synthetics.toggleTlsAlertButton.content": "TLSルール", + "xpack.synthetics.totalDuration.metrics": "ステップ期間", "xpack.synthetics.uptimeFeatureCatalogueTitle": "アップタイム", "xpack.synthetics.uptimeSettings.index": "アップタイム設定 - インデックス", + "xpack.synthetics.wait": "待機", "xpack.synthetics.waterfallChart.sidebar.url.https": "https", "xpack.threatIntelligence.common.emptyPage.body3": "Elastic Threat Intelligenceを開始するには、[統合]ページから1つ以上の脅威インテリジェンス統合を有効にするか、Filebeatを使用してデータを取り込みます。詳細については、{docsLink}をご覧ください。", + "xpack.threatIntelligence.addToExistingCase": "既存のケースに追加", + "xpack.threatIntelligence.addToNewCase": "新しいケースに追加", + "xpack.threatIntelligence.cases.eventDescription": "侵害のインジケーターを追加しました", + "xpack.threatIntelligence.cases.indicatorFeedName": "フィード名", + "xpack.threatIntelligence.cases.indicatorName": "インジケーター名:", + "xpack.threatIntelligence.cases.indicatorType": "インジケータータイプ:", "xpack.threatIntelligence.common.emptyPage.body1": "Elastic Threat Intelligenceでは、複数のソースのデータを一元的に集約することで、潜在的なセキュリティ脅威を簡単に分析、調査できます。", "xpack.threatIntelligence.common.emptyPage.body2": "すべてのアクティブな脅威インテリジェンスフィードのデータを表示し、このページからアクションを実行できます。", "xpack.threatIntelligence.common.emptyPage.buttonText": "統合の追加", @@ -31326,19 +34519,52 @@ "xpack.threatIntelligence.common.emptyPage.title": "Elastic Threat Intelligenceの基本操作", "xpack.threatIntelligence.empty.description": "期間を長くして検索するか、検索を変更してください", "xpack.threatIntelligence.empty.title": "検索条件と一致する結果がありません。", + "xpack.threatIntelligence.field.@timestamp": "@timestamp", + "xpack.threatIntelligence.field.threat.feed.name": "フィード", + "xpack.threatIntelligence.field.threat.indicator.confidence": "信頼度", + "xpack.threatIntelligence.field.threat.indicator.first_seen": "初回の認識", + "xpack.threatIntelligence.field.threat.indicator.last_seen": "前回の認識", + "xpack.threatIntelligence.field.threat.indicator.marking.tlp": "TLPマーキング", + "xpack.threatIntelligence.field.threat.indicator.name": "インジケーター", + "xpack.threatIntelligence.field.threat.indicator.type": "インジケータータイプ", + "xpack.threatIntelligence.indicator.barChart.popover": "さらにアクションを表示", + "xpack.threatIntelligence.indicator.barchartSection.title": "傾向", + "xpack.threatIntelligence.indicator.fieldSelector.label": "積み上げ", + "xpack.threatIntelligence.indicator.fieldsTable.fieldColumnLabel": "フィールド", + "xpack.threatIntelligence.indicator.fieldsTable.valueColumnLabel": "値", "xpack.threatIntelligence.indicator.flyout.jsonTabLabel": "JSON", + "xpack.threatIntelligence.indicator.flyout.overviewTabLabel": "概要", + "xpack.threatIntelligence.indicator.flyout.panelSubTitle": "初回の表示:", + "xpack.threatIntelligence.indicator.flyout.panelTitleWithOverviewTab": "インジケーターの詳細", "xpack.threatIntelligence.indicator.flyout.tableTabLabel": "表", + "xpack.threatIntelligence.indicator.flyoutOverviewTable.highlightedFields": "ハイライトされたフィールド", + "xpack.threatIntelligence.indicator.flyoutOverviewTable.viewAllFieldsInTable": "テーブルのすべてのフィールドを表示", "xpack.threatIntelligence.indicator.flyoutTable.errorMessageBody": "インジケーターフィールドと値の表示エラーが発生しました。", "xpack.threatIntelligence.indicator.flyoutTable.errorMessageTitle": "インジケーター情報を表示できませn", - "xpack.threatIntelligence.indicator.fieldsTable.fieldColumnLabel": "フィールド", - "xpack.threatIntelligence.indicator.fieldsTable.valueColumnLabel": "値", "xpack.threatIntelligence.indicator.table.actionColumnLabel": "アクション", - "xpack.threatIntelligence.field.threat.feed.name": "フィード", - "xpack.threatIntelligence.field.threat.indicator.first_seen": "初回の認識", - "xpack.threatIntelligence.field.threat.indicator.name": "インジケーター", - "xpack.threatIntelligence.field.threat.indicator.type": "インジケータータイプ", - "xpack.threatIntelligence.field.threat.indicator.last_seen": "前回の認識", + "xpack.threatIntelligence.indicator.table.moreActions": "さらにアクションを表示", "xpack.threatIntelligence.indicator.table.viewDetailsButton": "詳細を表示", + "xpack.threatIntelligence.indicatorNameFieldDescription": "実行時に生成されたインジケーター表示名 ", + "xpack.threatIntelligence.indicators.flyout.take-action.button": "アクションを実行", + "xpack.threatIntelligence.indicators.table.copyToClipboardLabel": "クリップボードにコピー", + "xpack.threatIntelligence.inspectorFlyoutTitle": "インジケーター検索リクエスト", + "xpack.threatIntelligence.inspectTitle": "検査", + "xpack.threatIntelligence.investigateInTimelineButton": "タイムラインで調査", + "xpack.threatIntelligence.more-actions.popover": "さらにアクションを表示", + "xpack.threatIntelligence.navigation.indicatorsNavItemDescription": "Elastic threat intelligenceでは、最新の脅威または過去の確認済みの脅威にさらされ、脆弱であるかどうかを確認できます。", + "xpack.threatIntelligence.navigation.indicatorsNavItemKeywords": "インジケーター", + "xpack.threatIntelligence.navigation.indicatorsNavItemLabel": "インジケーター", + "xpack.threatIntelligence.navigation.intelligenceNavItemLabel": "インテリジェンス", + "xpack.threatIntelligence.paywall.body": "脅威インテリジェンスを使用するには、無料トライアルを開始するか、ライセンスをEnterpriseにアップグレードしてください。", + "xpack.threatIntelligence.paywall.title": "Securityではさまざまなことが可能です!", + "xpack.threatIntelligence.paywall.trial": "無料トライアルをはじめる", + "xpack.threatIntelligence.paywall.upgrade": "アップグレード", + "xpack.threatIntelligence.queryBar.filterIn": "フィルタリング", + "xpack.threatIntelligence.queryBar.filterOut": "除外", + "xpack.threatIntelligence.timeline.addToTimeline": "タイムラインに追加", + "xpack.threatIntelligence.timeline.investigateInTimelineButtonIcon": "タイムラインで調査", + "xpack.threatIntelligence.updateStatus.updated": "更新しました", + "xpack.threatIntelligence.updateStatus.updating": "更新中...", "xpack.timelines.clipboard.copy.successToastTitle": "フィールド{field}をクリップボードにコピーしました", "xpack.timelines.hoverActions.columnToggleLabel": "表の{field}列を切り替える", "xpack.timelines.hoverActions.nestedColumnToggleLabel": "{field}フィールドはオブジェクトであり、列として追加できるネストされたフィールドに分解されます", @@ -31422,6 +34648,7 @@ "xpack.transform.transformNodes.noTransformNodesCallOutBody": "変換の作成または実行ができません。{learnMoreLink}", "xpack.transform.actionDeleteTransform.bulkDeleteDestDataViewTitle": "ディスティネーションデータビューの削除", "xpack.transform.actionDeleteTransform.bulkDeleteDestinationIndexTitle": "ディスティネーションインデックスの削除", + "xpack.transform.agg.filterEditorForm.jsonInvalidErrorMessage": "JSONが無効です。", "xpack.transform.agg.popoverForm.aggLabel": "アグリゲーション", "xpack.transform.agg.popoverForm.aggNameAlreadyUsedError": "別の集約ですでに同じ名前が使用されています。", "xpack.transform.agg.popoverForm.aggNameInvalidCharError": "無効な名前です。「[」、「]」「>」は使用できず、名前の始めと終わりにはスペースを使用できません。", @@ -31495,6 +34722,7 @@ "xpack.transform.home.breadcrumbTitle": "変換", "xpack.transform.indexPreview.copyClipboardTooltip": "インデックスプレビューの開発コンソールステートメントをクリップボードにコピーします。", "xpack.transform.indexPreview.copyRuntimeFieldsClipboardTooltip": "ランタイムフィールドの開発コンソールステートメントをクリップボードにコピーします。", + "xpack.transform.invalidRuntimeFieldMessage": "無効なランタイムフィールド", "xpack.transform.latestPreview.latestPreviewIncompleteConfigCalloutBody": "1 つ以上の一意キーと並べ替えフィールドを選択してください。", "xpack.transform.licenseCheckErrorMessage": "ライセンス確認失敗", "xpack.transform.list.emptyPromptButtonText": "初めての変換を作成してみましょう。", @@ -31780,11 +35008,13 @@ "xpack.triggersActionsUI.actionVariables.legacyAlertNameLabel": "{variable}の導入により、これは廃止される予定です。", "xpack.triggersActionsUI.actionVariables.legacySpaceIdLabel": "{variable}の導入により、これは廃止される予定です。", "xpack.triggersActionsUI.actionVariables.legacyTagsLabel": "{variable}の導入により、これは廃止される予定です。", + "xpack.triggersActionsUI.alertsTable.alertsCountUnit": "{totalCount, plural, other {アラート}}", "xpack.triggersActionsUI.checkActionTypeEnabled.actionTypeDisabledByLicenseMessage": "このコネクターには {minimumLicenseRequired} ライセンスが必要です。", "xpack.triggersActionsUI.checkRuleTypeEnabled.ruleTypeDisabledByLicenseMessage": "このルールタイプには{minimumLicenseRequired}ライセンスが必要です。", "xpack.triggersActionsUI.components.builtinActionTypes.missingSecretsValuesLabel": "機密情報はインポートされません。次のフィールド{encryptedFieldsLength, plural, other {}}の値{encryptedFieldsLength, plural, other {}} {secretFieldsLabel}を入力してください。", "xpack.triggersActionsUI.components.buttonGroupField.error.requiredField": "{label}が必要です。", "xpack.triggersActionsUI.components.deleteSelectedIdsErrorNotification.descriptionText": "{numErrors, number} {numErrors, plural, one {{singleTitle}} other {{multipleTitle}}}を削除できませんでした", + "xpack.triggersActionsUI.components.deleteSelectedIdsPartialSuccessNotification.descriptionText": "{numberOfSuccess, number}件の{numberOfSuccess, plural, one {{singleTitle}} other {{multipleTitle}}}, {numberOfErrors, number} {numberOfErrors, plural, one {{singleTitle}} other {{multipleTitle}}}エラーが削除されました", "xpack.triggersActionsUI.components.deleteSelectedIdsSuccessNotification.descriptionText": "{numSuccesses, number} {numSuccesses, plural, one {{singleTitle}} other {{multipleTitle}}}を削除しました", "xpack.triggersActionsUI.components.passwordField.error.requiredNameText": "{label}が必要です。", "xpack.triggersActionsUI.components.simpleConnectorForm.secrets.reenterValuesLabel": "値{encryptedFieldsLength, plural, other {}} {secretFieldsLabel}を記憶します。コネクターを編集するたびに、{encryptedFieldsLength, plural, one {それを} other {それらを}}再入力する必要があります。", @@ -31839,6 +35069,7 @@ "xpack.triggersActionsUI.ruleSnoozeScheduler.untilDateSummary": "{date}まで", "xpack.triggersActionsUI.sections.actionConnectorForm.error.requireFieldText": "{label}が必要です。", "xpack.triggersActionsUI.sections.actionsConnectorsList.buttons.deleteLabel": "{count} 件を削除", + "xpack.triggersActionsUI.sections.actionsConnectorsList.warningText": "{connectors, plural, one {このコネクターは} other {一部のコネクターが}}現在使用中です。", "xpack.triggersActionsUI.sections.actionTypeForm.actionIdLabel": "{connectorInstance}コネクター", "xpack.triggersActionsUI.sections.actionTypeForm.addNewActionConnectorActionGroup.display": "{actionGroupName}(現在サポートされていません)", "xpack.triggersActionsUI.sections.actionTypeForm.existingAlertActionTypeEditTitle": "{actionConnectorName}", @@ -31853,6 +35084,9 @@ "xpack.triggersActionsUI.sections.manageLicense.manageLicenseTitle": "{licenseRequired}ライセンスが必要です", "xpack.triggersActionsUI.sections.preconfiguredConnectorForm.flyoutTitle": "{connectorName}", "xpack.triggersActionsUI.sections.ruleAdd.saveSuccessNotificationText": "ルール\"{ruleName}\"を作成しました", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.failure": "{failure, plural, other {# ルール}}の{property}を更新できませんでした。", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.someSuccess": "{success, plural, other {# ルール}}, {failure, plural, other {# ルール}}エラーの{property}が更新されました。", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.success": "{total, plural, other {# ルール}}の{property}が更新されました。", "xpack.triggersActionsUI.sections.ruleDetails.refineSearchPrompt.prompt": "これらは検索条件に一致した初めの{visibleDocumentSize}件のドキュメントです。他の結果を表示するには検索条件を絞ってください。", "xpack.triggersActionsUI.sections.ruleDetails.rule.statusPanel.totalExecutions": "過去24時間で{executions, plural, other {# 件の実行}}", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.actionErrorsPlural": "{value, plural, other {個のエラーが発生したアクション}}", @@ -31869,17 +35103,28 @@ "xpack.triggersActionsUI.sections.ruleForm.checkEveryHelpText": "間隔は{minimum}以上でなければなりません。", "xpack.triggersActionsUI.sections.ruleForm.error.belowMinimumText": "間隔は{minimum}以上でなければなりません。", "xpack.triggersActionsUI.sections.ruleForm.error.noAuthorizedRuleTypes": "ルールを{operation}するには、適切な権限が付与されている必要があります。", - "xpack.triggersActionsUI.sections.ruleForm.error.noAuthorizedRuleTypesTitle": "ルールタイプを{operation}する権限がありません。", + "xpack.triggersActionsUI.sections.ruleForm.error.noAuthorizedRuleTypesTitle": "ルールタイプを{operation}する権限がありません", "xpack.triggersActionsUI.sections.ruleForm.error.requiredActionConnector": "{actionTypeId}コネクターのアクションが必要です。", "xpack.triggersActionsUI.sections.rulesList.attentionBannerTitle": "{totalStatusesError, plural, other {# 件のルール}}でエラーが見つかりました。", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmationPlural": "{total, plural, other {# ルール}}のすべてのスヌーズスケジュールを削除しますか?", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmationSingle": "{ruleName}のすべてのスヌーズスケジュールを削除しますか?", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmationPlural": "{total, plural, other {# ルール}}をスヌーズ解除しますか?", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmationSingle": "{ruleName}をスヌーズ解除しますか?", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snoozedUntil": "{snoozeTime}までスヌーズ", "xpack.triggersActionsUI.sections.rulesList.hideAllErrors": "{totalStatusesError, plural, other {件のエラー}}を非表示", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeFailedDescription": "失敗:{total}", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeSucceededDescription": "成功:{total}", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeWarningDescription": "警告:{total}", + "xpack.triggersActionsUI.sections.rulesList.removeAllSnoozeSchedules": "{count, plural, other {# スケジュール}}を削除しますか?", "xpack.triggersActionsUI.sections.rulesList.rulesListAutoRefresh.lastUpdateText": "更新された{lastUpdateText}", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozedTooltip": "通知は{snoozeTime}間スヌーズされます", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozeScheduledTooltip": "通知は{schedStart}からスヌーズされるようにスケジュールされました", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.intervalTooltipText": "ルール間隔{interval}は構成された最小間隔{minimumInterval}を下回ります。これはアラートのパフォーマンスに影響する場合があります。", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleExecutionPercentileTooltip": "このルールの過去{sampleLimit}実行期間の{percentileOrdinal}パーセンタイル(mm:ss)。", + "xpack.triggersActionsUI.sections.rulesList.selectAllRulesButton": "すべての{formattedTotalRules} {totalRules, plural, other {ルール}}を選択", + "xpack.triggersActionsUI.sections.rulesList.selectedRulesButton": "{formattedSelectedRules} {selectedRules, plural, other {ルール}}を選択しました", "xpack.triggersActionsUI.sections.rulesList.showAllErrors": "{totalStatusesError, plural, other {件のエラー}}を表示", + "xpack.triggersActionsUI.sections.rulesList.totalRulesLabel": "{formattedTotalRules} {totalRules, plural, other {ルール}}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesActiveDescription": "アクティブ:{totalStatusesActive}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesErrorDescription": "エラー:{totalStatusesError}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesOkDescription": "Ok:{totalStatusesOk}", @@ -31907,11 +35152,13 @@ "xpack.triggersActionsUI.actionVariables.ruleSpaceIdLabel": "ルールのスペースID。", "xpack.triggersActionsUI.actionVariables.ruleTagsLabel": "ルールのタグ。", "xpack.triggersActionsUI.actionVariables.ruleTypeLabel": "ルールのタイプ。", + "xpack.triggersActionsUI.actionVariables.ruleUrlLabel": "アラートを生成したスタック管理ルールページへのURL。server.publicBaseUrlが構成されていない場合は、空の文字列になります。", + "xpack.triggersActionsUI.alertsSearchBar.placeholder": "検索アラート(例:kibana.alert.evaluation.threshold > 75)", "xpack.triggersActionsUI.alertsTable.configuration.errorBody": "アラートテーブルの読み込みエラーが発生しました。このテーブルには必要な構成がありません。ヘルプについては、管理者にお問い合わせください", "xpack.triggersActionsUI.alertsTable.configuration.errorTitle": "アラートテーブルを読み込めません", "xpack.triggersActionsUI.alertsTable.lastUpdated.updated": "更新しました", "xpack.triggersActionsUI.alertsTable.lastUpdated.updating": "更新中...", - "xpack.triggersActionsUI.appName": "ルールとコネクター", + "xpack.triggersActionsUI.appName": "ルール", "xpack.triggersActionsUI.bulkActions.columnHeader.AriaLabel": "すべての行を選択", "xpack.triggersActionsUI.checkActionTypeEnabled.actionTypeDisabledByConfigMessage": "このコネクターは Kibana の構成で無効になっています。", "xpack.triggersActionsUI.common.constants.comparators.groupByTypes.allDocumentsLabel": "すべてのドキュメント", @@ -31937,8 +35184,11 @@ "xpack.triggersActionsUI.components.addMessageVariables.addRuleVariableTitle": "ルール変数を追加", "xpack.triggersActionsUI.components.addMessageVariables.addVariablePopoverButton": "変数を追加", "xpack.triggersActionsUI.components.alertTable.useFetchAlerts.errorMessageText": "アラート検索でエラーが発生しました", + "xpack.triggersActionsUI.components.alertTable.useFetchBrowserFieldsCapabilities.errorMessageText": "ブラウザーフィールドの読み込み中にエラーが発生しました", + "xpack.triggersActionsUI.components.builtinActionTypes.indexAction.chooseLabel": "選択…", + "xpack.triggersActionsUI.components.builtinActionTypes.indexAction.indicesAndIndexPatternsLabel": "データビューに基づく", "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorButtonLabel": "コネクターを作成", - "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyBody": "Kibanaで実行するメール、Slack、Elasticsearch、およびサードパーティサービスを構成します。", + "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyBody": "Kibanaのさまざまなサードパーティサービスを構成します。", "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyTitle": "初めてのコネクターを作成する", "xpack.triggersActionsUI.components.emptyPrompt.emptyButton": "ルールを作成", "xpack.triggersActionsUI.components.emptyPrompt.emptyDesc": "条件が満たされたときにメール、Slack、または別のコネクターを通してアラートを受信します。", @@ -31959,8 +35209,11 @@ "xpack.triggersActionsUI.components.jsonEditorWithMessageVariable.noEditorErrorTitle": "メッセージ変数を追加できません", "xpack.triggersActionsUI.components.simpleConnectorForm.secrets.authenticationLabel": "認証", "xpack.triggersActionsUI.connectors.breadcrumbTitle": "コネクター", + "xpack.triggersActionsUI.connectors.home.appTitle": "コネクター", + "xpack.triggersActionsUI.connectors.home.description": "サードパーティソフトウェアをアラートデータに連携します。", "xpack.triggersActionsUI.data.coreQueryParams.dateStartGTdateEndErrorMessage": "[dateStart]が[dateEnd]よりも大です", "xpack.triggersActionsUI.data.coreQueryParams.intervalRequiredErrorMessage": "[interval]:[dateStart]が[dateEnd]と等しくない場合に指定する必要があります", + "xpack.triggersActionsUI.data.coreQueryParams.invalidKQLQueryErrorMessage": "フィルタークエリは無効です。", "xpack.triggersActionsUI.data.coreQueryParams.termFieldRequiredErrorMessage": "[termField]:[groupBy]がトップのときにはtermFieldが必要です", "xpack.triggersActionsUI.data.coreQueryParams.termSizeRequiredErrorMessage": "[termSize]:[groupBy]がトップのときにはtermSizeが必要です", "xpack.triggersActionsUI.deleteSelectedIdsConfirmModal.cancelButtonLabel": "キャンセル", @@ -31981,18 +35234,22 @@ "xpack.triggersActionsUI.fieldBrowser.viewAll": "すべて", "xpack.triggersActionsUI.fieldBrowser.viewLabel": "表示", "xpack.triggersActionsUI.fieldBrowser.viewSelected": "選択済み", - "xpack.triggersActionsUI.home.appTitle": "ルールとコネクター", - "xpack.triggersActionsUI.home.breadcrumbTitle": "ルールとコネクター", + "xpack.triggersActionsUI.home.appTitle": "ルール", + "xpack.triggersActionsUI.home.breadcrumbTitle": "ルール", "xpack.triggersActionsUI.home.docsLinkText": "ドキュメント", + "xpack.triggersActionsUI.home.logsTabTitle": "ログ", "xpack.triggersActionsUI.home.rulesTabTitle": "ルール", - "xpack.triggersActionsUI.home.sectionDescription": "ルールを使用して条件を検出し、コネクターを使用してアクションを実行します。", + "xpack.triggersActionsUI.home.sectionDescription": "ルールを使用する条件を検出します。", "xpack.triggersActionsUI.home.TabTitle": "アラート(内部使用のみ)", "xpack.triggersActionsUI.jsonFieldWrapper.defaultLabel": "JSONエディター", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByConfigMessageTitle": "この機能は Kibana の構成で無効になっています。", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByLicenseLinkTitle": "ライセンスオプションを表示", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByLicenseMessageDescription": "このアクションを再び有効にするには、ライセンスをアップグレードしてください。", - "xpack.triggersActionsUI.managementSection.displayDescription": "ルールを使用して条件を検出し、コネクターを使用してアクションを実行します。", - "xpack.triggersActionsUI.managementSection.displayName": "ルールとコネクター", + "xpack.triggersActionsUI.logs.breadcrumbTitle": "ログ", + "xpack.triggersActionsUI.managementSection.connectors.displayDescription": "サードパーティソフトウェアをアラートデータに連携します。", + "xpack.triggersActionsUI.managementSection.connectors.displayName": "コネクター", + "xpack.triggersActionsUI.managementSection.displayDescription": "ルールを使用する条件を検出します。", + "xpack.triggersActionsUI.managementSection.displayName": "ルール", "xpack.triggersActionsUI.ruleDetails.actions": "アクション", "xpack.triggersActionsUI.ruleDetails.conditionsTitle": "条件", "xpack.triggersActionsUI.ruleDetails.definition": "定義", @@ -32001,6 +35258,8 @@ "xpack.triggersActionsUI.ruleDetails.notifyWhen": "通知", "xpack.triggersActionsUI.ruleDetails.ruleType": "ルールタイプ", "xpack.triggersActionsUI.ruleDetails.runsEvery": "次の間隔で実行", + "xpack.triggersActionsUI.ruleDetails.securityDetectionRule": "セキュリティ検出ルール", + "xpack.triggersActionsUI.ruleEventLogList.showAllSpacesToggle": "すべてのスペースからルールを表示", "xpack.triggersActionsUI.rules.breadcrumbTitle": "ルール", "xpack.triggersActionsUI.ruleSnoozeScheduler.addSchedule": "スケジュールを追加", "xpack.triggersActionsUI.ruleSnoozeScheduler.afterOccurrencesLabel": "後", @@ -32017,6 +35276,7 @@ "xpack.triggersActionsUI.ruleSnoozeScheduler.saveSchedule": "スケジュールを保存", "xpack.triggersActionsUI.ruleSnoozeScheduler.timezoneLabel": "タイムゾーン", "xpack.triggersActionsUI.sections.actionConnectorAdd.backButtonLabel": "戻る", + "xpack.triggersActionsUI.sections.actionConnectorAdd.closeButtonLabel": "閉じる", "xpack.triggersActionsUI.sections.actionConnectorAdd.manageLicensePlanBannerLinkTitle": "ライセンスの管理", "xpack.triggersActionsUI.sections.actionConnectorAdd.saveAndTestButtonLabel": "保存してテスト", "xpack.triggersActionsUI.sections.actionConnectorAdd.saveButtonLabel": "保存", @@ -32051,8 +35311,10 @@ "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actions.runConnectorDisabledDescription": "コネクターを実行できません", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actions.runConnectorName": "実行", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actionTypeTitle": "型", + "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.compatibility": "互換性", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.fixButtonLabel": "修正", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.nameTitle": "名前", + "xpack.triggersActionsUI.sections.actionsConnectorsList.documentationButtonLabel": "ドキュメント", "xpack.triggersActionsUI.sections.actionsConnectorsList.filters.actionTypeIdName": "型", "xpack.triggersActionsUI.sections.actionsConnectorsList.loadingConnectorTypesDescription": "コネクタータイプを読み込んでいます...", "xpack.triggersActionsUI.sections.actionsConnectorsList.multipleTitle": "コネクター", @@ -32067,6 +35329,7 @@ "xpack.triggersActionsUI.sections.actionTypeForm.actionErrorToolTip": "アクションにはエラーがあります。", "xpack.triggersActionsUI.sections.actionTypeForm.actionRunWhenInActionGroup": "次のときに実行", "xpack.triggersActionsUI.sections.actionTypeForm.addNewConnectorEmptyButton": "コネクターの追加", + "xpack.triggersActionsUI.sections.addConnectorForm.flyoutHeaderCompatibility": "互換性:", "xpack.triggersActionsUI.sections.addConnectorForm.selectConnectorFlyoutTitle": "コネクターを選択", "xpack.triggersActionsUI.sections.addConnectorForm.updateSuccessNotificationText": "「{connectorName}」を作成しました", "xpack.triggersActionsUI.sections.addModalConnectorForm.cancelButtonLabel": "キャンセル", @@ -32076,6 +35339,10 @@ "xpack.triggersActionsUI.sections.alertsTable.alertsFlyout.reason": "理由", "xpack.triggersActionsUI.sections.alertsTable.column.actions": "アクション", "xpack.triggersActionsUI.sections.alertsTable.leadingControl.viewDetails": "詳細を表示", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.cancelButtonLabel": "キャンセル", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.confirmConnectorCloseMessage": "保存されていない変更は回復できません。", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.discardButtonLabel": "変更を破棄", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.title": "コネクターの保存されていない変更を破棄しますか?", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseCancelButtonText": "キャンセル", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseConfirmButtonText": "変更を破棄", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseMessage": "保存されていない変更は回復できません。", @@ -32091,10 +35358,12 @@ "xpack.triggersActionsUI.sections.connectorAddInline.unableToLoadConnectorTitle'": "コネクターを読み込めません", "xpack.triggersActionsUI.sections.connectorAddInline.unauthorizedToCreateForEmptyConnectors": "許可されたユーザーのみがコネクターを構成できます。管理者にお問い合わせください。", "xpack.triggersActionsUI.sections.deprecatedTitleMessage": "(非推奨)", + "xpack.triggersActionsUI.sections.editConnectorForm.closeButtonLabel": "閉じる", "xpack.triggersActionsUI.sections.editConnectorForm.descriptionText": "このコネクターは読み取り専用です。", "xpack.triggersActionsUI.sections.editConnectorForm.flyoutPreconfiguredTitle": "コネクターを編集", "xpack.triggersActionsUI.sections.editConnectorForm.preconfiguredHelpLabel": "あらかじめ構成されたコネクターの詳細をご覧ください。", "xpack.triggersActionsUI.sections.editConnectorForm.saveButtonLabel": "保存", + "xpack.triggersActionsUI.sections.editConnectorForm.saveButtonSavedLabel": "変更が保存されました", "xpack.triggersActionsUI.sections.editConnectorForm.tabText": "構成", "xpack.triggersActionsUI.sections.editConnectorForm.updateErrorNotificationText": "コネクターを更新できません。", "xpack.triggersActionsUI.sections.editConnectorForm.updateSuccessNotificationText": "「{connectorName}」を更新しました", @@ -32113,6 +35382,9 @@ "xpack.triggersActionsUI.sections.ruleAdd.saveErrorNotificationText": "ルールを作成できません。", "xpack.triggersActionsUI.sections.ruleAddFooter.cancelButtonLabel": "キャンセル", "xpack.triggersActionsUI.sections.ruleAddFooter.saveButtonLabel": "保存", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.filterByErrors": "エラーがあるルールでフィルター", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.property.apiKey": "API キー", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.property.snoozeSettings": "スヌーズ設定", "xpack.triggersActionsUI.sections.ruleDetails.actionWithBrokenConnectorWarningBannerEditText": "ルールを編集", "xpack.triggersActionsUI.sections.ruleDetails.actionWithBrokenConnectorWarningBannerTitle": "このルールに関連付けられたコネクターの1つで問題が発生しています。", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.avgDurationDescription": "平均時間", @@ -32122,8 +35394,11 @@ "xpack.triggersActionsUI.sections.ruleDetails.alertsList.columns.start": "開始", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.columns.status": "ステータス", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.ruleTypeExcessDurationMessage": "期間がルールの想定実行時間を超えています。", - "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.activeLabel": "アクティブ", - "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.allAlertsLabel": "すべてのアラート", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.activeLabel": "現在アクティブ", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.allAlertsLabel": "すべて", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.errorLoadingBody": "アラート概要の読み込みエラーが発生しました。ヘルプについては、管理者にお問い合わせください。", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.errorLoadingTitle": "アラート概要を読み込めません", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.last30days": "過去30日間", "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.title": "アラート", "xpack.triggersActionsUI.sections.ruleDetails.deleteRuleButtonLabel": "ルールの削除", "xpack.triggersActionsUI.sections.ruleDetails.disableRuleButtonLabel": "無効にする", @@ -32138,6 +35413,7 @@ "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.apiError": "実行履歴を取得できませんでした", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.duration": "期間", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.erroredActions": "エラーのアクション", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.erroredActionsToolTip": "失敗したアクションの数。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.esSearchDuration": "ES検索期間", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.id": "Id", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.message": "メッセージ", @@ -32145,16 +35421,22 @@ "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.openActionErrorsFlyout": "アクションエラーフライアウトを開く", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.recoveredAlerts": "回復されたアラート", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.response": "応答", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.ruleId": "ルールID", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.ruleName": "ルール", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduledActions": "生成されたアクション", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduledActionsToolTip": "ルールの実行時に生成されたアクションの合計数。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduleDelay": "遅延をスケジュール", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.searchPlaceholder": "検索イベントログメッセージ", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.showAll": "すべて表示", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.showOnlyFailures": "失敗のみを表示", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.spaceIds": "スペース", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.succeededActions": "成功したアクション", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.succeededActionsToolTip": "正常に完了したアクションの数。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.timedOut": "タイムアウトしました", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.timestamp": "タイムスタンプ", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.totalSearchDuration": "合計検索期間", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.triggeredActions": "トリガーされたアクション", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.triggeredActionsToolTip": "実行される生成済みアクションのサブセット。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.viewActionErrors": "アクションエラーを表示", "xpack.triggersActionsUI.sections.ruleDetails.eventLogStatusFilterLabel": "応答", "xpack.triggersActionsUI.sections.ruleDetails.manageLicensePlanBannerLinkTitle": "ライセンスの管理", @@ -32168,6 +35450,10 @@ "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.actionErrors": "エラーのアクション", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.close": "閉じる", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.message": "メッセージ", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.actionsTooltip": "最大10,000件の直近のルール実行のアクションステータス。", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.alertsTooltip": "最大10,000件の直近のルール実行のアラートステータス。", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.apiError": "イベントログKPIを取得できませんでした。", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.responseTooltip": "最大10,000件の直近のルール実行の応答。", "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogPaginationStatus.paginationResultsRangeNoResult": "0", "xpack.triggersActionsUI.sections.ruleDetails.rulesList.ruleLastExecutionDescription": "前回の応答", "xpack.triggersActionsUI.sections.ruleDetails.rulesList.status.active": "アクティブ", @@ -32176,6 +35462,7 @@ "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilter.enabledOptionText": "ルールが有効です", "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilter.snoozedOptionText": "ルールがスヌーズされました", "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilterButton": "ルール状態", + "xpack.triggersActionsUI.sections.ruleDetails.runRuleButtonLabel": "ルールの実行", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastMessage": "このルールには、構成した最小間隔を下回る間隔が設定されています。これはパフォーマンスに影響する場合があります。", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastMessageButton": "ルールを編集", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastTitle": "構成設定", @@ -32202,16 +35489,16 @@ "xpack.triggersActionsUI.sections.ruleForm.loadingRuleTypeParamsDescription": "ルールタイプパラメーターを読み込んでいます…", "xpack.triggersActionsUI.sections.ruleForm.loadingRuleTypesDescription": "ルールタイプを読み込んでいます…", "xpack.triggersActionsUI.sections.ruleForm.renotifyFieldLabel": "通知", - "xpack.triggersActionsUI.sections.ruleForm.renotifyWithTooltip": "ルールがアクティブな間にアクションを繰り返す頻度を定義します。", + "xpack.triggersActionsUI.sections.ruleForm.renotifyWithTooltip": "アラートがアクションを生成する頻度を定義します。", "xpack.triggersActionsUI.sections.ruleForm.ruleNameLabel": "名前", "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.label": "毎", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.description": "ルールステータスが変更されるときにアクションを実行します。", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.display": "ステータス変更時のみ", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.label": "ステータス変更時のみ", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.description": "ルールがアクティブなときは、ルール間隔でアクションが繰り返されます。", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.display": "ルールがアクティブになるたびに実行", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.label": "ルールがアクティブになるたびに実行", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.description": "設定した間隔を使用してアクションを実行します。", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.description": "アラートステータスが変更される場合にアクションを実行します。", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.display": "ステータス変更時", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.label": "ステータス変更時", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.description": "ルール条件が満たされた場合に、アクションが実行されます。", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.display": "チェック間隔", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.label": "チェック間隔", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.description": "ルール条件が満たされた場合に、アクションが実行されます。", "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.display": "カスタムアクション間隔", "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.label": "カスタムアクション間隔", "xpack.triggersActionsUI.sections.ruleForm.ruleTypeSelectLabel": "ルールタイプを選択", @@ -32220,23 +35507,43 @@ "xpack.triggersActionsUI.sections.ruleForm.tagsFieldLabel": "タグ(任意)", "xpack.triggersActionsUI.sections.ruleForm.unableToLoadRuleTypesMessage": "ルールタイプを読み込めません", "xpack.triggersActionsUI.sections.rules_list.rules_tag_badge.tagTitle": "タグ", + "xpack.triggersActionsUI.sections.rulesList.ableToRunRuleSoon": "ルールの実行がスケジュールされています", "xpack.triggersActionsUI.sections.rulesList.actionTypeFilterLabel": "アクションタイプ", "xpack.triggersActionsUI.sections.rulesList.addButton": "追加", "xpack.triggersActionsUI.sections.rulesList.addRuleButtonLabel": "ルールを作成", "xpack.triggersActionsUI.sections.rulesList.addSchedule": "スケジュールを追加", - "xpack.triggersActionsUI.sections.rulesList.addScheduleDescription": "繰り返しスケジュールを作成し、想定されたダウンタイム中にアクションを停止", + "xpack.triggersActionsUI.sections.rulesList.addScheduleDescription": "すぐにアクションを停止するか、ダウンタイムをスケジュールします。", "xpack.triggersActionsUI.sections.rulesList.applyCancelSnoozeButton": "適用", "xpack.triggersActionsUI.sections.rulesList.applySnooze": "適用", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.deleteAllTitle": "削除", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.disableAllTitle": "無効にする", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.enableAllTitle": "有効にする", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToDeleteRulesMessage": "ルールを削除できませんでした", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToSnoozeRules": "ルールをスヌーズまたはスヌーズ解除できませんでした", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToUpdateRuleAPIKeysMessage": "ルールのAPIキーを更新できませんでした", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.removeSnoozeScheduleAllTitle": "スヌーズのスケジュールを解除", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.snoozeAllTitle": "今すぐスヌーズ", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.snoozeScheduleAllTitle": "スヌーズのスケジュールを設定", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.unsnoozeAllTitle": "今すぐスヌーズ解除", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.updateRuleAPIKeysTitle": "APIキーの更新", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteCancelButton": "キャンセル", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmButton": "削除", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeFailMessage": "ルールを一括スヌーズできませんでした", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeModal.modalTitle": "今すぐスヌーズを追加", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeScheduleFailMessage": "ルールを一括スヌーズできませんでした", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeScheduleModal.modalTitle": "スヌーズスケジュールを追加", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeCancelButton": "キャンセル", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmButton": "スヌーズ解除", "xpack.triggersActionsUI.sections.rulesList.cancelSnooze": "スヌーズをキャンセル", "xpack.triggersActionsUI.sections.rulesList.cancelSnoozeConfirmCallout": "スケジュールの最新の発生のみがキャンセルされます。", "xpack.triggersActionsUI.sections.rulesList.cancelSnoozeConfirmText": "ルールアクションの定義に従ってアラートが生成されるときに通知を再開します。", + "xpack.triggersActionsUI.sections.rulesList.clearAllSelectionButton": "選択した項目をクリア", + "xpack.triggersActionsUI.sections.rulesList.cloneFailed": "ルールを複製できません", + "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.runRule": "ルールの実行", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snooze": "スヌーズ", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snoozedIndefinitely": "無期限にスヌーズ", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.updateApiKey": "APIキーの更新", + "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.cloneRuleTitle": "ルールの複製", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.deleteRuleTitle": "ルールの削除", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.disableTitle": "無効にする", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.editTitle": "ルールを編集", @@ -32261,7 +35568,7 @@ "xpack.triggersActionsUI.sections.rulesList.remainingSnoozeIndefinite": "永久", "xpack.triggersActionsUI.sections.rulesList.removeAllButton": "すべて削除", "xpack.triggersActionsUI.sections.rulesList.removeCancelButton": "キャンセル", - "xpack.triggersActionsUI.sections.rulesList.removeConfirmButton": "すべて削除", + "xpack.triggersActionsUI.sections.rulesList.removeConfirmButton": "削除", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonDecrypting": "ルールの復号中にエラーが発生しました。", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonDisabled": "ルールを実行できませんでした。ルールは無効化された後に実行されました。", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonLicense": "ルールを実行できません", @@ -32271,6 +35578,10 @@ "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonUnknown": "不明な理由でエラーが発生しました。", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonValidate": "ルールパラメータを検証するときにエラーが発生しました。", "xpack.triggersActionsUI.sections.rulesList.ruleExecutionStatusFilterLabel": "前回の応答", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeFailed": "失敗", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeFilterLabel": "前回の応答", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeSucceeded": "成功", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeWarning": "警告", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.noSnoozeAppliedTooltip": "アラートが生成されたときに通知", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.openSnoozePanel": "スヌーズパネルを開く", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozedIndefinitelyTooltip": "通知は無期限にスヌーズされました", @@ -32293,12 +35604,14 @@ "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleExecutionPercentileSelectButton": "パーセンタイルを選択", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleTypeTitle": "型", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.scheduleTitle": "間隔", + "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selectAllAriaLabel": "選択したすべてのルールを切り替え", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.durationTitle": "期間", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.lastRunTitle": "前回の実行", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.notifyTitle": "通知", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.percentileTitle": "パーセンタイル", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.successRatioTitle": "成功率", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.tagsTitle": "タグ", + "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selectShowBulkActionsAriaLabel": "一括アクションを表示", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.stateTitle": "ステータス", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.successRatioTitle": "このルールが正常に実行される頻度。", "xpack.triggersActionsUI.sections.rulesList.ruleStatusActive": "アクティブ", @@ -32311,6 +35624,7 @@ "xpack.triggersActionsUI.sections.rulesList.ruleStatusWarning": "警告", "xpack.triggersActionsUI.sections.rulesList.ruleTagFilterButton": "タグ", "xpack.triggersActionsUI.sections.rulesList.ruleTypeExcessDurationMessage": "期間がルールの想定実行時間を超えています。", + "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonMaxAlerts": "アラート制限を超えました", "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonMaxExecutableActions": "アクション制限超過", "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonUnknown": "不明な理由", "xpack.triggersActionsUI.sections.rulesList.searchPlaceholderTitle": "検索", @@ -32334,6 +35648,7 @@ "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleStatusInfoMessage": "ルールステータス情報を読み込めません", "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleTags": "ルールタグを読み込めません", "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleTypesMessage": "ルールタイプを読み込めません", + "xpack.triggersActionsUI.sections.rulesList.unableToRunRuleSoon": "ルールの実行をスケジュールできません", "xpack.triggersActionsUI.sections.rulesList.weeksLabel": "週", "xpack.triggersActionsUI.sections.testConnectorForm.awaitingExecutionDescription": "ルールを実行すると、結果がここに表示されます。", "xpack.triggersActionsUI.sections.testConnectorForm.createActionHeader": "アクションを作成", @@ -32393,7 +35708,7 @@ "xpack.upgradeAssistant.overview.deprecationLogs.deniedPrivilegeDescription": "廃止予定ログのインデックスは続行されますが、次の読み取りインデックス{privilegesCount, plural, other {権限}}が付与されるまでは分析できません:{missingPrivileges}", "xpack.upgradeAssistant.overview.logsStep.countDescription": "{checkpoint}以降、{deprecationCount, plural, =0 {0} other {{deprecationCount}}}個の廃止予定の{deprecationCount, plural, other {問題}}があります。", "xpack.upgradeAssistant.overview.logsStep.missingPrivilegesDescription": "廃止予定ログのインデックスは続行されますが、次の読み取りインデックス{privilegesCount, plural, other {権限}}が付与されるまでは分析できません:{missingPrivileges}", - "xpack.upgradeAssistant.overview.systemIndices.body": "アップグレードの内部情報を格納するシステムインデックスを準備します。インデックスを再作成する必要があるすべての{hiddenIndicesLink}は次のステップで表示されます。", + "xpack.upgradeAssistant.overview.systemIndices.body": "アップグレードの内部情報を格納するシステムインデックスを準備します。これはメジャーバージョンアップグレード中にのみ必要です。インデックスを再作成する必要があるすべての{hiddenIndicesLink}は次のステップで表示されます。", "xpack.upgradeAssistant.overview.systemIndices.migrationFailedBody": "{feature}のシステムインデックスの移行中にエラーが発生しました:{failureCause}", "xpack.upgradeAssistant.overview.verifyChanges.calloutTitle": "{previousCheck}以降{warningsCount, plural, =0 {0} other {{warningsCount}}}件の廃止予定{warningsCount, plural , other {件の問題}}", "xpack.upgradeAssistant.reindex.reindexPrivilegesErrorBatch": "「{indexName}」に再インデックスするための権限が不十分です。", @@ -32489,7 +35804,7 @@ "xpack.upgradeAssistant.esDeprecations.mlSnapshots.upgradeModeEnabledDocsLink": "詳細", "xpack.upgradeAssistant.esDeprecations.mlSnapshots.upgradeModeEnabledErrorTitle": "機械学習アップグレードモードが有効です", "xpack.upgradeAssistant.esDeprecations.nodeDeprecationTypeLabel": "ノード", - "xpack.upgradeAssistant.esDeprecations.pageDescription": "アップグレード前に重要な問題をすべて解決してください。変更を行う前に、クラスターの現在のスナップショットがあることを確認してください。機械学習データを格納するために使用されるインデックスなどの非表示のインデックスを含む、7.0より前に作成されたインデックスは再作成または削除されます。", + "xpack.upgradeAssistant.esDeprecations.pageDescription": "アップグレード前に重要な問題をすべて解決してください。変更を行う前に、クラスターの現在のスナップショットがあることを確認してください。", "xpack.upgradeAssistant.esDeprecations.pageTitle": "Elasticsearchの廃止予定の問題", "xpack.upgradeAssistant.esDeprecations.reindex.manualCellTooltipLabel": "この問題は自動的に解決する必要があります。", "xpack.upgradeAssistant.esDeprecations.reindex.reindexCanceledText": "再インデックスはキャンセルされました", @@ -32566,6 +35881,7 @@ "xpack.upgradeAssistant.overview.apiCompatibilityNoteTitle": "API互換性ヘッダーを適用(オプション)", "xpack.upgradeAssistant.overview.backupStepDescription": "変更を行う前に、現在のスナップショットがあることを確認してください。", "xpack.upgradeAssistant.overview.backupStepTitle": "データをバックアップ", + "xpack.upgradeAssistant.overview.checkUpcomingVersion": "最新バージョンのElastic Stackを使用していない場合は、アップグレードアシスタンスを使用して、次回のアップグレードを準備してください。", "xpack.upgradeAssistant.overview.cloudBackup.loadingError": "最新のスナップショットステータスの取得中にエラーが発生しました", "xpack.upgradeAssistant.overview.cloudBackup.noSnapshotMessage": "データはバックアップされていません。", "xpack.upgradeAssistant.overview.cloudBackup.retryButton": "再試行", @@ -32583,7 +35899,7 @@ "xpack.upgradeAssistant.overview.deprecationsCountCheckpointTitle": "廃止予定の問題を解決して変更を検証", "xpack.upgradeAssistant.overview.documentationLinkText": "ドキュメント", "xpack.upgradeAssistant.overview.errorLoadingUpgradeStatus": "アップグレードステータスの取得中にエラーが発生しました", - "xpack.upgradeAssistant.overview.fixIssuesStepDescription": "Elastic 8.xにアップグレードする前に、重大なElasticsearchおよびKibana構成の問題を解決する必要があります。警告を無視すると、アップグレード後に動作が変更される場合があります。", + "xpack.upgradeAssistant.overview.fixIssuesStepDescription": "次のバージョンのElastic Stackにアップグレードする前に、重大なElasticsearchおよびKibana構成の問題を解決する必要があります。警告を無視すると、アップグレード後に動作が変更される場合があります。", "xpack.upgradeAssistant.overview.fixIssuesStepTitle": "廃止予定設定を確認し、問題を解決", "xpack.upgradeAssistant.overview.loadingLogsLabel": "廃止予定ログ収集状態を読み込んでいます...", "xpack.upgradeAssistant.overview.loadingUpgradeStatus": "アップグレードステータスを読み込んでいます", @@ -32596,7 +35912,7 @@ "xpack.upgradeAssistant.overview.logsStep.viewLogsButtonLabel": "ログを表示", "xpack.upgradeAssistant.overview.observe.discoveryDescription": "廃止予定ログを検索およびフィルターし、必要な変更のタイプを把握します。", "xpack.upgradeAssistant.overview.observe.observabilityDescription": "使用中のAPIのうち廃止予定のAPIと、更新が必要なアプリケーションを特定できます。", - "xpack.upgradeAssistant.overview.pageDescription": "次のバージョンのElasticをお待ちください。", + "xpack.upgradeAssistant.overview.pageDescription": "次のバージョンのElastic Stackをお待ちください。", "xpack.upgradeAssistant.overview.pageTitle": "アップグレードアシスタント", "xpack.upgradeAssistant.overview.snapshotRestoreLink": "スナップショットの作成", "xpack.upgradeAssistant.overview.systemIndices.body.hiddenIndicesLink": "非表示のインデックス", @@ -32611,7 +35927,7 @@ "xpack.upgradeAssistant.overview.systemIndices.migrationCompleteLabel": "移行完了", "xpack.upgradeAssistant.overview.systemIndices.migrationFailedTitle": "システムインデックスの移行が失敗しました", "xpack.upgradeAssistant.overview.systemIndices.needsMigrationLabel": "移行が必要", - "xpack.upgradeAssistant.overview.systemIndices.noMigrationNeeded": "移行完了", + "xpack.upgradeAssistant.overview.systemIndices.noMigrationNeeded": "システムインデックスの移行は不要です。", "xpack.upgradeAssistant.overview.systemIndices.retryButtonLabel": "移行の再試行", "xpack.upgradeAssistant.overview.systemIndices.startButtonLabel": "インデックスの移行", "xpack.upgradeAssistant.overview.systemIndices.statusTableColumn": "ステータス", @@ -32620,9 +35936,9 @@ "xpack.upgradeAssistant.overview.upgradeGuideLink": "アップグレードガイドを表示", "xpack.upgradeAssistant.overview.upgradeStatus.retryButton": "再試行", "xpack.upgradeAssistant.overview.upgradeStepCloudLink": "クラウドでアップグレード", - "xpack.upgradeAssistant.overview.upgradeStepDescription": "重要な問題をすべて解決し、アプリケーションの準備を確認した後に、Elastic 8.xにアップグレードできます。アップグレードする前に、必ずもう一度データをバックアップしたことを確認してください。", - "xpack.upgradeAssistant.overview.upgradeStepDescriptionForCloud": "重要な問題をすべて解決し、アプリケーションの準備を確認した後に、Elastic 8.xにアップグレードできます。アップグレードする前に、必ずもう一度データをバックアップしたことを確認してください。Elastic Cloudでデプロイをアップグレードします。", - "xpack.upgradeAssistant.overview.upgradeStepTitle": "Elastic 8.xへのアップグレード", + "xpack.upgradeAssistant.overview.upgradeStepDescription": "重要な問題をすべて解決し、アプリケーションの準備を確認した後に、次のバージョンのElastic Stackにアップグレードできます。アップグレードする前に、必ずもう一度データをバックアップしたことを確認してください。", + "xpack.upgradeAssistant.overview.upgradeStepDescriptionForCloud": "重要な問題をすべて解決し、アプリケーションの準備を確認した後に、次のバージョンのElastic Stackにアップグレードできます。アップグレードする前に、必ずもう一度データをバックアップしたことを確認してください。Elastic Cloudでデプロイをアップグレードします。", + "xpack.upgradeAssistant.overview.upgradeStepTitle": "Elastic Stackをアップグレード", "xpack.upgradeAssistant.overview.verifyChanges.calloutBody": "変更した後、カウンターをリセットして監視を続け、廃止予定の機能を使用していないことを確認します。", "xpack.upgradeAssistant.overview.verifyChanges.errorToastTitle": "廃止予定ログキャッシュを削除できませんでした", "xpack.upgradeAssistant.overview.verifyChanges.loadingError": "廃止予定件数の取得中にエラーが発生しました", @@ -32630,7 +35946,7 @@ "xpack.upgradeAssistant.overview.verifyChanges.retryButton": "再試行", "xpack.upgradeAssistant.overview.viewDiscoverResultsAction": "Discoverでログを分析", "xpack.upgradeAssistant.overview.viewObservabilityResultsAction": "Observabilityで廃止予定ログを表示", - "xpack.upgradeAssistant.overview.whatsNewLink": "8.xの新機能", + "xpack.upgradeAssistant.overview.whatsNewLink": "最新リリースのハイライトを確認", "xpack.upgradeAssistant.status.allDeprecationsResolvedMessage": "すべての廃止予定の警告が解決されました。", "xpack.upgradeAssistant.upgradedDescription": "すべての Elasticsearch ノードがアップグレードされました。Kibana をアップデートする準備ができました。", "xpack.upgradeAssistant.upgradedTitle": "クラスターがアップグレードされました", @@ -32847,19 +36163,21 @@ "xpack.watcher.breadcrumb.editLabel": "編集", "xpack.watcher.breadcrumb.listLabel": "Watcher", "xpack.watcher.breadcrumb.statusLabel": "ステータス", - "xpack.watcher.constants.actionStates.acknowledgedStateText": "承認済み", + "xpack.watcher.constants.actionStates.acknowledgedStateText": "認識", "xpack.watcher.constants.actionStates.configErrorStateText": "構成エラー", "xpack.watcher.constants.actionStates.errorStateText": "エラー", "xpack.watcher.constants.actionStates.okStateText": "OK", "xpack.watcher.constants.actionStates.throttledStateText": "スロットル", "xpack.watcher.constants.actionStates.unknownStateText": "不明", - "xpack.watcher.constants.watchStateComments.acknowledgedStateCommentText": "承認済み", + "xpack.watcher.constants.watchStateComments.acknowledgedStateCommentText": "認識", "xpack.watcher.constants.watchStateComments.executionFailingStateCommentText": "実行失敗", - "xpack.watcher.constants.watchStateComments.partiallyAcknowledgedStateCommentText": "部分承認済み", + "xpack.watcher.constants.watchStateComments.partiallyAcknowledgedStateCommentText": "一部確認済み", "xpack.watcher.constants.watchStateComments.partiallyThrottledStateCommentText": "部分スロットル", "xpack.watcher.constants.watchStateComments.throttledStateCommentText": "スロットル", + "xpack.watcher.constants.watchStates.activeStateText": "アクティブ", "xpack.watcher.constants.watchStates.configErrorStateText": "構成エラー", "xpack.watcher.constants.watchStates.errorStateText": "エラー", + "xpack.watcher.constants.watchStates.inactiveStateText": "非アクティブ", "xpack.watcher.deleteSelectedWatchesConfirmModal.cancelButtonLabel": "キャンセル", "xpack.watcher.models.baseAction.selectMessageText": "アクションを実行します。", "xpack.watcher.models.baseAction.simulateButtonLabel": "今すぐこのアクションをシミュレート", @@ -32895,6 +36213,8 @@ "xpack.watcher.models.thresholdWatch.selectMessageText": "特定の条件でアラートを送信します", "xpack.watcher.models.thresholdWatch.sendAlertOnSpecificConditionTitleDescription": "特定の条件が満たされた時にアラートを送信します。", "xpack.watcher.models.thresholdWatch.typeName": "しきい値アラート", + "xpack.watcher.models.watchStatus.idPropertyMissingBadRequestMessage": "JSON引数にはidプロパティが含まれている必要があります", + "xpack.watcher.models.watchStatus.watchStatusJsonPropertyMissingBadRequestMessage": "JSON引数にはwatchStatusJsonプロパティが含まれている必要があります", "xpack.watcher.models.webhookAction.selectMessageText": "Web サービスにリクエストを送信してください。", "xpack.watcher.models.webhookAction.simulateButtonLabel": "リクエストの送信", "xpack.watcher.models.webhookAction.typeName": "Webフック", @@ -32917,6 +36237,7 @@ "xpack.watcher.sections.watchDetail.watchTable.errorsHeader": "エラー", "xpack.watcher.sections.watchDetail.watchTable.noWatchesMessage": "表示するアクションがありません", "xpack.watcher.sections.watchDetail.watchTable.stateHeader": "ステータス", + "xpack.watcher.sections.watchDetail.watchTable.stateHeader.tooltipText": "OK、確認済み、調整済み、またはエラー。", "xpack.watcher.sections.watchEdit.actions.addActionButtonLabel": "アクションの追加", "xpack.watcher.sections.watchEdit.actions.disabledOptionLabel": "無効です。elasticsearch.ymlを構成します。", "xpack.watcher.sections.watchEdit.errorLoadingWatchVisualizationTitle": "ウォッチビジュアライゼーションを読み込めません。", @@ -33039,7 +36360,10 @@ "xpack.watcher.sections.watchHistory.timeSpan.6M": "過去6か月間", "xpack.watcher.sections.watchHistory.timeSpan.7d": "過去 7 日間", "xpack.watcher.sections.watchHistory.watchActionStatusTable.id": "名前", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.lastExecuted": "前回実行日時", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.lastExecuted.tooltipText": "このアクションが最後に実行された日時。", "xpack.watcher.sections.watchHistory.watchActionStatusTable.state": "ステータス", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.state.tooltipText": "OK、確認済み、調整済み、またはエラー。", "xpack.watcher.sections.watchHistory.watchExecutionErrorTitle": "実行履歴の読み込み中にエラーが発生しました", "xpack.watcher.sections.watchHistory.watchHistoryDetail.actionsTitle": "アクション", "xpack.watcher.sections.watchHistory.watchHistoryDetail.errorTitle": "実行詳細", @@ -33047,11 +36371,15 @@ "xpack.watcher.sections.watchHistory.watchHistoryDetailsErrorTitle": "実行詳細の読み込み中にエラーが発生しました", "xpack.watcher.sections.watchHistory.watchTable.activateWatchLabel": "有効化", "xpack.watcher.sections.watchHistory.watchTable.commentHeader": "コメント", + "xpack.watcher.sections.watchHistory.watchTable.commentHeader.tooltipText": "アクションが調整または確認されたか、あるいは実行が失敗したかどうか。", "xpack.watcher.sections.watchHistory.watchTable.deactivateWatchLabel": "無効化", + "xpack.watcher.sections.watchHistory.watchTable.metConditionHeader": "条件が満たされました", + "xpack.watcher.sections.watchHistory.watchTable.metConditionHeader.tooltipText": "条件が満たされ、アクションが実行されたかどうか。", "xpack.watcher.sections.watchHistory.watchTable.noCurrentStatus": "表示する実行履歴がありません", "xpack.watcher.sections.watchHistory.watchTable.noWatchesMessage": "表示する現在のステータスがありません", "xpack.watcher.sections.watchHistory.watchTable.startTimeHeader": "トリガー時刻", "xpack.watcher.sections.watchHistory.watchTable.stateHeader": "ステータス", + "xpack.watcher.sections.watchHistory.watchTable.stateHeader.tooltipText": "アクティブまたはエラー状態。", "xpack.watcher.sections.watchList.createAdvancedWatchButtonLabel": "高度なウォッチを作成", "xpack.watcher.sections.watchList.createAdvancedWatchTooltip": "JSON のカスタムウォッチをセットアップします。", "xpack.watcher.sections.watchList.createThresholdAlertButtonLabel": "しきい値アラートを作成", @@ -33075,13 +36403,17 @@ "xpack.watcher.sections.watchList.watchTable.actionEditTooltipLabel": "編集", "xpack.watcher.sections.watchList.watchTable.actionHeader": "アクション", "xpack.watcher.sections.watchList.watchTable.commentHeader": "コメント", + "xpack.watcher.sections.watchList.watchTable.commentHeader.tooltipText": "アクションが確認または調整されたか、あるいは実行が失敗したかどうか。", "xpack.watcher.sections.watchList.watchTable.disabledWatchTooltipText": "このウォッチは読み取り専用です", "xpack.watcher.sections.watchList.watchTable.idHeader": "ID", - "xpack.watcher.sections.watchList.watchTable.lastFiredHeader": "最終実行", - "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader": "最終トリガー実行", + "xpack.watcher.sections.watchList.watchTable.lastFiredHeader": "前回条件が満たされた日時", + "xpack.watcher.sections.watchList.watchTable.lastFiredHeader.tooltipText": "最後に条件が満たされ、アクションが実行された日付。", + "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader": "前回確認日時", + "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader.tooltipText": "最後に条件が確認された日時。", "xpack.watcher.sections.watchList.watchTable.nameHeader": "名前", "xpack.watcher.sections.watchList.watchTable.noWatchesMessage": "表示するウォッチがありません", "xpack.watcher.sections.watchList.watchTable.stateHeader": "ステータス", + "xpack.watcher.sections.watchList.watchTable.stateHeader.tooltipText": "アクティブ、非アクティブ、またはエラー。", "xpack.watcher.sections.watchStatus.actionsTabLabel": "アクションステータス", "xpack.watcher.sections.watchStatus.executionHistoryTabLabel": "実行履歴", "xpack.watcher.sections.watchStatus.loadingWatchDetailsDescription": "ウォッチ詳細を読み込み中…", @@ -33115,28 +36447,30 @@ "alerts.documentationTitle": "ドキュメンテーションを表示", "alerts.noPermissionsMessage": "アラートを表示するには、Kibanaスペースでアラート機能の権限が必要です。詳細については、Kibana管理者に連絡してください。", "alerts.noPermissionsTitle": "Kibana機能権限が必要です", - "autocomplete.fieldRequiredError": "値を空にすることはできません", - "autocomplete.invalidDateError": "有効な日付ではありません", - "autocomplete.invalidNumberError": "有効な数値ではありません", - "autocomplete.loadingDescription": "読み込み中...", - "autocomplete.selectField": "最初にフィールドを選択してください...", "bfetch.disableBfetch": "リクエストバッチを無効にする", "bfetch.disableBfetchCompression": "バッチ圧縮を無効にする", "bfetch.disableBfetchCompressionDesc": "バッチ圧縮を無効にします。個別の要求をデバッグできますが、応答サイズが大きくなります。", "bfetch.disableBfetchDesc": "リクエストバッチを無効にします。これにより、KibanaからのHTTPリクエスト数は減りますが、個別にリクエストをデバッグできます。", + "cases.components.status.closed": "終了", + "cases.components.status.inProgress": "進行中", + "cases.components.status.open": "開く", "devTools.badge.betaLabel": "ベータ", "devTools.badge.betaTooltipText": "この機能は将来のリリースで大幅に変更される可能性があります", "devTools.badge.readOnly.text": "読み取り専用", "devTools.badge.readOnly.tooltip": "を保存できませんでした", "devTools.breadcrumb.homeLabel": "開発ツール", "devTools.devToolsTitle": "開発ツール", + "eventAnnotation.fetch.description": "イベント注釈の取得", "eventAnnotation.fetchEventAnnotations.args.annotationConfigs": "注釈構成", "eventAnnotation.fetchEventAnnotations.args.interval.help": "このアグリゲーションで使用する間隔", "eventAnnotation.fetchEventAnnotations.description": "イベント注釈を取得", "eventAnnotation.group.args.annotationConfigs": "注釈構成", + "eventAnnotation.group.args.annotationConfigs.dataView.help": "indexPatternLoad で取得されたデータビュー", + "eventAnnotation.group.args.annotationGroups": "注釈グループ", "eventAnnotation.group.description": "イベント注釈グループ", "eventAnnotation.manualAnnotation.args.color": "行の色", "eventAnnotation.manualAnnotation.args.icon": "注釈行で使用される任意のアイコン", + "eventAnnotation.manualAnnotation.args.id": "注釈のID", "eventAnnotation.manualAnnotation.args.isHidden": "注釈を非表示", "eventAnnotation.manualAnnotation.args.label": "注釈の名前", "eventAnnotation.manualAnnotation.args.lineStyle": "注釈行のスタイル", @@ -33145,6 +36479,26 @@ "eventAnnotation.manualAnnotation.args.time": "注釈のタイムスタンプ", "eventAnnotation.manualAnnotation.defaultAnnotationLabel": "イベント", "eventAnnotation.manualAnnotation.description": "手動注釈の構成", + "eventAnnotation.queryAnnotation.args.color": "行の色", + "eventAnnotation.queryAnnotation.args.field": "注釈の追加フィールド", + "eventAnnotation.queryAnnotation.args.filter": "注釈フィルター", + "eventAnnotation.queryAnnotation.args.icon": "注釈行で使用される任意のアイコン", + "eventAnnotation.queryAnnotation.args.id": "注釈のID", + "eventAnnotation.queryAnnotation.args.isHidden": "注釈を非表示", + "eventAnnotation.queryAnnotation.args.label": "注釈の名前", + "eventAnnotation.queryAnnotation.args.lineStyle": "注釈行のスタイル", + "eventAnnotation.queryAnnotation.args.lineWidth": "注釈行の幅", + "eventAnnotation.queryAnnotation.args.textField": "注釈ラベルで使用されるフィールド名", + "eventAnnotation.queryAnnotation.args.textVisibility": "注釈行のラベルの表示", + "eventAnnotation.queryAnnotation.args.timeField": "注釈の時間フィールド", + "eventAnnotation.queryAnnotation.description": "手動注釈の構成", + "eventAnnotation.rangeAnnotation.args.color": "行の色", + "eventAnnotation.rangeAnnotation.args.endTime": "範囲注釈のタイムスタンプ", + "eventAnnotation.rangeAnnotation.args.id": "注釈のID", + "eventAnnotation.rangeAnnotation.args.isHidden": "注釈を非表示", + "eventAnnotation.rangeAnnotation.args.label": "注釈の名前", + "eventAnnotation.rangeAnnotation.args.time": "注釈のタイムスタンプ", + "eventAnnotation.rangeAnnotation.description": "手動注釈の構成", "expressionHeatmap.function.args.addTooltipHelpText": "カーソルを置いたときにツールチップを表示", "expressionHeatmap.function.args.grid.isCellLabelVisible.help": "セルラベルの表示・非表示を指定します。", "expressionHeatmap.function.args.grid.isXAxisLabelVisible.help": "x軸のラベルを表示するかどうかを指定します。", @@ -33181,6 +36535,7 @@ "expressionHeatmap.visualizationName": "ヒートマップ", "expressionLegacyMetricVis.filterTitle": "クリックすると、フィールドでフィルタリングします", "expressionLegacyMetricVis.function.autoScale.help": "自動スケールを有効にする", + "expressionLegacyMetricVis.function.autoScaleMetricAlignment.help": "スケール後のメトリック調整", "expressionLegacyMetricVis.function.bucket.help": "バケットディメンションの構成です。", "expressionLegacyMetricVis.function.colorFullBackground.help": "選択した背景色をビジュアライゼーションコンテナー全体に適用します", "expressionLegacyMetricVis.function.colorMode.help": "色を変更するメトリックの部分", @@ -33214,6 +36569,8 @@ "expressionTagcloud.functions.tagcloudHelpText": "Tagcloudのビジュアライゼーションです。", "expressionTagcloud.renderer.tagcloud.displayName": "Tag Cloudのビジュアライゼーションです", "expressionTagcloud.renderer.tagcloud.helpDescription": "Tag Cloudを表示", + "files.featureRegistry.filesFeatureName": "ファイル", + "files.featureRegistry.filesPrivilegesTooltip": "すべてのアプリでファイルへのアクセスを許可", "flot.pie.unableToDrawLabelsInsideCanvasErrorMessage": "キャンバス内のラベルではパイを作成できません", "flot.time.aprLabel": "4 月", "flot.time.augLabel": "8 月", @@ -33258,6 +36615,11 @@ "monaco.painlessLanguage.autocomplete.emitKeywordDescription": "戻らずに値を発行します。", "monaco.painlessLanguage.autocomplete.fieldValueDescription": "フィールド「{fieldName}」の値を取得します", "monaco.painlessLanguage.autocomplete.paramsKeywordDescription": "スクリプトに渡された変数にアクセスします。", + "savedObjectsFinder.filterButtonLabel": "タイプ", + "savedObjectsFinder.titleDescription": "保存されたオブジェクトのタイトルです", + "savedObjectsFinder.titleName": "タイトル", + "savedObjectsFinder.typeDescription": "保存されたオブジェクトのタイプです", + "savedObjectsFinder.typeName": "型", "uiActions.actionPanel.more": "詳細", "uiActions.actionPanel.title": "オプション", "uiActions.errors.incompatibleAction": "操作に互換性がありません", @@ -33399,6 +36761,12 @@ "visTypeTagCloud.visParams.orientationsLabel": "方向", "visTypeTagCloud.visParams.showLabelToggleLabel": "ラベルを表示", "visTypeTagCloud.visParams.textScaleLabel": "テキストスケール", + "xpack.cloudChat.chatFrameTitle": "チャット", + "xpack.cloudChat.hideChatButtonLabel": "グラフを非表示", + "xpack.cloudLinks.deploymentLinkLabel": "このデプロイの管理", + "xpack.cloudLinks.setupGuide": "セットアップガイド", + "xpack.cloudLinks.userMenuLinks.accountLinkText": "会計・請求", + "xpack.cloudLinks.userMenuLinks.profileLinkText": "プロフィールを編集", "xpack.dashboard.components.DashboardDrilldownConfig.chooseDestinationDashboard": "対象ダッシュボードを選択", "xpack.dashboard.components.DashboardDrilldownConfig.openInNewTab": "新しいタブでダッシュボードを開く", "xpack.dashboard.components.DashboardDrilldownConfig.useCurrentDateRange": "元のダッシュボードから日付範囲を使用", diff --git a/x-pack/plugins/translations/translations/zh-CN.json b/x-pack/plugins/translations/translations/zh-CN.json index 10f9661290631..389db75cee00d 100644 --- a/x-pack/plugins/translations/translations/zh-CN.json +++ b/x-pack/plugins/translations/translations/zh-CN.json @@ -93,6 +93,7 @@ "advancedSettings.callOutCautionTitle": "注意:在这里您可能会使问题出现", "advancedSettings.categoryNames.dashboardLabel": "仪表板", "advancedSettings.categoryNames.discoverLabel": "Discover", + "advancedSettings.categoryNames.enterpriseSearchLabel": "Enterprise Search", "advancedSettings.categoryNames.generalLabel": "常规", "advancedSettings.categoryNames.machineLearningLabel": "Machine Learning", "advancedSettings.categoryNames.notificationsLabel": "通知", @@ -128,9 +129,20 @@ "advancedSettings.searchBar.unableToParseQueryErrorMessage": "无法解析查询", "advancedSettings.searchBarAriaLabel": "搜索高级设置", "advancedSettings.voiceAnnouncement.ariaLabel": "“高级设置”的结果信息", + "autocomplete.customOptionText": "将 {searchValuePlaceholder} 添加为定制字段", + "autocomplete.fieldRequiredError": "值不能为空", + "autocomplete.fieldSpaceWarning": "警告:不会显示此值开头或结尾的空格。", + "autocomplete.invalidBinaryType": "当前不支持二进制字段", + "autocomplete.invalidDateError": "不是有效日期", + "autocomplete.invalidNumberError": "不是有效数字", + "autocomplete.listsTooltipWarning": "将禁用无法由此规则类型处理的列表。", + "autocomplete.loadingDescription": "正在加载……", + "autocomplete.seeDocumentation": "参阅文档", + "autocomplete.selectField": "请首先选择字段......", "charts.advancedSettings.visualization.colorMappingText": "使用兼容性调色板将值映射到图表中的特定颜色。", "charts.colorPicker.setColor.screenReaderDescription": "为值 {legendDataLabel} 设置颜色", "charts.functions.palette.args.colorHelpText": "调色板颜色。接受 {html} 颜色名称 {hex}、{hsl}、{hsla}、{rgb} 或 {rgba}。", + "charts.warning.warningLabel": "{numberWarnings, number} 个{numberWarnings, plural, other {警告}}", "charts.advancedSettings.visualization.colorMappingTextDeprecation": "此设置已过时,在未来版本中将不受支持。", "charts.advancedSettings.visualization.colorMappingTitle": "颜色映射", "charts.advancedSettings.visualization.useLegacyTimeAxis.description": "在 Lens、Discover、Visualize 和 TSVB 中为图表启用旧版时间轴", @@ -173,17 +185,22 @@ "coloring.dynamicColoring.customPalette.distributeValues": "分配值", "coloring.dynamicColoring.customPalette.distributeValuesAriaLabel": "分配值", "coloring.dynamicColoring.customPalette.invalidMaxValue": "最大值必须大于之前的值", + "coloring.dynamicColoring.customPalette.invalidPercentValue": "百分比值必须介于 0 和 100 之间", "coloring.dynamicColoring.customPalette.invalidValueOrColor": "至少一个颜色范围包含错误的值或颜色", "coloring.dynamicColoring.customPalette.maximumStepsApplied": "您已应用最大步数", - "coloring.dynamicColoring.customPalette.maxValuePlaceholder": "最大值", - "coloring.dynamicColoring.customPalette.minValuePlaceholder": "最小值", + "coloring.dynamicColoring.customPalette.maxValuePlaceholder": "无最大值", + "coloring.dynamicColoring.customPalette.maxValuePlaceholderPercentage": "100", + "coloring.dynamicColoring.customPalette.minValuePlaceholder": "无最小值", + "coloring.dynamicColoring.customPalette.minValuePlaceholderPercentage": "0", "coloring.dynamicColoring.customPalette.oneColorRange": "需要多种颜色", "coloring.dynamicColoring.customPalette.reverseColors": "反转颜色", "coloring.dynamicColoring.customPalette.selectNewColor": "选择新颜色", "coloring.dynamicColoring.customPalette.setCustomMaxValue": "设置定制最小值", "coloring.dynamicColoring.customPalette.setCustomMinValue": "设置定制最大值", - "coloring.dynamicColoring.customPalette.useAutoMaxValue": "使用最大数据值", - "coloring.dynamicColoring.customPalette.useAutoMinValue": "使用最小数据值", + "coloring.dynamicColoring.customPalette.useAutoMaxValue": "无最大值", + "coloring.dynamicColoring.customPalette.useAutoMaxValuePercentage": "使用最大百分比", + "coloring.dynamicColoring.customPalette.useAutoMinValue": "无最小值", + "coloring.dynamicColoring.customPalette.useAutoMinValuePercentage": "使用最小百分比", "coloring.dynamicColoring.customPaletteAriaLabel": "反转颜色", "coloring.dynamicColoring.palettePicker.colorRangesLabel": "颜色范围", "coloring.dynamicColoring.palettePicker.label": "调色板", @@ -260,6 +277,7 @@ "console.settingsPage.autocompleteLabel": "自动完成", "console.settingsPage.cancelButtonLabel": "取消", "console.settingsPage.dataStreamsLabelText": "数据流", + "console.settingsPage.enableKeyboardShortcutsLabel": "启用键盘快捷键", "console.settingsPage.fieldsLabelText": "字段", "console.settingsPage.fontSizeLabel": "字体大小", "console.settingsPage.historyLabel": "历史记录", @@ -268,13 +286,14 @@ "console.settingsPage.keyboardShortcutsLabel": "快捷键", "console.settingsPage.pageTitle": "控制台设置", "console.settingsPage.refreshButtonLabel": "刷新自动完成建议", - "console.settingsPage.refreshingDataDescription": "控制台通过查询 Elasticsearch 来刷新自动完成建议。建议降低刷新频率以节省带宽成本。", + "console.settingsPage.refreshingDataDescription": "控制台通过查询 Elasticsearch 来刷新自动完成建议。降低刷新频率以节省带宽成本。", "console.settingsPage.refreshingDataLabel": "刷新频率", "console.settingsPage.refreshInterval.everyHourTimeInterval": "每小时", "console.settingsPage.refreshInterval.onceTimeInterval": "一次,控制台加载时", "console.settingsPage.saveButtonLabel": "保存", + "console.settingsPage.saveRequestsToHistoryLabel": "将请求保存到历史记录", "console.settingsPage.templatesLabelText": "模板", - "console.settingsPage.tripleQuotesMessage": "在输出窗格中使用三重引号", + "console.settingsPage.tripleQuotesMessage": "在输出中使用三重引号", "console.settingsPage.wrapLongLinesLabelText": "长行换行", "console.splitPanel.adjustPanelSizeAriaLabel": "按左/右箭头键调整面板大小", "console.topNav.helpTabDescription": "帮助", @@ -306,13 +325,61 @@ "console.welcomePage.quickTipsTitle": "有几个需要您注意的有用提示", "console.welcomePage.supportedRequestFormatDescription": "键入请求时,控制台将提供建议,您可以通过按 Enter/Tab 键来接受建议。这些建议基于请求结构以及索引和类型进行提供。", "console.welcomePage.supportedRequestFormatTitle": "Console 理解紧凑格式的请求,类似于 cURL:", + "contentManagement.inspector.metadataForm.unableToSaveDangerMessage": "无法保存 {entityName}", + "contentManagement.inspector.saveButtonLabel": "更新 {entityName}", + "contentManagement.tableList.listing.createNewItemButtonLabel": "创建 {entityName}", + "contentManagement.tableList.listing.deleteButtonMessage": "删除 {itemCount} 个 {entityName}", + "contentManagement.tableList.listing.deleteConfirmModalDescription": "无法恢复删除的 {entityNamePlural}。", + "contentManagement.tableList.listing.deleteSelectedConfirmModal.title": "删除 {itemCount} 个 {entityName}?", + "contentManagement.tableList.listing.fetchErrorDescription": "无法提取 {entityName} 列表:{message}。", + "contentManagement.tableList.listing.listingLimitExceededDescription": "您有 {totalItems} 个{entityNamePlural},但您的“{listingLimitText}”设置阻止下表显示 {listingLimitValue} 个以上。", + "contentManagement.tableList.listing.listingLimitExceededDescriptionPermissions": "您可以在“{advancedSettingsLink}”下更改此设置。", + "contentManagement.tableList.listing.noAvailableItemsMessage": "没有可用的{entityNamePlural}。", + "contentManagement.tableList.listing.noMatchedItemsMessage": "没有任何{entityNamePlural}匹配您的搜索。", + "contentManagement.tableList.listing.table.editActionName": "编辑 {itemDescription}", + "contentManagement.tableList.listing.table.inspectActionName": "检查 {itemDescription}", + "contentManagement.tableList.listing.unableToDeleteDangerMessage": "无法删除{entityName}", + "contentManagement.tableList.tagBadge.buttonLabel": "{tagName} 标签按钮。", + "contentManagement.tableList.tagFilterPanel.modifierKeyHelpText": "{modifierKeyPrefix} + 单击排除", + "contentManagement.inspector.cancelButtonLabel": "取消", + "contentManagement.inspector.flyoutTitle": "检查器", + "contentManagement.inspector.metadataForm.descriptionInputLabel": "描述", + "contentManagement.inspector.metadataForm.nameInputLabel": "名称", + "contentManagement.inspector.metadataForm.nameIsEmptyError": "名称必填。", + "contentManagement.inspector.metadataForm.tagsLabel": "标签", + "contentManagement.tableList.lastUpdatedColumnTitle": "上次更新时间", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.cancelButtonLabel": "取消", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.confirmButtonLabel": "删除", + "contentManagement.tableList.listing.deleteSelectedItemsConfirmModal.confirmButtonLabelDeleting": "正在删除", + "contentManagement.tableList.listing.fetchErrorTitle": "提取列表失败", + "contentManagement.tableList.listing.listingLimitExceeded.advancedSettingsLinkText": "高级设置", + "contentManagement.tableList.listing.listingLimitExceededDescriptionNoPermissions": "请联系系统管理员更改此设置。", + "contentManagement.tableList.listing.listingLimitExceededTitle": "已超过列表限制", + "contentManagement.tableList.listing.table.actionTitle": "操作", + "contentManagement.tableList.listing.table.editActionDescription": "编辑", + "contentManagement.tableList.listing.table.inspectActionDescription": "检查", + "contentManagement.tableList.listing.tableSortSelect.headerLabel": "排序依据", + "contentManagement.tableList.listing.tableSortSelect.nameAscLabel": "名称 A-Z", + "contentManagement.tableList.listing.tableSortSelect.nameDescLabel": "名称 Z-A", + "contentManagement.tableList.listing.tableSortSelect.updatedAtAscLabel": "最早更新", + "contentManagement.tableList.listing.tableSortSelect.updatedAtDescLabel": "最近更新", + "contentManagement.tableList.mainColumnName": "名称、描述、标签", + "contentManagement.tableList.tagFilterPanel.clearSelectionButtonLabelLabel": "清除所选内容", + "contentManagement.tableList.tagFilterPanel.manageAllTagsLinkLabel": "管理标签", + "contentManagement.tableList.updatedDateUnknownLabel": "上次更新时间未知", "controls.controlGroup.ariaActions.moveControlButtonAction": "移动控件 {controlTitle}", + "controls.optionsList.controlAndPopover.exists": "{negate, plural, other {存在}}", "controls.optionsList.errors.dataViewNotFound": "找不到数据视图:{dataViewId}", + "controls.optionsList.errors.fieldNotFound": "找不到字段:{fieldName}", + "controls.optionsList.popover.ariaLabel": "{fieldName} 控件的弹出框", "controls.optionsList.popover.cardinalityPlaceholder": "搜索 {totalOptions} 个可用{totalOptions, plural, other {选项}}", "controls.optionsList.popover.cardinalityTooltip": "{totalOptions} 个可用选项。", "controls.optionsList.popover.invalidSelectionsSectionTitle": "已忽略{invalidSelectionCount, plural, other {个选择}}", "controls.optionsList.popover.invalidSelectionsTitle": "已忽略 {invalidSelectionCount} 个选定的选项", "controls.optionsList.popover.invalidSelectionsTooltip": "{selectedOptions} 个选定{selectedOptions, plural, other {选项}} {selectedOptions, plural, other {已}}忽略,因为{selectedOptions, plural, one {其} other {它们}}已不再在数据中。", + "controls.rangeSlider.errors.dataViewNotFound": "找不到数据视图:{dataViewId}", + "controls.rangeSlider.errors.fieldNotFound": "找不到字段:{fieldName}", + "controls.controlGroup.addTimeSliderControlButtonTitle": "添加时间滑块控件", "controls.controlGroup.emptyState.addControlButtonTitle": "添加控件", "controls.controlGroup.emptyState.badgeText": "新建", "controls.controlGroup.emptyState.callToAction": "使用控件可以更有效地筛选数据,允许您仅显示要浏览的数据。", @@ -370,16 +437,29 @@ "controls.controlGroup.management.query.useAllSearchSettingsTitle": "通过从查询栏应用时间范围、筛选胶囊和查询,使控件组与查询栏保持同步", "controls.controlGroup.management.validate.subtitle": "自动忽略所有不会生成数据的控件选择。", "controls.controlGroup.management.validate.title": "验证用户选择", + "controls.controlGroup.onlyOneTimeSliderControlMsg": "控件组已包含时间滑块控件。", + "controls.controlGroup.timeSlider.title": "时间滑块", "controls.controlGroup.title": "控件组", "controls.controlGroup.toolbarButtonTitle": "控件", "controls.frame.error.message": "发生错误。阅读更多内容", + "controls.optionsList.control.excludeExists": "不", + "controls.optionsList.control.negate": "非", + "controls.optionsList.control.placeholder": "任意", + "controls.optionsList.control.separator": ",", "controls.optionsList.description": "添加用于选择字段值的菜单。", "controls.optionsList.displayName": "选项列表", "controls.optionsList.editor.allowMultiselectTitle": "下拉列表中允许多选", - "controls.optionsList.editor.runPastTimeout": "运行超时", + "controls.optionsList.editor.hideExclude": "允许排除所选内容", + "controls.optionsList.editor.hideExistsQuery": "允许存在查询", + "controls.optionsList.editor.hideExistsQueryTooltip": "允许您创建存在查询,它将返回包含字段的索引值的所有文档。", + "controls.optionsList.editor.runPastTimeout": "忽略超时以获取结果", + "controls.optionsList.editor.runPastTimeout.tooltip": "等待显示结果,直到列表完成。此设置用于大型数据集,但可能需要更长时间来填充结果。", "controls.optionsList.popover.allOptionsTitle": "显示所有选项", "controls.optionsList.popover.clearAllSelectionsTitle": "清除所选内容", "controls.optionsList.popover.empty": "找不到选项", + "controls.optionsList.popover.excludeLabel": "排除", + "controls.optionsList.popover.excludeOptionsLegend": "包括或排除所选内容", + "controls.optionsList.popover.includeLabel": "包括", "controls.optionsList.popover.invalidSelectionsAriaLabel": "取消选择所有已忽略的选择", "controls.optionsList.popover.loading": "正在加载选项", "controls.optionsList.popover.selectedOptionsTitle": "仅显示选定选项", @@ -389,6 +469,13 @@ "controls.rangeSlider.popover.clearRangeTitle": "清除范围", "controls.rangeSlider.popover.noAvailableDataHelpText": "没有可显示的数据。调整时间范围和筛选。", "controls.rangeSlider.popover.noDataHelpText": "选定范围未生成任何数据。未应用任何筛选。", + "controls.timeSlider.description": "添加用于选择时间范围的滑块", + "controls.timeSlider.displayName": "时间滑块", + "controls.timeSlider.nextLabel": "下一时间窗口", + "controls.timeSlider.pauseLabel": "暂停", + "controls.timeSlider.playLabel": "播放", + "controls.timeSlider.popover.clearTimeTitle": "清除时间选择", + "controls.timeSlider.previousLabel": "上一时间窗口", "core.chrome.browserDeprecationWarning": "本软件的未来版本将放弃对 Internet Explorer 的支持,请查看{link}。", "core.deprecations.deprecations.fetchFailedMessage": "无法提取插件 {domainId} 的弃用信息。", "core.deprecations.deprecations.fetchFailedTitle": "无法提取 {domainId} 的弃用信息", @@ -424,6 +511,10 @@ "core.euiDataGrid.ariaLabel": "{label};第 {page} 页,共 {pageCount} 页。", "core.euiDataGrid.ariaLabelledBy": "第 {page} 页,共 {pageCount} 页。", "core.euiDataGridCell.position": "{columnId},列 {col},行 {row}", + "core.euiDataGridHeaderCell.sortedByAscendingFirst": "按 {columnId} 排序,升序", + "core.euiDataGridHeaderCell.sortedByAscendingMultiple": ",然后按 {columnId} 排序,升序", + "core.euiDataGridHeaderCell.sortedByDescendingFirst": "按 {columnId} 排序,降序", + "core.euiDataGridHeaderCell.sortedByDescendingMultiple": ",然后按 {columnId} 排序,降序", "core.euiDataGridPagination.detailedPaginationLabel": "前面网格的分页:{label}", "core.euiDatePopoverButton.invalidTitle": "无效日期:{title}", "core.euiDatePopoverButton.outdatedTitle": "需要更新:{title}", @@ -539,13 +630,11 @@ "core.euiBasicTable.selectThisRow": "选择此行", "core.euiBottomBar.screenReaderAnnouncement": "有页面级别控件位于文档结尾的新地区地标。", "core.euiBottomBar.screenReaderHeading": "页面级别控件", + "core.euiBreadcrumb.collapsedBadge.ariaLabel": "查看折叠的痕迹导航", "core.euiBreadcrumbs.nav.ariaLabel": "痕迹导航", "core.euiCardSelect.select": "选择", "core.euiCardSelect.selected": "已选定", "core.euiCardSelect.unavailable": "不可用", - "core.euiCodeBlockCopy.copy": "复制", - "core.euiCodeBlockFullScreen.fullscreenCollapse": "折叠", - "core.euiCodeBlockFullScreen.fullscreenExpand": "展开", "core.euiCollapsedItemActions.allActions": "所有操作", "core.euiColorPicker.alphaLabel": "Alpha 通道(不透明度)值", "core.euiColorPicker.closeLabel": "按向下箭头键可打开包含颜色选项的弹出框", @@ -586,7 +675,9 @@ "core.euiDataGrid.screenReaderNotice": "单元格包含交互内容。", "core.euiDataGridCellActions.expandButtonTitle": "单击或按 Enter 键以便与单元格内容进行交互", "core.euiDataGridHeaderCell.actionsPopoverScreenReaderText": "要在列操作列表中导航,请按 Tab 键或向上和向下箭头键。", - "core.euiDataGridHeaderCell.headerActions": "标题操作", + "core.euiDataGridHeaderCell.headerActions": "单击以查看列标题操作", + "core.euiDataGridHeaderCell.sortedByAscendingSingle": "已升序", + "core.euiDataGridHeaderCell.sortedByDescendingSingle": "已降序", "core.euiDataGridPagination.paginationLabel": "前面网格的分页", "core.euiDataGridSchema.booleanSortTextAsc": "False-True", "core.euiDataGridSchema.booleanSortTextDesc": "True-False", @@ -631,6 +722,8 @@ "core.euiHeaderLinks.appNavigation": "应用菜单", "core.euiHeaderLinks.openNavigationMenu": "打开菜单", "core.euiHue.label": "选择 HSV 颜色模式“色调”值", + "core.euiImageButton.closeFullScreen": "按 Esc 键或单击以关闭图像全屏模式", + "core.euiImageButton.openFullScreen": "单击以全屏模式打开此图像", "core.euiLink.external.ariaLabel": "外部链接", "core.euiLink.newTarget.screenReaderOnlyText": "(在新选项卡或窗口中打开)", "core.euiLoadingChart.ariaLabel": "正在加载", @@ -874,26 +967,76 @@ "core.ui.welcomeErrorMessage": "Elastic 未正确加载。检查服务器输出以了解详情。", "core.ui.welcomeMessage": "正在加载 Elastic", "customIntegrations.components.replacementAccordion.recommendationDescription": "建议使用 Elastic 代理集成,但也可以使用 Beats。有关更多详情,请访问 {link}。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.connectingText": "您可以使用 {api_key} 和 {cloud_id} 连接到 Elastic Cloud:", + "customIntegrations.languageClients.GoElasticsearch.readme.addPackage": "将软件包添加到 {go_file} 文件:", + "customIntegrations.languageClients.GoElasticsearch.readme.connectingText": "您可以使用 {api_key} 和 {cloud_id} 连接到 Elastic Cloud:", + "customIntegrations.languageClients.JavaElasticsearch.readme.installMavenMsg": "在您项目的 {pom} 中,添加以下存储库定义和依赖项:", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.configureText": "在您项目的根目录中创建 {filename} 文件,然后添加以下选项。", + "customIntegrations.languageClients.PhpElasticsearch.readme.connectingText": "您可以使用 {api_key} 和 {cloud_id} 连接到 Elastic Cloud。其中的 {api_key} 和 {cloud_id} 可以使用 Elastic Cloud Web UI 进行检索。", + "customIntegrations.languageClients.PythonElasticsearch.readme.connectingText": "您可以使用 {api_key} 和 {cloud_id} 连接到 Elastic Cloud:", + "customIntegrations.languageClients.RubyElasticsearch.readme.connectingText": "您可以使用 {api_key} 和 {cloud_id} 连接到 Elastic Cloud。其中的 {api_key} 和 {cloud_id} 可以使用 Elastic Cloud Web UI 进行检索。可以在“管理此部署”页面找到云 ID,并可以从“管理”页面的“安全性”部分下生成 API 密钥。", + "customIntegrations.languageClients.sample.readme.configureText": "在您项目的根目录中创建 {filename} 文件,然后添加以下选项。", "customIntegrations.components.replacementAccordion.comparisonPageLinkLabel": "对比页面", "customIntegrations.components.replacementAccordionLabel": "在 Beats 中也可用", "customIntegrations.languageclients.DotNetDescription": "通过 .NET 客户端将数据索引到 Elasticsearch。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.connecting": "正在连接到 Elastic Cloud", + "customIntegrations.languageClients.DotnetElasticsearch.readme.install": "安装 Elasticsearch .NET 客户端", + "customIntegrations.languageClients.DotnetElasticsearch.readme.intro": "开始使用 Elasticsearch .NET 客户端需要完成一些步骤。", + "customIntegrations.languageClients.DotnetElasticsearch.readme.manually": "或者,您可以手动在项目文件内添加软件包引用:", + "customIntegrations.languageClients.DotnetElasticsearch.readme.sdk": "对于 SDK 样式项目,可以通过在终端中运行以下 .NET CLI 命令来安装 Elasticsearch 客户端:", + "customIntegrations.languageClients.DotnetElasticsearch.readme.title": "Elasticsearch .NET 客户端", "customIntegrations.languageclients.DotNetTitle": "Elasticsearch .NET 客户端", "customIntegrations.languageclients.GoDescription": "通过 Go 客户端将数据索引到 Elasticsearch。", + "customIntegrations.languageClients.GoElasticsearch.readme.clone": "或者克隆存储库:", + "customIntegrations.languageClients.GoElasticsearch.readme.connecting": "正在连接到 Elastic Cloud", + "customIntegrations.languageClients.GoElasticsearch.readme.install": "安装 Elasticsearch Go 客户端", + "customIntegrations.languageClients.GoElasticsearch.readme.intro": "开始使用 Elasticsearch Go 客户端需要完成一些步骤。", + "customIntegrations.languageClients.GoElasticsearch.readme.title": "Elasticsearch Go 客户端", "customIntegrations.languageclients.GoTitle": "Elasticsearch Go 客户端", "customIntegrations.languageclients.JavaDescription": "通过 Java 客户端将数据索引到 Elasticsearch。", + "customIntegrations.languageClients.JavaElasticsearch.readme.connecting": "正在连接到 Elastic Cloud", + "customIntegrations.languageClients.JavaElasticsearch.readme.installGradle": "通过使用 Jackson 在 Gradle 项目中安装", + "customIntegrations.languageClients.JavaElasticsearch.readme.installMaven": "通过使用 Jackson 在 Maven 项目中安装", + "customIntegrations.languageClients.JavaElasticsearch.readme.intro": "开始使用 Elasticsearch Java 客户端需要完成一些步骤。", + "customIntegrations.languageClients.JavaElasticsearch.readme.title": "Elasticsearch Java 客户端", "customIntegrations.languageclients.JavascriptDescription": "通过 JavaScript 客户端将数据索引到 Elasticsearch。", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.apiKey": "使用以下按钮生成 API 密钥。您需要在下一步中这样设置您的客户端。", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.configure": "配置 Elasticsearch JavaScript 客户端", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.createApiKey": "创建 API 密钥", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.install": "安装 Elasticsearch JavaScript 客户端", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.intro": "开始使用 Elasticsearch JavaScript 客户端需要完成一些步骤。", + "customIntegrations.languageClients.JavascriptElasticsearch.readme.title": "Elasticsearch JavaScript 客户端", "customIntegrations.languageclients.JavascriptTitle": "Elasticsearch JavaScript 客户端", "customIntegrations.languageclients.JavaTitle": "Elasticsearch Java 客户端", "customIntegrations.languageclients.PerlDescription": "通过 Perl 客户端将数据索引到 Elasticsearch。", "customIntegrations.languageclients.PerlTitle": "Elasticsearch Perl 客户端", "customIntegrations.languageclients.PhpDescription": "通过 PHP 客户端将数据索引到 Elasticsearch。", + "customIntegrations.languageClients.PhpElasticsearch.readme.connecting": "正在连接到 Elastic Cloud", + "customIntegrations.languageClients.PhpElasticsearch.readme.install": "安装 Elasticsearch PHP 客户端", + "customIntegrations.languageClients.PhpElasticsearch.readme.installMessage": "从 PHP 7.4 开始可以使用 Elasticsearch-php。", + "customIntegrations.languageClients.PhpElasticsearch.readme.intro": "开始使用 Elasticsearch PHP 客户端需要完成一些步骤。", + "customIntegrations.languageClients.PhpElasticsearch.readme.title": "Elasticsearch PHP 客户端", "customIntegrations.languageclients.PhpTitle": "Elasticsearch PHP 客户端", "customIntegrations.languageclients.PythonDescription": "通过 Python 客户端将数据索引到 Elasticsearch。", + "customIntegrations.languageClients.PythonElasticsearch.readme.connecting": "正在连接到 Elastic Cloud", + "customIntegrations.languageClients.PythonElasticsearch.readme.install": "安装 Elasticsearch Python 客户端", + "customIntegrations.languageClients.PythonElasticsearch.readme.intro": "开始使用 Elasticsearch Python 客户端需要完成一些步骤。", + "customIntegrations.languageClients.PythonElasticsearch.readme.title": "Elasticsearch Python 客户端", "customIntegrations.languageclients.PythonTitle": "Elasticsearch Python 客户端", "customIntegrations.languageclients.RubyDescription": "通过 Ruby 客户端将数据索引到 Elasticsearch。", + "customIntegrations.languageClients.RubyElasticsearch.readme.connecting": "正在连接到 Elastic Cloud", + "customIntegrations.languageClients.RubyElasticsearch.readme.install": "安装 Elasticsearch Ruby 客户端", + "customIntegrations.languageClients.RubyElasticsearch.readme.intro": "开始使用 Elasticsearch Ruby 客户端需要完成一些步骤。", + "customIntegrations.languageClients.RubyElasticsearch.readme.title": "Elasticsearch Ruby 客户端", "customIntegrations.languageclients.RubyTitle": "Elasticsearch Ruby 客户端", "customIntegrations.languageclients.RustDescription": "通过 Rust 客户端将数据索引到 Elasticsearch。", "customIntegrations.languageclients.RustTitle": "Elasticsearch Rust 客户端", + "customIntegrations.languageClients.sample.readme.apiKey": "使用以下按钮生成 API 密钥。您需要在下一步中这样设置您的客户端。", + "customIntegrations.languageClients.sample.readme.configure": "配置样例语言客户端", + "customIntegrations.languageClients.sample.readme.createApiKey": "创建 API 密钥", + "customIntegrations.languageClients.sample.readme.install": "安装样例语言客户端", + "customIntegrations.languageClients.sample.readme.intro": "开始使用样例语言客户端需要完成一些步骤。", + "customIntegrations.languageClients.sample.readme.title": "Elasticsearch 样例客户端", "customIntegrations.placeholders.EsfDescription": "使用 AWS 无服务器应用程序存储库中可用的 AWS Lambda 应用程序收集日志。", "customIntegrations.placeholders.EsfTitle": "AWS 无服务器应用程序存储库", "dashboard.addPanel.savedObjectAddedToContainerSuccessMessageTitle": "{savedObjectName} 已添加", @@ -902,6 +1045,7 @@ "dashboard.listing.unsaved.discardAria": "放弃对 {title} 的更改", "dashboard.listing.unsaved.editAria": "继续编辑 {title}", "dashboard.listing.unsaved.unsavedChangesTitle": "在以下 {dash} 中有未保存更改:", + "dashboard.loadingError.dashboardGridErrorMessage": "无法加载仪表板:{message}", "dashboard.loadingError.errorMessage": "加载保存的仪表板时发生错误:{message}", "dashboard.noMatchRoute.bannerText": "Dashboard 应用程序无法识别此路由:{route}。", "dashboard.panel.addToLibrary.successMessage": "面板 {panelTitle} 已添加到可视化库", @@ -939,6 +1083,7 @@ "dashboard.dashboardAppBreadcrumbsTitle": "仪表板", "dashboard.dashboardPageTitle": "仪表板", "dashboard.dashboardWasSavedSuccessMessage": "仪表板“{dashTitle}”已保存", + "dashboard.deleteError.toastDescription": "删除仪表板时发生错误", "dashboard.discardChangesConfirmModal.cancelButtonLabel": "取消", "dashboard.discardChangesConfirmModal.confirmButtonLabel": "放弃更改", "dashboard.discardChangesConfirmModal.discardChangesDescription": "放弃更改后,它们将无法恢复。", @@ -976,6 +1121,7 @@ "dashboard.listing.unsaved.discardTitle": "放弃更改", "dashboard.listing.unsaved.editTitle": "继续编辑", "dashboard.listing.unsaved.loading": "正在加载", + "dashboard.loadURLError.PanelTooOld": "无法通过在早于 7.3 的版本中创建的 URL 加载面板", "dashboard.migratedChanges": "某些面板已成功更新到最新版本。", "dashboard.noMatchRoute.bannerTitleText": "未找到页面", "dashboard.panel.AddToLibrary": "保存到库", @@ -987,6 +1133,11 @@ "dashboard.panel.copyToDashboard.goToDashboard": "复制并前往仪表板", "dashboard.panel.copyToDashboard.newDashboardOptionLabel": "新仪表板", "dashboard.panel.copyToDashboard.title": "复制到仪表板", + "dashboard.panel.filters": "面板筛选", + "dashboard.panel.filters.modal.closeButton": "关闭", + "dashboard.panel.filters.modal.editButton": "编辑筛选", + "dashboard.panel.filters.modal.filtersTitle": "筛选", + "dashboard.panel.filters.modal.queryTitle": "查询", "dashboard.panel.LibraryNotification": "可视化库通知", "dashboard.panel.libraryNotification.ariaLabel": "查看库信息并取消链接此面板", "dashboard.panel.libraryNotification.toolTip": "编辑此面板可能会影响其他仪表板。要仅更改此面板,请取消其与库的链接。", @@ -996,6 +1147,7 @@ "dashboard.panel.unlinkFromLibrary": "取消与库的链接", "dashboard.placeholder.factory.displayName": "占位符", "dashboard.savedDashboard.newDashboardTitle": "新建仪表板", + "dashboard.snapshotShare.longUrlWarning": "此仪表板上的一个或多个面板已更改。在生成快照之前,请保存仪表板。", "dashboard.solutionToolbar.addPanelButtonLabel": "创建可视化", "dashboard.solutionToolbar.editorMenuButtonLabel": "选择类型", "dashboard.topNav.cloneModal.cancelButtonLabel": "取消", @@ -1007,6 +1159,7 @@ "dashboard.topNav.labsConfigDescription": "实验", "dashboard.topNav.options.hideAllPanelTitlesSwitchLabel": "显示面板标题", "dashboard.topNav.options.syncColorsBetweenPanelsSwitchLabel": "在面板之间同步调色板", + "dashboard.topNav.options.syncCursorBetweenPanelsSwitchLabel": "在面板之间同步光标", "dashboard.topNav.options.syncTooltipsBetweenPanelsSwitchLabel": "在面板之间同步工具提示", "dashboard.topNav.options.useMarginsBetweenPanelsSwitchLabel": "在面板间使用边距", "dashboard.topNav.saveModal.descriptionFormRowLabel": "描述", @@ -1032,13 +1185,14 @@ "dashboard.unsavedChangesBadge": "未保存的更改", "dashboard.urlWasRemovedInSixZeroWarningMessage": "6.0 中已移除 url“dashboard/create”。请更新您的书签。", "data.advancedSettings.autocompleteIgnoreTimerangeText": "禁用此属性可从您的完全数据集中获取自动完成建议,而非从当前时间范围。{learnMoreLink}", - "data.advancedSettings.autocompleteValueSuggestionMethodText": "用于在 KQL 自动完成中查询值建议的方法。选择 terms_enum 以使用 Elasticsearch 字词枚举 API 改善自动完成建议性能。选择 terms_agg 以使用 Elasticsearch 字词聚合。{learnMoreLink}", + "data.advancedSettings.autocompleteValueSuggestionMethodText": "用于在 KQL 自动完成中查询值建议的方法。选择 terms_enum 以使用 Elasticsearch 字词枚举 API 改善自动完成建议性能。(请注意,terms_enum 不兼容文档级别安全性。) 选择 terms_agg 以使用 Elasticsearch 字词聚合。{learnMoreLink}", "data.advancedSettings.courier.customRequestPreferenceText": "将“{setRequestReferenceSetting}”设置为“{customSettingValue}”时,将使用“{requestPreferenceLink}”。", "data.advancedSettings.courier.maxRequestsText": "控制用于 Kibana 发送的 _msearch 请求的“{maxRequestsLink}”设置。设置为 0 可禁用此配置并使用 Elasticsearch 默认值。", "data.advancedSettings.query.allowWildcardsText": "设置后,将允许 * 用作查询语句的第一个字符。当前仅在查询栏中启用实验性查询功能时才会应用。要在基本 Lucene 查询中禁用前导通配符,请使用 {queryStringOptionsPattern}。", "data.advancedSettings.query.queryStringOptionsText": "Lucene 查询字符串解析器的{optionsLink}。仅在将“{queryLanguage}”设置为 {luceneLanguage} 时使用。", "data.advancedSettings.sortOptionsText": "Elasticsearch 排序参数的{optionsLink}", "data.advancedSettings.timepicker.quickRangesText": "要在时间筛选的“速选”部分中显示的范围列表。这应该是对象数组,每个对象包含“from”、“to”(请参阅“ {acceptedFormatsLink}”)和“display”(要显示的标题)。", + "data.advancedSettings.timepicker.timeDefaultsDescription": "在未使用时间筛选的情况下启动 Kibana 时要使用的时间筛选选项。必须为包含“from”和“to”的对象(请参阅“{acceptedFormatsLink}”)。", "data.aggTypes.buckets.ranges.rangesFormatMessage": "{gte} {from} 且 {lt} {to}", "data.aggTypes.buckets.ranges.rangesFormatMessageArrowRight": "{from} → {to}", "data.filter.filterBar.fieldNotFound": "在数据视图 {dataView} 中未找到字段 {key}", @@ -1097,6 +1251,8 @@ "data.search.searchSource.indexPatternIdDescription": "{kibanaIndexPattern} 索引中的 ID。", "data.search.searchSource.queryTimeValue": "{queryTime}ms", "data.search.searchSource.requestTimeValue": "{requestTime}ms", + "data.search.statusError": "搜索 {searchId} 完成,状态为 {errorCode}", + "data.search.statusThrow": "ID 为 {searchId} 的搜索的搜索状态引发错误 {message}(状态代码:{errorCode})", "data.search.timeBuckets.dayLabel": "{amount, plural, other {# 天}}", "data.search.timeBuckets.hourLabel": "{amount, plural, other {# 小时}}", "data.search.timeBuckets.millisecondLabel": "{amount, plural,other {# 毫秒}}", @@ -1224,6 +1380,8 @@ "data.mgmt.searchSessions.status.label.expired": "已过期", "data.mgmt.searchSessions.status.label.inProgress": "进行中", "data.mgmt.searchSessions.status.message.cancelled": "用户已取消", + "data.mgmt.searchSessions.status.message.error": "一个或多个搜索未能完成。使用“检查”操作来查看底层错误。", + "data.mgmt.searchSessions.status.message.unknownError": "未知错误", "data.mgmt.searchSessions.table.headerExpiration": "到期", "data.mgmt.searchSessions.table.headerName": "名称", "data.mgmt.searchSessions.table.headerStarted": "创建时间", @@ -1406,7 +1564,7 @@ "data.search.aggs.buckets.terms.customLabel.help": "表示此聚合的定制标签", "data.search.aggs.buckets.terms.enabled.help": "指定是否启用此聚合", "data.search.aggs.buckets.terms.exclude.help": "指定要从结果中排除的存储桶值", - "data.search.aggs.buckets.terms.excludeIsRegex.help": "如果设置为 true,则排除属性作为正则表达式进行处理\r\n", + "data.search.aggs.buckets.terms.excludeIsRegex.help": "如果设置为 true,则排除属性作为正则表达式进行处理", "data.search.aggs.buckets.terms.excludeLabel": "排除", "data.search.aggs.buckets.terms.field.help": "要用于此聚合的字段", "data.search.aggs.buckets.terms.id.help": "此聚合的 ID", @@ -1747,6 +1905,8 @@ "data.search.functions.esaggs.index.help": "使用 indexPatternLoad 检索的数据视图", "data.search.functions.esaggs.metricsAtAllLevels.help": "是否包括具有每个存储桶级别的指标的列", "data.search.functions.esaggs.partialRows.help": "是否返回仅包含部分数据的行", + "data.search.functions.esaggs.probability.help": "文档将包含在聚合数据中的可能性。使用随机取样器。", + "data.search.functions.esaggs.samplerSeed.help": "用于生成文档的随机采样的种子。使用随机取样器。", "data.search.functions.esaggs.timeFields.help": "提供时间字段以获取该查询的已解析时间范围", "data.search.functions.existsFilter.field.help": "指定筛选要依据的字段。使用 `field` 函数。", "data.search.functions.existsFilter.help": "创建 kibana exists 筛选", @@ -1899,27 +2059,28 @@ "data.triggers.applyFilterTitle": "应用筛选", "dataViews.deprecations.scriptedFieldsMessage": "您具有 {numberOfIndexPatternsWithScriptedFields} 个使用脚本字段的数据视图 ({titlesPreview}...)。脚本字段已过时,将在未来移除。请改为使用运行时脚本。", "dataViews.fetchFieldErrorTitle": "提取数据视图 {title}(ID:{id})的字段时出错", + "dataViews.aliasLabel": "别名", + "dataViews.dataStreamLabel": "数据流", "dataViews.deprecations.scriptedFields.manualStepOneMessage": "导航到“堆栈管理”>“Kibana”>“数据视图”。", "dataViews.deprecations.scriptedFields.manualStepTwoMessage": "更新 {numberOfIndexPatternsWithScriptedFields} 个具有脚本字段的数据视图以改为使用运行时字段。多数情况下,要迁移现有脚本,您需要将“return ;”更改为“emit();”。至少有一个脚本字段的数据视图:{allTitles}", "dataViews.deprecations.scriptedFieldsTitle": "找到使用脚本字段的数据视图", + "dataViews.frozenLabel": "已冻结", "dataViews.functions.dataViewLoad.help": "加载数据视图", "dataViews.functions.dataViewLoad.id.help": "要加载的数据视图 ID", - "dataViews.indexPatternLoad.error.kibanaRequest": "在服务器上执行此搜索时需要 Kibana 请求。请向表达式执行模式参数提供请求对象。", - "dataViews.unableWriteLabel": "无法写入数据视图!请刷新页面以获取此数据视图的最新更改。", - "dataViews.aliasLabel": "别名", - "dataViews.dataStreamLabel": "数据流", - "dataViews.frozenLabel": "已冻结", "dataViews.indexLabel": "索引", + "dataViews.indexPatternLoad.error.kibanaRequest": "在服务器上执行此搜索时需要 Kibana 请求。请向表达式执行模式参数提供请求对象。", "dataViews.rollupLabel": "汇总/打包", + "dataViews.unableWriteLabel": "无法写入数据视图!请刷新页面以获取此数据视图的最新更改。", "discover.advancedSettings.disableDocumentExplorerDescription": "要使用新的 {documentExplorerDocs},而非经典视图,请关闭此选项。Document Explorer 提供了更合理的数据排序、可调整大小的列和全屏视图。", "discover.advancedSettings.discover.showFieldStatisticsDescription": "启用 {fieldStatisticsDocs} 以显示详细信息,如数字字段的最小和最大值,或地理字段的地图。此功能为公测版,可能会进行更改。", "discover.advancedSettings.discover.showMultifieldsDescription": "控制 {multiFields} 是否显示在展开的文档视图中。多数情况下,多字段与原始字段相同。此选项仅在 `searchFieldsFromSource` 关闭时可用。", - "discover.advancedSettings.enableSQLDescription": "{technicalPreviewLabel} 此技术预览功能为高度实验性功能 -- 请勿在生产已保存搜索或仪表板中依赖此功能。此设置在 Discover 中将 SQL 用作基于文本的查询语言。\r\n如果具有与此体验有关的反馈,请通过 {link} 联系我们", + "discover.advancedSettings.enableSQLDescription": "{technicalPreviewLabel} 此技术预览功能为高度实验性功能 -- 请勿在生产已保存搜索、可视化或仪表板中依赖此功能。此设置在 Discover 和 Lens 中将 SQL 用作基于文本的查询语言。如果具有与此体验有关的反馈,请通过 {link} 联系我们", "discover.context.contextOfTitle": "#{anchorId} 周围的文档", "discover.context.newerDocumentsWarning": "仅可以找到 {docCount} 个比定位标记新的文档。", "discover.context.olderDocumentsWarning": "仅可以找到 {docCount} 个比定位标记旧的文档。", "discover.context.pageTitle": "#{anchorId} 周围的文档", "discover.contextViewRoute.errorMessage": "没有与 ID {dataViewId} 相匹配的数据视图", + "discover.doc.failedToLocateDataView": "无数据视图匹配 ID {dataViewId}。", "discover.doc.pageTitle": "单个文档 - #{id}", "discover.doc.somethingWentWrongDescription": "{indexName} 缺失。", "discover.docExplorerCallout.bodyMessage": "使用 {documentExplorer} 快速排序、选择和比较数据,调整列大小并以全屏方式查看文档。", @@ -1960,6 +2121,9 @@ "discover.searchGenerationWithDescription": "搜索 {searchTitle} 生成的表", "discover.searchGenerationWithDescriptionGrid": "搜索 {searchTitle} 生成的表({searchDescription})", "discover.selectedDocumentsNumber": "{nr} 个文档已选择", + "discover.showingDefaultDataViewWarningDescription": "正在显示默认数据视图:“{loadedDataViewTitle}”({loadedDataViewId})", + "discover.showingSavedDataViewWarningDescription": "正在显示已保存数据视图:“{ownDataViewTitle}”({ownDataViewId})", + "discover.singleDocRoute.errorMessage": "没有与 ID {dataViewId} 相匹配的数据视图", "discover.topNav.optionsPopover.currentViewMode": "{viewModeLabel}:{currentViewMode}", "discover.utils.formatHit.moreFields": "及另外 {count} 个{count, plural, other {字段}}", "discover.valueIsNotConfiguredDataViewIDWarningTitle": "{stateVal} 不是配置的数据视图 ID", @@ -2000,6 +2164,8 @@ "discover.advancedSettings.sampleSizeTitle": "每个表的最大行数", "discover.advancedSettings.searchOnPageLoadText": "控制在 Discover 首次加载时是否执行搜索。加载已保存搜索时,此设置无效。", "discover.advancedSettings.searchOnPageLoadTitle": "在页面加载时搜索", + "discover.advancedSettings.showLegacyFieldStatsText": "要在侧边栏中每分片使用 500 条而不是 5,000 条记录计算字段的排名最前值,请打开此选项。", + "discover.advancedSettings.showLegacyFieldStatsTitle": "排名最前值计算", "discover.advancedSettings.sortDefaultOrderText": "在 Discover 应用中控制基于时间的数据视图的默认排序方向。", "discover.advancedSettings.sortDefaultOrderTitle": "默认排序方向", "discover.advancedSettings.sortOrderAsc": "升序", @@ -2012,6 +2178,10 @@ "discover.badge.readOnly.text": "只读", "discover.badge.readOnly.tooltip": "无法保存搜索", "discover.clearSelection": "清除所选内容", + "discover.confirmDataViewSave.cancel": "取消", + "discover.confirmDataViewSave.message": "您选择的操作需要已保存的数据视图。", + "discover.confirmDataViewSave.saveAndContinue": "保存并继续", + "discover.confirmDataViewSave.title": "保存数据视图。", "discover.context.breadcrumb": "周围文档", "discover.context.failedToLoadAnchorDocumentDescription": "无法加载定位点文档", "discover.context.failedToLoadAnchorDocumentErrorDescription": "无法加载定位点文档。", @@ -2030,9 +2200,12 @@ "discover.contextViewRoute.errorTitle": "发生错误", "discover.controlColumnHeader": "控制列", "discover.copyToClipboardJSON": "将文档复制到剪贴板 (JSON)", + "discover.dataViewPersist.message": "已保存“{dataViewName}”", + "discover.dataViewPersistError.title": "无法创建数据视图", "discover.discoverBreadcrumbTitle": "Discover", "discover.discoverDefaultSearchSessionName": "发现", "discover.discoverDescription": "通过查询和筛选原始文档来以交互方式浏览您的数据。", + "discover.discoverError.missingIdParamError": "URL 查询字符串缺少 ID。", "discover.discoverError.title": "无法加载此页面", "discover.discoverSubtitle": "搜索和查找数据分析结果。", "discover.discoverTitle": "Discover", @@ -2216,6 +2389,8 @@ "discover.helpMenu.appName": "Discover", "discover.inspectorRequestDataTitleDocuments": "文档", "discover.inspectorRequestDescriptionDocument": "此请求将查询 Elasticsearch 以获取文档。", + "discover.invalidFiltersWarnToast.description": "某些应用的筛选中的数据视图 ID 引用与当前数据视图不同。", + "discover.invalidFiltersWarnToast.title": "不同的索引引用", "discover.json.codeEditorAriaLabel": "Elasticsearch 文档的只读 JSON 视图", "discover.json.copyToClipboardLabel": "复制到剪贴板", "discover.loadingDocuments": "正在加载文档", @@ -2251,7 +2426,9 @@ "discover.notifications.invalidTimeRangeText": "提供的时间范围无效。(自:“{from}”,至:“{to}”)", "discover.notifications.invalidTimeRangeTitle": "时间范围无效", "discover.notifications.notSavedSearchTitle": "搜索“{savedSearchTitle}”未保存。", + "discover.notifications.notUpdatedSavedSearchTitle": "未使用 savedDataView 更新搜索“{savedSearchTitle}”。", "discover.notifications.savedSearchTitle": "搜索“{savedSearchTitle}”已保存", + "discover.notifications.updateSavedSearchTitle": "未使用保存的数据视图更新搜索“{savedSearchTitle}”", "discover.openOptionsPopover.classicDiscoverText": "经典", "discover.openOptionsPopover.documentExplorerText": "Document Explorer", "discover.openOptionsPopover.gotToSettings": "查看 Discover 设置", @@ -2263,6 +2440,7 @@ "discover.sampleData.viewLinkLabel": "Discover", "discover.savedSearch.savedObjectName": "已保存搜索", "discover.savedSearchEmbeddable.action.viewSavedSearch.displayName": "在 Discover 中打开", + "discover.searchingTitle": "正在搜索", "discover.selectColumnHeader": "选择列", "discover.showAllDocuments": "显示所有文档", "discover.showErrorMessageAgain": "显示错误消息", @@ -2272,6 +2450,7 @@ "discover.sourceViewer.errorMessage": "当前无法获取数据。请刷新选项卡以重试。", "discover.sourceViewer.errorMessageTitle": "发生错误", "discover.sourceViewer.refresh": "刷新", + "discover.textBasedLanguages.visualize.label": "在 Lens 中可视化", "discover.toggleSidebarAriaLabel": "切换侧边栏", "discover.topNav.openOptionsPopover.documentExplorerDisabledHint": "您知道吗?Discover 有一种新的 Document Explorer,可提供更好的数据排序、可调整大小的列及全屏视图。您可以在高级设置中更改视图模式。", "discover.topNav.openOptionsPopover.documentExplorerEnabledHint": "您可以在高级设置中切换回经典 Discover 视图。", @@ -2279,6 +2458,8 @@ "discover.topNav.openSearchPanel.noSearchesFoundDescription": "未找到匹配的搜索。", "discover.topNav.openSearchPanel.openSearchTitle": "打开搜索", "discover.topNav.optionsPopover.discoverViewModeLabel": "Discover 视图模式", + "discover.topNav.saveModal.storeTimeWithSearchToggleDescription": "在使用此搜索时更新时间筛选并将时间间隔刷新到当前选择。", + "discover.topNav.saveModal.storeTimeWithSearchToggleLabel": "将时间与已保存搜索一起存储", "discover.uninitializedRefreshButtonText": "刷新数据", "discover.uninitializedText": "编写查询,添加一些筛选,或只需单击“刷新”来检索当前查询的结果。", "discover.uninitializedTitle": "开始搜索", @@ -2404,6 +2585,50 @@ "esUi.viewApiRequest.closeButtonLabel": "关闭", "esUi.viewApiRequest.copyToClipboardButton": "复制到剪贴板", "esUi.viewApiRequest.openInConsoleButton": "在 Console 中打开", + "exceptionList-components.empty.viewer.state.empty.viewer_button": "创建 {exceptionType} 例外", + "exceptionList-components.exception_list_header_edit_modal_name": "编辑 {listName}", + "exceptionList-components.exception_list_header_linked_rules": "已链接到 {noOfRules} 个规则", + "exceptionList-components.exceptions.card.exceptionItem.affectedRules": "影响了 {numRules} 个{numRules, plural, other {规则}}", + "exceptionList-components.exceptions.exceptionItem.card.deleteItemButton": "删除 {listType} 例外", + "exceptionList-components.exceptions.exceptionItem.card.editItemButton": "编辑 {listType} 例外", + "exceptionList-components.exceptions.exceptionItem.card.showCommentsLabel": "显示{comments, plural, other {注释}} ({comments})", + "exceptionList-components.empty.viewer.state.empty_search.body": "请尝试修改您的搜索", + "exceptionList-components.empty.viewer.state.empty_search.search.title": "没有任何结果匹配您的搜索条件", + "exceptionList-components.empty.viewer.state.empty.body": "您的规则中没有例外。创建您的首个规则例外。", + "exceptionList-components.empty.viewer.state.empty.title": "将例外添加到此规则", + "exceptionList-components.empty.viewer.state.error_body": "加载例外项时出现错误。请联系您的管理员寻求帮助。", + "exceptionList-components.empty.viewer.state.error_title": "无法加载例外项", + "exceptionList-components.exception_list_header_breadcrumb": "规则例外", + "exceptionList-components.exception_list_header_delete_action": "删除例外列表", + "exceptionList-components.exception_list_header_description": "添加描述", + "exceptionList-components.exception_list_header_description_textbox": "描述", + "exceptionList-components.exception_list_header_description_textboxexceptionList-components.exception_list_header_name_required_eror": "列表名称不能为空", + "exceptionList-components.exception_list_header_edit_modal_cancel_button": "取消", + "exceptionList-components.exception_list_header_edit_modal_save_button": "保存", + "exceptionList-components.exception_list_header_export_action": "导出例外列表", + "exceptionList-components.exception_list_header_list_id": "列表 ID", + "exceptionList-components.exception_list_header_manage_rules_button": "管理规则", + "exceptionList-components.exception_list_header_name": "添加名称", + "exceptionList-components.exception_list_header_Name_textbox": "名称", + "exceptionList-components.exceptions.exceptionItem.card.conditions.and": "且", + "exceptionList-components.exceptions.exceptionItem.card.conditions.existsOperator": "存在", + "exceptionList-components.exceptions.exceptionItem.card.conditions.existsOperator.not": "不存在", + "exceptionList-components.exceptions.exceptionItem.card.conditions.linux": "Linux", + "exceptionList-components.exceptions.exceptionItem.card.conditions.listOperator": "包含在", + "exceptionList-components.exceptions.exceptionItem.card.conditions.listOperator.not": "未包括在", + "exceptionList-components.exceptions.exceptionItem.card.conditions.macos": "Mac", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchAnyOperator": "属于", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchAnyOperator.not": "不属于", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchOperator": "是", + "exceptionList-components.exceptions.exceptionItem.card.conditions.matchOperator.not": "不是", + "exceptionList-components.exceptions.exceptionItem.card.conditions.nestedOperator": "具有", + "exceptionList-components.exceptions.exceptionItem.card.conditions.os": "OS", + "exceptionList-components.exceptions.exceptionItem.card.conditions.wildcardDoesNotMatchOperator": "不匹配", + "exceptionList-components.exceptions.exceptionItem.card.conditions.wildcardMatchesOperator": "匹配", + "exceptionList-components.exceptions.exceptionItem.card.conditions.windows": "Windows", + "exceptionList-components.exceptions.exceptionItem.card.createdLabel": "创建时间", + "exceptionList-components.exceptions.exceptionItem.card.metaDetailsBy": "依据", + "exceptionList-components.exceptions.exceptionItem.card.updatedLabel": "已更新", "expressionError.renderer.debug.helpDescription": "将故障排查输出呈现为带格式的 {JSON}", "expressionError.errorComponent.description": "表达式失败,并显示消息:", "expressionError.errorComponent.title": "哎哟!表达式失败", @@ -2450,13 +2675,16 @@ "expressionMetric.renderer.metric.displayName": "指标", "expressionMetric.renderer.metric.helpDescription": "在标签上呈现数字", "expressionMetricVis.errors.unsupportedColumnFormat": "指标可视化表达式 - 不支持的列格式:“{id}”", + "expressionMetricVis.trendA11yTitle": "一段时间的 {dataTitle}。", "expressionMetricVis.function.breakdownBy.help": "包含子类别标签的维度。", "expressionMetricVis.function.color.help": "提供静态可视化颜色。已由调色板覆盖。", "expressionMetricVis.function.dimension.maximum": "最大值", "expressionMetricVis.function.dimension.metric": "指标", "expressionMetricVis.function.dimension.secondaryMetric": "次级指标", "expressionMetricVis.function.dimension.splitGroup": "拆分组", + "expressionMetricVis.function.dimension.timeField": "时间字段", "expressionMetricVis.function.help": "指标可视化", + "expressionMetricVis.function.inspectorTableId.help": "用于检查器表的 ID", "expressionMetricVis.function.max.help.": "包含最大值的维度。", "expressionMetricVis.function.metric.help": "主要指标。", "expressionMetricVis.function.minTiles.help": "指定指标网格中磁贴的最小数量,而不论输入数据如何。", @@ -2466,11 +2694,20 @@ "expressionMetricVis.function.secondaryMetric.help": "次级指标(在主要指标上方显示)。", "expressionMetricVis.function.secondaryPrefix.help": "要在次级指标之前显示的可选文本。", "expressionMetricVis.function.subtitle.help": "单一指标的子标题。已覆盖(如果提供细分依据)。", + "expressionMetricVis.function.trendline.help": "可选的趋势线配置", + "expressionMetricVis.trendA11yDescription": "显示一段时间的主要指标趋势的折线图。", + "expressionMetricVis.trendline.function.breakdownBy.help": "包含子类别标签的维度。", + "expressionMetricVis.trendline.function.help": "指标可视化", + "expressionMetricVis.trendline.function.inspectorTableId.help": "用于检查器表的 ID", + "expressionMetricVis.trendline.function.metric.help": "主要指标。", + "expressionMetricVis.trendline.function.table.help": "数据表", + "expressionMetricVis.trendline.function.timeField.help": "趋势线的时间字段", "expressionPartitionVis.legend.filterOptionsLegend": "{legendDataLabel}, 筛选选项", "expressionPartitionVis.negativeValuesFound": "{chartType} 图表无法使用负值进行呈现。", - "expressionPartitionVis.reusable.function.errors.moreThenNumberBuckets": "不支持 {maxLength} 个以上的存储桶", + "expressionPartitionVis.reusable.function.errors.moreThenNumberBuckets": "不支持 {maxLength} 个以上的存储桶。", "expressionPartitionVis.legend.filterForValueButtonAriaLabel": "筛留值", "expressionPartitionVis.legend.filterOutValueButtonAriaLabel": "筛除值", + "expressionPartitionVis.metricToLabel.help": "要标记的列 ID 的 JSON 键值对", "expressionPartitionVis.partitionLabels.function.args.last_level.help": "仅为多层饼图/圆环图显示顶层标签", "expressionPartitionVis.partitionLabels.function.args.percentDecimals.help": "定义在值中将显示为百分比的小数位数", "expressionPartitionVis.partitionLabels.function.args.position.help": "定义标签位置", @@ -2571,6 +2808,7 @@ "expressions.functions.math.emptyDatatableErrorMessage": "空数据表", "expressions.functions.math.emptyExpressionErrorMessage": "空表达式", "expressions.functions.math.executionFailedErrorMessage": "无法执行数学表达式。检查您的列名称", + "expressions.functions.mathColumn.args.castColumnsHelpText": "在应用公式之前要转换为数字的列的 ID", "expressions.functions.mathColumn.args.copyMetaFromHelpText": "如果设置,指定列 ID 的元对象将复制到指定目标列。如果列不存在,复制将无提示失败。", "expressions.functions.mathColumn.args.idHelpText": "结果列的 ID。必须唯一。", "expressions.functions.mathColumn.args.nameHelpText": "结果列的名称。名称不需要唯一。", @@ -2621,7 +2859,10 @@ "expressionShape.renderer.progress.helpDescription": "渲染基本进度", "expressionShape.renderer.shape.displayName": "形状", "expressionShape.renderer.shape.helpDescription": "呈现基本形状", + "expressionXY.annotations.skippedCount": "+ 另外 {value} 个…...", "expressionXY.legend.filterOptionsLegend": "{legendDataLabel}, 筛选选项", + "expressionXY.annotation.label": "标签", + "expressionXY.annotation.time": "时间", "expressionXY.annotationLayer.annotations.help": "标注", "expressionXY.annotationLayer.help": "配置 xy 图表中的标注图层", "expressionXY.annotationLayer.simpleView.help": "显示/隐藏详情", @@ -2640,6 +2881,7 @@ "expressionXY.axisConfig.showTitle.help": "显示轴的标题", "expressionXY.axisConfig.title.help": "轴的标题", "expressionXY.axisConfig.truncate.help": "截断前的符号数", + "expressionXY.axisExtentConfig.enforce.help": "强制执行范围参数。", "expressionXY.axisExtentConfig.extentMode.help": "范围模式", "expressionXY.axisExtentConfig.help": "配置 xy 图表的轴范围", "expressionXY.axisExtentConfig.lowerBound.help": "下边界", @@ -2673,7 +2915,9 @@ "expressionXY.decorationConfig.lineWidth.help": "参考线的宽度", "expressionXY.decorationConfig.textVisibility.help": "参考线上标签的可见性", "expressionXY.layer.columnToLabel.help": "要标记的列 ID 的 JSON 键值对", + "expressionXY.layeredXyVis.annotations.help": "标注", "expressionXY.layeredXyVis.layers.help": "可视序列的图层", + "expressionXY.layeredXyVis.singleTable.help": "所有图层均使用一个数据表", "expressionXY.layers.layerId.help": "图层 ID", "expressionXY.layers.table.help": "表", "expressionXY.legend.filterForValueButtonAriaLabel": "筛留值", @@ -2718,6 +2962,7 @@ "expressionXY.reusable.function.xyVis.errors.pointsRadiusForNonLineOrAreaChartError": "`pointsRadius` 仅适用于折线图或面积图", "expressionXY.reusable.function.xyVis.errors.showPointsForNonLineOrAreaChartError": "`showPoints` 仅适用于折线图或面积图", "expressionXY.reusable.function.xyVis.errors.timeMarkerForNotTimeChartsError": "仅时间图表可以具有当前时间标记", + "expressionXY.reusable.function.xyVis.errors.valueLabelsForNotBarChartsError": "`valueLabels` 参数仅适用于条形图", "expressionXY.xAxisConfigFn.help": "配置 xy 图表的 x 轴配置", "expressionXY.xyChart.emptyXLabel": "(空)", "expressionXY.xyChart.iconSelect.alertIconLabel": "告警", @@ -2732,6 +2977,7 @@ "expressionXY.xyChart.iconSelect.mapMarkerLabel": "地图标记", "expressionXY.xyChart.iconSelect.mapPinLabel": "地图图钉", "expressionXY.xyChart.iconSelect.noIconLabel": "无", + "expressionXY.xyChart.iconSelect.starFilledLabel": "星形填充", "expressionXY.xyChart.iconSelect.starLabel": "五角星", "expressionXY.xyChart.iconSelect.tagIconLabel": "标签", "expressionXY.xyChart.iconSelect.triangleIconLabel": "三角形", @@ -2748,7 +2994,10 @@ "expressionXY.xyVis.hideEndzones.help": "隐藏部分数据的末日区域标记", "expressionXY.xyVis.legend.help": "配置图表图例。", "expressionXY.xyVis.logDatatable.breakDown": "细分方式", + "expressionXY.xyVis.logDatatable.markSize": "标记大小", "expressionXY.xyVis.logDatatable.metric": "垂直轴", + "expressionXY.xyVis.logDatatable.splitColumn": "列拆分依据", + "expressionXY.xyVis.logDatatable.splitRow": "行拆分依据", "expressionXY.xyVis.logDatatable.x": "水平轴", "expressionXY.xyVis.markSizeRatio.help": "指定折线图和面积图上点的比率", "expressionXY.xyVis.orderBucketsBySum.help": "按总计值排序存储桶", @@ -2843,6 +3092,87 @@ "fieldFormats.url.types.audio": "音频", "fieldFormats.url.types.img": "图像", "fieldFormats.url.types.link": "链接", + "guidedOnboarding.dropdownPanel.completeGuideFlyoutDescription": "您已完成 Elastic {guideName} 指南。", + "guidedOnboarding.dropdownPanel.progressValueLabel": "{stepCount} 个步骤", + "guidedOnboarding.guidedSetupStepButtonLabel": "设置指南:第 {stepNumber} 步", + "guidedOnboarding.dropdownPanel.backToGuidesLink": "返回到指南", + "guidedOnboarding.dropdownPanel.completedLabel": "已完成", + "guidedOnboarding.dropdownPanel.completeGuideError": "无法更新指南。请稍后重试。", + "guidedOnboarding.dropdownPanel.completeGuideFlyoutTitle": "非常棒!", + "guidedOnboarding.dropdownPanel.continueStepButtonLabel": "继续", + "guidedOnboarding.dropdownPanel.elasticButtonLabel": "继续使用 Elastic", + "guidedOnboarding.dropdownPanel.footer.exitGuideButtonLabel": "退出指南", + "guidedOnboarding.dropdownPanel.footer.feedback": "反馈", + "guidedOnboarding.dropdownPanel.footer.support": "需要帮助?", + "guidedOnboarding.dropdownPanel.markDoneStepButtonLabel": "标记完成", + "guidedOnboarding.dropdownPanel.progressLabel": "进度", + "guidedOnboarding.dropdownPanel.startStepButtonLabel": "启动", + "guidedOnboarding.dropdownPanel.stepHandlerError": "无法更新指南。请稍后重试。", + "guidedOnboarding.guidedSetupButtonLabel": "设置指南", + "guidedOnboarding.guidedSetupRedirectButtonLabel": "设置指南", + "guidedOnboarding.observabilityGuide.addDataStep.descriptionList.item2": "添加 Elastic Kubernetes 集成。", + "guidedOnboarding.observabilityGuide.addDataStep.title": "添加并验证您的数据", + "guidedOnboarding.observabilityGuide.description": "我们将利用 Elastic 集成帮助您快速了解您的 Kubernetes 环境。从日志、指标和跟踪中获得深入洞察,以主动检测问题并采取操作解决问题。", + "guidedOnboarding.observabilityGuide.documentationLink": "了解详情", + "guidedOnboarding.observabilityGuide.title": "观察我的 Kubernetes 基础架构", + "guidedOnboarding.observabilityGuide.tourObservabilityStep.description": "熟悉 Elastic Observability 的其余功能,并浏览更多集成。", + "guidedOnboarding.observabilityGuide.tourObservabilityStep.title": "试用 Elastic Observability", + "guidedOnboarding.observabilityGuide.viewDashboardStep.description": "流式传输、可视化并分析您的 Kubernetes 基础架构指标。", + "guidedOnboarding.observabilityGuide.viewDashboardStep.manualCompletionPopoverDescription": "花时间浏览 Kubernetes 集成附带的这些预构建的仪表板。准备就绪后,单击“设置指南”按钮继续。", + "guidedOnboarding.observabilityGuide.viewDashboardStep.manualCompletionPopoverTitle": "浏览 Kubernetes 仪表板", + "guidedOnboarding.observabilityGuide.viewDashboardStep.title": "浏览 Kubernetes 指标", + "guidedOnboarding.quitGuideModal.cancelButtonLabel": "取消", + "guidedOnboarding.quitGuideModal.deactivateGuideError": "无法更新指南。请稍后重试。", + "guidedOnboarding.quitGuideModal.modalDescription": "您可以随时从“帮助”菜单重新启动设置指南。", + "guidedOnboarding.quitGuideModal.modalTitle": "退出本指南?", + "guidedOnboarding.quitGuideModal.quitButtonLabel": "退出指南", + "guidedOnboarding.searchGuide.addDataStep.description1": "选择采集方法。", + "guidedOnboarding.searchGuide.addDataStep.description2": "创建新的 Elasticsearch 索引。", + "guidedOnboarding.searchGuide.addDataStep.description3": "配置采集设置。", + "guidedOnboarding.searchGuide.addDataStep.title": "添加数据", + "guidedOnboarding.searchGuide.description": "使用 Elastic 开箱即用的网络爬虫、连接器和稳健的 API,利用您的数据构建定制搜索体验。从内置搜索分析中获得深入洞察,以策展结果并优化相关性。", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item1": "详细了解 Elastic 的搜索 UI 框架。", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item2": "试用 Elasticsearch 的搜索 UI 教程。", + "guidedOnboarding.searchGuide.searchExperienceStep.descriptionList.item3": "为您的客户、员工或用户构建世界级的搜索体验。", + "guidedOnboarding.searchGuide.searchExperienceStep.manualCompletionPopoverDescription": "花时间了解如何使用搜索 UI 构建世界级的搜索体验。准备就绪后,单击“设置指南”按钮继续。", + "guidedOnboarding.searchGuide.searchExperienceStep.manualCompletionPopoverTitle": "了解搜索 UI", + "guidedOnboarding.searchGuide.searchExperienceStep.title": "构建搜索体验", + "guidedOnboarding.searchGuide.title": "搜索我的数据", + "guidedOnboarding.securityGuide.addDataStep.description1": "选择 Elastic Defend 集成以添加您的数据。", + "guidedOnboarding.securityGuide.addDataStep.description2": "确保数据看起来不错。", + "guidedOnboarding.securityGuide.addDataStep.title": "使用 Elastic Defend 添加数据", + "guidedOnboarding.securityGuide.alertsStep.description1": "查看告警并对其进行分类。", + "guidedOnboarding.securityGuide.alertsStep.description2": "创建案例。", + "guidedOnboarding.securityGuide.alertsStep.manualCompletion.description": "浏览您创建的案例后,请单击此处继续。", + "guidedOnboarding.securityGuide.alertsStep.manualCompletion.title": "继续学习教程", + "guidedOnboarding.securityGuide.alertsStep.title": "管理告警和案例", + "guidedOnboarding.securityGuide.description": "我们将使用 Elastic 开箱即用的集成功能帮助您快速完成设置。", + "guidedOnboarding.securityGuide.rulesStep.description1": "加载预构建的规则。", + "guidedOnboarding.securityGuide.rulesStep.description2": "选择所需规则。", + "guidedOnboarding.securityGuide.rulesStep.manualCompletion.description": "启用所需规则后,请单击此处继续。", + "guidedOnboarding.securityGuide.rulesStep.manualCompletion.title": "继续学习教程", + "guidedOnboarding.securityGuide.rulesStep.title": "打开规则", + "guidedOnboarding.securityGuide.title": "Elastic Security 引导式设置", + "guidedOnboardingPackage.gettingStarted.guideCard.stepsLabel": "{progress} 步骤", + "guidedOnboardingPackage.gettingStarted.guideCard.continueGuide.buttonLabel": "继续", + "guidedOnboardingPackage.gettingStarted.guideCard.observability.cardDescription": "通过整合日志和指标来监测您的 Kubernetes 基础架构。", + "guidedOnboardingPackage.gettingStarted.guideCard.observability.cardTitle": "观察我的 Kubernetes 基础架构", + "guidedOnboardingPackage.gettingStarted.guideCard.progress.completedLabel": "已完成", + "guidedOnboardingPackage.gettingStarted.guideCard.progress.inProgressLabel": "进行中", + "guidedOnboardingPackage.gettingStarted.guideCard.search.cardDescription": "为您的网站、应用程序、工作区内容或期间的任何内容创建搜索体验。", + "guidedOnboardingPackage.gettingStarted.guideCard.search.cardTitle": "搜索我的数据", + "guidedOnboardingPackage.gettingStarted.guideCard.security.cardDescription": "通过集 SIEM、Endpoint Security 和云安全于一体来保护您的环境,防止其受到威胁。", + "guidedOnboardingPackage.gettingStarted.guideCard.security.cardTitle": "保护我的环境", + "guidedOnboardingPackage.gettingStarted.guideCard.startGuide.buttonLabel": "查看指南", + "guidedOnboardingPackage.gettingStarted.linkCard.buttonLabel": "查看集成", + "guidedOnboardingPackage.gettingStarted.linkCard.observability.cardDescription": "通过预构建的集成功能来添加应用程序、基础架构和用户数据。", + "guidedOnboardingPackage.gettingStarted.linkCard.observability.cardTitle": "观察我的数据", + "guidedOnboardingPackage.gettingStarted.observability.betaBadgeLabel": "观察", + "guidedOnboardingPackage.gettingStarted.observability.iconName": "Observability 徽标", + "guidedOnboardingPackage.gettingStarted.search.betaBadgeLabel": "搜索", + "guidedOnboardingPackage.gettingStarted.search.iconName": "Enterprise Search 徽标", + "guidedOnboardingPackage.gettingStarted.security.betaBadgeLabel": "安全", + "guidedOnboardingPackage.gettingStarted.security.iconName": "安全徽标", "home.loadTutorials.requestFailedErrorMessage": "请求失败,状态代码:{status}", "home.tutorial.addDataToKibanaDescription": "除了添加 {integrationsLink} 以外,您还可以试用样例数据或上传自己的数据。", "home.tutorial.noTutorialLabel": "无法找到教程 {tutorialId}", @@ -2894,13 +3224,13 @@ "home.tutorials.common.filebeatCloudInstructions.config.osxTextPre": "修改 {path} 以设置 Elastic Cloud 的连接信息:", "home.tutorials.common.filebeatCloudInstructions.config.rpmTextPre": "修改 {path} 以设置 Elastic Cloud 的连接信息:", "home.tutorials.common.filebeatCloudInstructions.config.windowsTextPre": "修改 {path} 以设置 Elastic Cloud 的连接信息:", - "home.tutorials.common.filebeatEnableInstructions.debTextPost": "在 `/etc/filebeat/modules.d/{moduleName}.yml` 文件中修改设置。", + "home.tutorials.common.filebeatEnableInstructions.debTextPost": "在 `/etc/filebeat/modules.d/{moduleName}.yml` 文件中修改设置。必须至少启用一个文件集。", "home.tutorials.common.filebeatEnableInstructions.debTitle": "启用和配置 {moduleName} 模块", - "home.tutorials.common.filebeatEnableInstructions.osxTextPost": "在 `modules.d/{moduleName}.yml` 文件中修改设置。", + "home.tutorials.common.filebeatEnableInstructions.osxTextPost": "在 `modules.d/{moduleName}.yml` 文件中修改设置。必须至少启用一个文件集。", "home.tutorials.common.filebeatEnableInstructions.osxTitle": "启用和配置 {moduleName} 模块", - "home.tutorials.common.filebeatEnableInstructions.rpmTextPost": "在 `/etc/filebeat/modules.d/{moduleName}.yml` 文件中修改设置。", + "home.tutorials.common.filebeatEnableInstructions.rpmTextPost": "在 `/etc/filebeat/modules.d/{moduleName}.yml` 文件中修改设置。必须至少启用一个文件集。", "home.tutorials.common.filebeatEnableInstructions.rpmTitle": "启用和配置 {moduleName} 模块", - "home.tutorials.common.filebeatEnableInstructions.windowsTextPost": "在 `modules.d/{moduleName}.yml` 文件中修改设置。", + "home.tutorials.common.filebeatEnableInstructions.windowsTextPost": "在 `modules.d/{moduleName}.yml` 文件中修改设置。必须至少启用一个文件集。", "home.tutorials.common.filebeatEnableInstructions.windowsTextPre": "从 {path} 文件夹中,运行:", "home.tutorials.common.filebeatEnableInstructions.windowsTitle": "启用和配置 {moduleName} 模块", "home.tutorials.common.filebeatInstructions.config.debTextPostMarkdown": "其中,{passwordTemplate} 是 `elastic` 用户的密码,{esUrlTemplate} 是 Elasticsearch 的 URL,{kibanaUrlTemplate} 是 Kibana 的 URL。要使用 Elasticsearch 生成的默认证书 [配置 SSL]({configureSslUrl}),请在 {esCertFingerprintTemplate} 中添加其指纹。\n\n> **_重要说明:_**在生产环境中,请勿使用内置 `elastic` 用户来保护客户端。而要设置授权用户或 API 密钥,并且不要在配置文件中暴露密码。[了解详情]({linkUrl})。", @@ -3078,17 +3408,23 @@ "home.tutorials.zookeeperMetrics.longDescription": "Metricbeat 模块 `{moduleName}` 从 Zookeeper 服务器提取指标。[了解详情]({learnMoreLink})。", "home.tutorials.zscalerLogs.longDescription": "这是用于通过 Syslog 或文件接收 Zscaler NSS 日志的模块。[了解详情]({learnMoreLink})。", "home.addData.addDataButtonLabel": "添加集成", + "home.addData.guidedOnboardingLinkLabel": "设置指南", "home.addData.sampleDataButtonLabel": "试用样例数据", "home.addData.sectionTitle": "通过添加集成开始使用", - "home.addData.text": "要开始使用您的数据,请使用我们众多采集选项中的一个选项。从应用或服务收集数据,或上传文件。如果未准备好使用自己的数据,请添加示例数据集。", + "home.addData.text": "要开始使用您的数据,请使用我们众多采集选项中的一个选项。从应用或服务收集数据,或上传文件。如果未准备好使用自己的数据,请采用示例数据集。", "home.addData.uploadFileButtonLabel": "上传文件", - "home.breadcrumbs.gettingStartedTitle": "入门", + "home.breadcrumbs.gettingStartedTitle": "设置指南", "home.breadcrumbs.homeTitle": "主页", "home.breadcrumbs.integrationsAppTitle": "集成", "home.exploreButtonLabel": "自己浏览", "home.exploreYourDataDescription": "完成所有步骤后,您便可以随时浏览自己的数据。", - "home.guidedOnboarding.gettingStarted.skip.buttonLabel": "不用了,谢谢,我会自己浏览。", - "home.guidedOnboarding.gettingStarted.useCaseSelectionSubtitle": "选择快速教程的起点,了解 Elastic 如何帮助您利用数据完成更多任务。", + "home.guidedOnboarding.gettingStarted.activateGuide.errorMessage": "无法启动指南。请稍后重试。", + "home.guidedOnboarding.gettingStarted.errorSectionDescription": "加载指南状态时出现错误。请稍后重试。", + "home.guidedOnboarding.gettingStarted.errorSectionRefreshButton": "刷新", + "home.guidedOnboarding.gettingStarted.errorSectionTitle": "无法加载指南状态", + "home.guidedOnboarding.gettingStarted.loadingIndicator": "正在加载设置指南状态......", + "home.guidedOnboarding.gettingStarted.skip.buttonLabel": "我想执行其他操作(跳过)", + "home.guidedOnboarding.gettingStarted.useCaseSelectionSubtitle": "选择指南以帮助您充分利用自己的数据。", "home.guidedOnboarding.gettingStarted.useCaseSelectionTitle": "您希望先做什么?", "home.header.title": "欢迎归来", "home.letsStartDescription": "从任何源将数据添加到您的集群,然后对其进行实时分析和可视化。使用我们的解决方案可随处添加搜索,观察您的生态系统,并防范安全威胁。", @@ -3686,6 +4022,7 @@ "indexPatternEditor.editDataView.editConfirmationModal.modalDescription": "更改此数据视图会中断依赖它的其他对象。", "indexPatternEditor.editor.flyoutCloseButtonLabel": "关闭", "indexPatternEditor.editor.flyoutEditButtonLabel": "保存", + "indexPatternEditor.editor.flyoutEditUnpersistedButtonLabel": "继续使用而不保存", "indexPatternEditor.editor.flyoutExploreButtonLabel": "使用而不保存", "indexPatternEditor.editor.flyoutExploreButtonTitle": "使用此数据视图,而不创建已保存对象", "indexPatternEditor.editor.flyoutSaveButtonLabel": "保存数据视图到 Kibana", @@ -3709,6 +4046,7 @@ "indexPatternEditor.form.customIndexPatternIdLabel": "定制数据视图 ID", "indexPatternEditor.form.nameAriaLabel": "名称字段(可选)", "indexPatternEditor.form.titleAriaLabel": "索引模式字段", + "indexPatternEditor.goToManagementPage": "管理设置并查看字段详细信息", "indexPatternEditor.loadingHeader": "正在寻找匹配的索引......", "indexPatternEditor.requireTimestampOption.ValidationErrorMessage": "选择时间戳字段。", "indexPatternEditor.rollupDataView.createIndex.noMatchError": "汇总/打包数据视图错误:必须匹配一个汇总/打包索引", @@ -3774,6 +4112,8 @@ "indexPatternFieldEditor.duration.showSuffixLabel": "显示后缀", "indexPatternFieldEditor.duration.showSuffixLabel.short": "使用短后缀", "indexPatternFieldEditor.durationErrorMessage": "小数位数必须介于 0 和 20 之间", + "indexPatternFieldEditor.editor.compositeFieldsCount": "已生成字段", + "indexPatternFieldEditor.editor.compositeRefreshTypes": "重置", "indexPatternFieldEditor.editor.flyoutCancelButtonLabel": "取消", "indexPatternFieldEditor.editor.flyoutDefaultTitle": "创建字段", "indexPatternFieldEditor.editor.flyoutEditFieldTitle": "编辑字段“{fieldName}”", @@ -3801,6 +4141,7 @@ "indexPatternFieldEditor.editor.form.scriptEditor.compileErrorMessage": "编译 Painless 脚本时出错", "indexPatternFieldEditor.editor.form.scriptEditorAriaLabel": "脚本编辑器", "indexPatternFieldEditor.editor.form.scriptEditorPainlessValidationMessage": "Painless 脚本无效。", + "indexPatternFieldEditor.editor.form.subFieldParentInfo": "字段值由“{parentName}”定义", "indexPatternFieldEditor.editor.form.typeSelectAriaLabel": "类型选择", "indexPatternFieldEditor.editor.form.validations.customLabelIsRequiredErrorMessage": "为字段提供标签。", "indexPatternFieldEditor.editor.form.validations.nameIsRequiredErrorMessage": "名称必填。", @@ -3809,6 +4150,7 @@ "indexPatternFieldEditor.editor.form.validations.scriptIsRequiredErrorMessage": "需要脚本,才能设置字段值。", "indexPatternFieldEditor.editor.form.validations.starCharacterNotAllowedValidationErrorMessage": "字段名称中不能包含 *。", "indexPatternFieldEditor.editor.form.valueTitle": "设置值", + "indexPatternFieldEditor.editor.runtimeFieldsEditor.existCompositeNamesValidationErrorMessage": "已存在具有此名称的运行时组合。", "indexPatternFieldEditor.editor.runtimeFieldsEditor.existRuntimeFieldNamesValidationErrorMessage": "已存在具有此名称的字段。", "indexPatternFieldEditor.fieldPreview.documentIdField.label": "文档 ID", "indexPatternFieldEditor.fieldPreview.documentIdField.loadDocumentsFromCluster": "从集群加载文档", @@ -3882,6 +4224,7 @@ "indexPatternManagement.editDataView.deleteWarning": "将删除数据视图 {dataViewName}。此操作无法撤消。", "indexPatternManagement.editDataView.deleteWarningWithNamespaces": "从共享数据视图的每个工作区中删除数据视图 {dataViewName}。此操作无法撤消。", "indexPatternManagement.editHeader": "编辑 {fieldName}", + "indexPatternManagement.editIndexPattern.couldNotLoadMessage": "无法加载 ID 为 {objectId} 的数据视图。尝试创建新视图。", "indexPatternManagement.editIndexPattern.deprecation": "脚本字段已弃用。改用 {runtimeDocs}。", "indexPatternManagement.editIndexPattern.fields.conflictModal.description": "{fieldName} 字段的类型在不同索引中会有所不同,并且可能无法用于搜索、可视化和其他分析。", "indexPatternManagement.editIndexPattern.list.DateHistogramDelaySummary": "延迟:{delay},", @@ -3959,6 +4302,7 @@ "indexPatternManagement.editDataView.setDefaultAria": "设置为默认数据视图。", "indexPatternManagement.editDataView.setDefaultTooltip": "设置为默认值", "indexPatternManagement.editIndexPattern.badge.securityDataViewTitle": "安全数据视图", + "indexPatternManagement.editIndexPattern.couldNotLoadTitle": "无法加载数据视图", "indexPatternManagement.editIndexPattern.deleteButton": "删除", "indexPatternManagement.editIndexPattern.fields.addFieldButtonLabel": "添加字段", "indexPatternManagement.editIndexPattern.fields.conflictModal.closeBtn": "关闭", @@ -3994,6 +4338,8 @@ "indexPatternManagement.editIndexPattern.fields.table.primaryTimeAriaLabel": "主要时间字段", "indexPatternManagement.editIndexPattern.fields.table.primaryTimeTooltip": "此字段表示事件发生的时间。", "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitle": "运行时字段", + "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitleComposite": "组合运行时字段", + "indexPatternManagement.editIndexPattern.fields.table.runtimeIconTipTitleCompositeSubfield": "组合运行时子字段", "indexPatternManagement.editIndexPattern.fields.table.searchableDescription": "这些字段可用于筛选栏", "indexPatternManagement.editIndexPattern.fields.table.searchableHeader": "可搜索", "indexPatternManagement.editIndexPattern.fields.table.typeHeader": "类型", @@ -4284,6 +4630,9 @@ "kibana-react.pageFooter.makeDefaultRouteLink": "将此设为我的登陆页面", "kibana-react.solutionNav.collapsibleLabel": "折叠侧边导航", "kibana-react.solutionNav.openLabel": "打开侧边导航", + "languageDocumentationPopover.header": "{language} 参考", + "languageDocumentationPopover.tooltip": "{lang} 参考", + "languageDocumentationPopover.searchPlaceholder": "搜索", "management.landing.header": "欢迎使用 Stack Management {version}", "management.breadcrumb": "Stack Management", "management.landing.subhead": "管理您的索引、数据视图、已保存对象、Kibana 设置等等。", @@ -4376,6 +4725,12 @@ "savedObjects.advancedSettings.perPageTitle": "每页对象数", "savedObjects.confirmModal.cancelButtonLabel": "取消", "savedObjects.confirmModal.overwriteButtonLabel": "覆盖", + "savedObjects.finder.filterButtonLabel": "类型", + "savedObjects.finder.searchPlaceholder": "搜索……", + "savedObjects.finder.sortAsc": "升序", + "savedObjects.finder.sortAuto": "最佳匹配", + "savedObjects.finder.sortButtonLabel": "排序", + "savedObjects.finder.sortDesc": "降序", "savedObjects.overwriteRejectedDescription": "已拒绝覆盖确认", "savedObjects.saveDuplicateRejectedDescription": "已拒绝使用重复标题保存确认", "savedObjects.saveModal.cancelButtonLabel": "取消", @@ -4526,6 +4881,7 @@ "savedObjectsManagement.view.indexPatternDoesNotExistErrorMessage": "与此对象关联的数据视图不再存在。", "savedObjectsManagement.view.savedObjectProblemErrorMessage": "此已保存对象有问题", "savedObjectsManagement.view.savedSearchDoesNotExistErrorMessage": "与此对象关联的已保存搜索已不存在。", + "savedSearch.legacyURLConflict.errorMessage": "此搜索具有与旧版别名相同的 URL。请禁用别名以解决此错误:{json}", "share.contextMenuTitle": "共享此 {objectType}", "share.urlPanel.canNotShareAsSavedObjectHelpText": "只有保存 {objectType} 后,才能共享为已保存对象。", "share.urlPanel.savedObjectDescription": "您可以将此 URL 共享给相关人员,以便他们可以加载此 {objectType} 最新的已保存版本。", @@ -4558,9 +4914,10 @@ "share.urlService.redirect.RedirectManager.missingParamVersion": "定位器参数版本未指定。在 URL 中指定“v”搜索参数,其应为生成定位器参数时 Kibana 的版本。", "sharedUXPackages.noDataPage.intro": "添加您的数据以开始,或{link}{solution}。", "sharedUXPackages.noDataPage.welcomeTitle": "欢迎使用 Elastic {solution}!", - "sharedUXPackages.noDataPage.intro.link": "了解详情", "sharedUXPackages.solutionNav.mobileTitleText": "{solutionName} {menuText}", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.selectedStatusMessage": "{count, plural, other {# 个用户已选择}}", "sharedUXPackages.buttonToolbar.buttons.addFromLibrary.libraryButtonLabel": "从库中添加", + "sharedUXPackages.buttonToolbar.toolbar.errorToolbarText": "有 120 多个附加按钮。请考虑限制按钮数量。", "sharedUXPackages.card.noData.description": "使用 Elastic 代理以简单统一的方式从您的计算机中收集数据。", "sharedUXPackages.card.noData.noPermission.description": "尚未启用此集成。您的管理员具有打开它所需的权限。", "sharedUXPackages.card.noData.noPermission.title": "请联系您的管理员", @@ -4571,6 +4928,7 @@ "sharedUXPackages.noDataConfig.addIntegrationsTitle": "添加集成", "sharedUXPackages.noDataConfig.analytics": "分析", "sharedUXPackages.noDataConfig.analyticsPageTitle": "欢迎使用分析!", + "sharedUXPackages.noDataPage.intro.link": "了解详情", "sharedUXPackages.noDataViewsPrompt.addDataViewText": "创建数据视图", "sharedUXPackages.noDataViewsPrompt.dataViewExplanation": "数据视图标识您要浏览的 Elasticsearch 数据。您可以将数据视图指向一个或多个数据流、索引和索引别名(例如昨天的日志数据),或包含日志数据的所有索引。", "sharedUXPackages.noDataViewsPrompt.learnMore": "希望了解详情?", @@ -4582,6 +4940,9 @@ "sharedUXPackages.solutionNav.collapsibleLabel": "折叠侧边导航", "sharedUXPackages.solutionNav.menuText": "菜单", "sharedUXPackages.solutionNav.openLabel": "打开侧边导航", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.clearButtonLabel": "移除所有用户", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.searchPlaceholder": "搜索", + "sharedUXPackages.userProfileComponents.userProfilesSelectable.suggestedLabel": "已建议", "telemetry.callout.appliesSettingTitle": "对此设置的更改将应用到{allOfKibanaText} 且会自动保存。", "telemetry.seeExampleOfClusterDataAndEndpointSecuity": "查看我们收集的{clusterData}和{securityData}示例。", "telemetry.telemetryBannerDescription": "想帮助我们改进 Elastic Stack?数据使用情况收集当前已禁用。启用使用情况数据收集可帮助我们管理并改善产品和服务。有关更多详情,请参阅我们的{privacyStatementLink}。", @@ -4881,8 +5242,77 @@ "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateSyntaxHelpLinkText": "语法帮助", "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateVariablesFilterPlaceholderText": "筛选变量", "uiActionsEnhanced.drilldowns.urlDrilldownCollectConfig.urlTemplateVariablesHelpLinkText": "帮助", + "unifiedFieldList.fieldListGrouped.fieldSearchForAvailableFieldsLiveRegion": "{availableFields} 个可用{availableFields, plural, other {字段}}。", + "unifiedFieldList.fieldListGrouped.fieldSearchForEmptyFieldsLiveRegion": "{emptyFields} 个空{emptyFields, plural, other {字段}}。", + "unifiedFieldList.fieldListGrouped.fieldSearchForMetaFieldsLiveRegion": "{metaFields} 个元{metaFields, plural, other {字段}}。", + "unifiedFieldList.fieldListGrouped.fieldSearchForSelectedFieldsLiveRegion": "{selectedFields} 个选定{selectedFields, plural, other {字段}}。", + "unifiedFieldList.fieldPopover.addFieldToWorkspaceLabel": "添加“{field}”字段", + "unifiedFieldList.fieldStats.bucketPercentageTooltip": "{formattedPercentage}({count, plural, other {# 条记录}})", + "unifiedFieldList.fieldStats.calculatedFromSampleRecordsLabel": "基于 {sampledDocumentsFormatted} 个样例{sampledDocuments, plural, other {记录}}计算。", + "unifiedFieldList.fieldStats.calculatedFromTotalRecordsLabel": "基于 {totalDocumentsFormatted} 个样例{totalDocuments, plural, other {记录}}计算。", + "unifiedFieldList.fieldStats.filterOutValueButtonAriaLabel": "筛除 {field}:“{value}”", + "unifiedFieldList.fieldStats.filterValueButtonAriaLabel": "筛留 {field}:“{value}”", + "unifiedFieldList.fieldStats.noFieldDataInSampleDescription": "{sampledDocumentsFormatted} 个样例{sampledDocuments, plural, other {记录}}无字段数据。", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.deprecation": "此设置已过时,自 8.6 中起不再受支持。", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.description": "如果启用,文档采样将用于确定 Lens 字段列表中的字段是否存在(可用或为空),而不依赖索引映射。", + "unifiedFieldList.advancedSettings.useFieldExistenceSampling.title": "使用字段存在采样", + "unifiedFieldList.fieldList.noFieldsCallout.noDataLabel": "无字段。", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.extendTimeBullet": "延伸时间范围", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.fieldTypeFilterBullet": "使用不同的字段筛选", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.globalFiltersBullet": "更改全局筛选", + "unifiedFieldList.fieldList.noFieldsCallout.noFields.tryText": "尝试:", + "unifiedFieldList.fieldList.noFieldsCallout.noFieldsLabel": "在此数据视图中不存在任何字段。", + "unifiedFieldList.fieldList.noFieldsCallout.noFilteredFieldsLabel": "没有字段匹配选定筛选。", + "unifiedFieldList.fieldPopover.addExistsFilterLabel": "筛留存在的字段", + "unifiedFieldList.fieldPopover.deleteFieldLabel": "删除数据视图字段", + "unifiedFieldList.fieldPopover.editFieldLabel": "编辑数据视图字段", + "unifiedFieldList.fieldsAccordion.existenceErrorAriaLabel": "现有内容提取失败", + "unifiedFieldList.fieldsAccordion.existenceErrorLabel": "无法加载字段信息", + "unifiedFieldList.fieldsAccordion.existenceTimeoutAriaLabel": "现有内容提取超时", + "unifiedFieldList.fieldsAccordion.existenceTimeoutLabel": "字段信息花费时间过久", + "unifiedFieldList.fieldStats.countLabel": "计数", + "unifiedFieldList.fieldStats.displayToggleLegend": "切换", + "unifiedFieldList.fieldStats.emptyStringValueLabel": "(空)", + "unifiedFieldList.fieldStats.examplesLabel": "示例", + "unifiedFieldList.fieldStats.fieldDistributionLabel": "分布", + "unifiedFieldList.fieldStats.fieldTimeDistributionLabel": "时间分布", + "unifiedFieldList.fieldStats.noFieldDataDescription": "没有适用于当前搜索的字段数据。", + "unifiedFieldList.fieldStats.notAvailableForThisFieldDescription": "分析不适用于此字段。", + "unifiedFieldList.fieldStats.otherDocsLabel": "其他", + "unifiedFieldList.fieldStats.topValuesLabel": "排名最前值", + "unifiedFieldList.fieldVisualizeButton.label": "Visualize", + "unifiedFieldList.useGroupedFields.allFieldsLabel": "所有字段", + "unifiedFieldList.useGroupedFields.availableFieldsLabel": "可用字段", + "unifiedFieldList.useGroupedFields.emptyFieldsLabel": "空字段", + "unifiedFieldList.useGroupedFields.emptyFieldsLabelHelp": "空字段不包含任何基于您的筛选的值。", + "unifiedFieldList.useGroupedFields.metaFieldsLabel": "元字段", + "unifiedFieldList.useGroupedFields.noAvailableDataLabel": "没有包含数据的可用字段。", + "unifiedFieldList.useGroupedFields.noEmptyDataLabel": "无空字段。", + "unifiedFieldList.useGroupedFields.noMetaDataLabel": "无元字段。", + "unifiedFieldList.useGroupedFields.selectedFieldsLabel": "选定字段", + "unifiedHistogram.bucketIntervalTooltip": "此时间间隔创建的{bucketsDescription},无法在选定时间范围中显示,因此已调整为{bucketIntervalDescription}。", + "unifiedHistogram.histogramTimeRangeIntervalDescription": "(时间间隔:{value})", + "unifiedHistogram.hitsPluralTitle": "{formattedHits} 个{hits, plural, other {命中}}", + "unifiedHistogram.partialHits": "≥{formattedHits} 个{hits, plural, other {命中}}", + "unifiedHistogram.timeIntervalWithValue": "时间间隔:{timeInterval}", + "unifiedHistogram.bucketIntervalTooltip.tooLargeBucketsText": "存储桶过大", + "unifiedHistogram.bucketIntervalTooltip.tooManyBucketsText": "存储桶过多", + "unifiedHistogram.chartOptions": "图表选项", + "unifiedHistogram.chartOptionsButton": "图表选项", + "unifiedHistogram.editVisualizationButton": "编辑可视化", + "unifiedHistogram.hideChart": "隐藏图表", + "unifiedHistogram.histogramOfFoundDocumentsAriaLabel": "已找到文档的直方图", + "unifiedHistogram.histogramTimeRangeIntervalAuto": "自动", + "unifiedHistogram.hitCountSpinnerAriaLabel": "最终命中计数仍在加载", + "unifiedHistogram.resetChartHeight": "重置为默认高度", + "unifiedHistogram.showChart": "显示图表", + "unifiedHistogram.timeIntervals": "时间间隔", + "unifiedHistogram.timeIntervalWithValueWarning": "警告", + "unifiedSearch.filter.filterBar.filterActionsMessage": "筛选:{innerText}。选择以获取更多筛选操作。", "unifiedSearch.filter.filterBar.filterItemBadgeIconAriaLabel": "删除 {filter}", + "unifiedSearch.filter.filterBar.filterString": "筛选:{innerText}。", "unifiedSearch.filter.filterBar.labelWarningInfo": "当前视图中不存在字段 {fieldName}", + "unifiedSearch.filter.filtersBuilder.delimiterLabel": "{conditionType}", "unifiedSearch.kueryAutocomplete.andOperatorDescription": "需要{bothArguments}为 true", "unifiedSearch.kueryAutocomplete.equalOperatorDescription": "{equals}某一值", "unifiedSearch.kueryAutocomplete.existOperatorDescription": "以任意形式{exists}", @@ -4892,6 +5322,7 @@ "unifiedSearch.kueryAutocomplete.lessThanOrEqualOperatorDescription": "{lessThanOrEqualTo}某一值", "unifiedSearch.kueryAutocomplete.orOperatorDescription": "需要{oneOrMoreArguments}为 true", "unifiedSearch.query.queryBar.comboboxAriaLabel": "搜索并筛选 {pageType} 页面", + "unifiedSearch.query.queryBar.indexPattern.createForMatchingIndices": "浏览 {indicesLength, plural,\n other \n {# 个匹配的索引}}", "unifiedSearch.query.queryBar.KQLNestedQuerySyntaxInfoText": "似乎您正在查询嵌套字段。您可以使用不同的方式构造嵌套查询的 KQL 语法,具体取决于您想要的结果。详细了解我们的 {link}。", "unifiedSearch.query.queryBar.searchInputAriaLabel": "开始键入内容,以搜索并筛选 {pageType} 页面", "unifiedSearch.query.queryBar.searchInputPlaceholder": "使用 {language} 语法筛选数据", @@ -4992,6 +5423,12 @@ "unifiedSearch.filter.filterEditor.valueSelectPlaceholder": "选择值", "unifiedSearch.filter.filterEditor.valuesSelectLabel": "值", "unifiedSearch.filter.filterEditor.valuesSelectPlaceholder": "选择值", + "unifiedSearch.filter.filtersBuilder.addAndFilterGroupButtonIcon": "通过 AND 添加筛选组", + "unifiedSearch.filter.filtersBuilder.addOrFilterGroupButtonIcon": "通过 OR 添加筛选组", + "unifiedSearch.filter.filtersBuilder.deleteFilterGroupButtonIcon": "删除筛选组", + "unifiedSearch.filter.filtersBuilder.fieldSelectPlaceholder": "首先选择字段", + "unifiedSearch.filter.filtersBuilder.operatorSelectPlaceholderSelect": "选择", + "unifiedSearch.filter.filtersBuilder.operatorSelectPlaceholderWaiting": "正在等候", "unifiedSearch.filter.options.addFilterButtonLabel": "添加筛选", "unifiedSearch.filter.options.applyAllFiltersButtonLabel": "应用于所有项", "unifiedSearch.filter.options.clearllFiltersButtonLabel": "全部清除", @@ -5026,6 +5463,7 @@ "unifiedSearch.query.queryBar.indexPattern.findDataView": "查找数据视图", "unifiedSearch.query.queryBar.indexPattern.findFilterSet": "查找已保存查询", "unifiedSearch.query.queryBar.indexPattern.manageFieldButton": "管理此数据视图", + "unifiedSearch.query.queryBar.indexPattern.temporaryDataviewLabel": "临时", "unifiedSearch.query.queryBar.indexPattern.textBasedLangSwitchWarning": "切换数据视图会移除当前的 SQL 查询。保存此搜索以确保不会丢失工作。", "unifiedSearch.query.queryBar.indexPattern.textBasedLanguagesLabel": "基于文本的查询语言", "unifiedSearch.query.queryBar.indexPattern.textBasedLanguagesTransitionModalBody": "切换数据视图会移除当前的 SQL 查询。保存此搜索以确保不会丢失工作。", @@ -5040,6 +5478,7 @@ "unifiedSearch.query.queryBar.luceneLanguageName": "Lucene", "unifiedSearch.query.queryBar.searchInputPlaceholderForText": "筛选您的数据", "unifiedSearch.query.queryBar.syntaxOptionsTitle": "语法选项", + "unifiedSearch.query.queryBar.textBasedLanguagesTechPreviewLabel": "技术预览", "unifiedSearch.query.textBasedLanguagesEditor.aggregateFunctions": "聚合函数", "unifiedSearch.query.textBasedLanguagesEditor.aggregateFunctionsDocumentationDescription": "用于从一组输入值计算单一结果的函数。Elasticsearch SQL 仅在与分组(隐式或显式)一起时才支持聚合函数。", "unifiedSearch.query.textBasedLanguagesEditor.comparisonOperators": "比较运算符", @@ -5115,6 +5554,12 @@ "unifiedSearch.switchLanguage.buttonText": "切换语言按钮。", "unifiedSearch.triggers.updateFilterReferencesTrigger": "更新筛选参考", "unifiedSearch.triggers.updateFilterReferencesTriggerDescription": "更新筛选参考", + "userProfileComponents.userProfilesSelectable.limitReachedMessage": "您已最多选择 {count, plural, other {# 个用户}}", + "userProfileComponents.userProfilesSelectable.selectedStatusMessage": "{count, plural, other {# 个用户已选择}}", + "userProfileComponents.userProfilesSelectable.clearButtonLabel": "移除所有用户", + "userProfileComponents.userProfilesSelectable.defaultOptionsLabel": "已建议", + "userProfileComponents.userProfilesSelectable.nullOptionLabel": "无用户", + "userProfileComponents.userProfilesSelectable.searchPlaceholder": "搜索", "visDefaultEditor.agg.disableAggButtonTooltip": "禁用 {schemaTitle} {aggTitle} 聚合", "visDefaultEditor.agg.enableAggButtonTooltip": "启用 {schemaTitle} {aggTitle} 聚合", "visDefaultEditor.agg.errorsAriaLabel": "{schemaTitle} {aggTitle} 聚合有错误", @@ -5437,6 +5882,7 @@ "visTypeTimeseries.annotationsEditor.ignorePanelFiltersLabel": "忽略面板筛选?", "visTypeTimeseries.annotationsEditor.queryStringLabel": "查询字符串", "visTypeTimeseries.annotationsEditor.rowTemplateLabel": "行模板(必需)", + "visTypeTimeseries.annotationsEditor.timeFieldLabel": "时间字段", "visTypeTimeseries.calculateLabel.bucketScriptsLabel": "存储桶脚本", "visTypeTimeseries.calculateLabel.countLabel": "计数", "visTypeTimeseries.calculateLabel.filterRatioLabel": "筛选比", @@ -5566,6 +6012,7 @@ "visTypeTimeseries.indexPatternSelect.switchModePopover.areaLabel": "配置数据视图选择模式", "visTypeTimeseries.indexPatternSelect.switchModePopover.title": "数据视图模式", "visTypeTimeseries.indexPatternSelect.switchModePopover.useKibanaIndices": "使用 Kibana 数据视图", + "visTypeTimeseries.indexPatternSelect.updateIndex": "使用输入的数据视图更新可视化", "visTypeTimeseries.kbnVisTypes.metricsDescription": "对时间序列数据执行高级分析。", "visTypeTimeseries.kbnVisTypes.metricsTitle": "TSVB", "visTypeTimeseries.lastValueModeIndicator.lastValue": "最后值", @@ -5976,6 +6423,7 @@ "visTypeVislib.vislib.tooltip.valueLabel": "值", "visTypeXy.controls.pointSeries.seriesAccordionAriaLabel": "切换 {agg} 选项", "visTypeXy.controls.pointSeries.valueAxes.toggleOptionsAriaLabel": "切换 {axisName} 选项", + "visTypeXy.allDocsTitle": "所有文档", "visTypeXy.area.areaDescription": "突出轴与线之间的数据。", "visTypeXy.area.areaTitle": "面积图", "visTypeXy.area.groupTitle": "拆分序列", @@ -6231,520 +6679,126 @@ "xpack.actions.serverSideErrors.predefinedActionDeleteDisabled": "不允许删除预配置的操作 {id}。", "xpack.actions.serverSideErrors.predefinedActionUpdateDisabled": "不允许更新预配置的操作 {id}。", "xpack.actions.serverSideErrors.unavailableLicenseErrorMessage": "操作类型 {actionTypeId} 已禁用,因为许可证信息当前不可用。", + "xpack.actions.subActionsFramework.urlValidationError": "验证 URL 时出错:{message}", "xpack.actions.urlAllowedHostsConfigurationError": "目标 {field} 的“{value}”未添加到 Kibana 配置 xpack.actions.allowedHosts", "xpack.actions.alertHistoryEsIndexConnector.name": "告警历史记录 Elasticsearch 索引", "xpack.actions.appName": "操作", "xpack.actions.availableConnectorFeatures.alerting": "Alerting", "xpack.actions.availableConnectorFeatures.cases": "案例", + "xpack.actions.availableConnectorFeatures.compatibility.alertingRules": "告警规则", + "xpack.actions.availableConnectorFeatures.compatibility.cases": "案例", "xpack.actions.availableConnectorFeatures.securitySolution": "安全解决方案", "xpack.actions.availableConnectorFeatures.uptime": "运行时间", + "xpack.actions.builtin.cases.jiraTitle": "Jira", "xpack.actions.featureRegistry.actionsFeatureName": "操作和连接器", "xpack.actions.savedObjects.goToConnectorsButtonText": "前往连接器", "xpack.actions.serverSideErrors.unavailableLicenseInformationErrorMessage": "操作不可用 - 许可信息当前不可用。", - "xpack.stackConnectors.casesWebhook.configurationError": "配置案例 Webhook 操作时出错:{err}", - "xpack.stackConnectors.casesWebhook.configurationErrorNoHostname": "配置案例 Webhook 操作时出错:无法解析 {url}:{err}", - "xpack.stackConnectors.casesWebhook.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", - "xpack.stackConnectors.resilient.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", - "xpack.stackConnectors.serviceNow.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", - "xpack.stackConnectors.serviceNow.configuration.apiValidateMissingOAuthFieldError": "isOAuth = {isOAuth} 时,必须提供 {field}", - "xpack.stackConnectors.serviceNow.configuration.apiValidateOAuthFieldError": "不得与 isOAuth = {isOAuth} 一起提供 {field}", - "xpack.stackConnectors.email.customViewInKibanaMessage": "此消息由 Kibana 发送。[{kibanaFooterLinkText}]({link})。", - "xpack.stackConnectors.jira.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", - "xpack.stackConnectors.pagerduty.invalidTimestampErrorMessage": "解析时间戳“{timestamp}”时出错", - "xpack.stackConnectors.pagerduty.missingDedupkeyErrorMessage": "当 eventAction 是“{eventAction}”时需要 DedupKey", - "xpack.stackConnectors.pagerduty.configurationError": "配置 pagerduty 操作时出错:{message}", - "xpack.stackConnectors.pagerduty.postingRetryErrorMessage": "发布 pagerduty 事件时出错:http 状态 {status},请稍后重试", - "xpack.stackConnectors.pagerduty.postingUnexpectedErrorMessage": "发布 pagerduty 事件时出错:非预期状态 {status}", - "xpack.stackConnectors.pagerduty.timestampParsingFailedErrorMessage": "解析时间戳“{timestamp}”出错:{message}", - "xpack.stackConnectors.slack.errorPostingRetryDateErrorMessage": "发布 Slack 消息时出错,在 {retryString} 重试", - "xpack.stackConnectors.slack.configurationError": "配置 slack 操作时出错:{message}", - "xpack.stackConnectors.slack.unexpectedHttpResponseErrorMessage": "来自 slack 的非预期 http 响应:{httpStatus} {httpStatusText}", - "xpack.stackConnectors.swimlane.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", - "xpack.stackConnectors.teams.errorPostingRetryDateErrorMessage": "发布 Microsoft Teams 消息时出错,请在 {retryString} 重试", - "xpack.stackConnectors.teams.configurationError": "配置 Teams 操作时出错:{message}", - "xpack.stackConnectors.webhook.invalidResponseRetryDateErrorMessage": "调用 webhook 时出错,请在 {retryString} 重试", - "xpack.stackConnectors.webhook.configurationError": "配置 Webhook 操作时出错:{message}", - "xpack.stackConnectors.webhook.configurationErrorNoHostname": "配置 Webhook 操作时出错:无法解析 url:{err}", - "xpack.stackConnectors.xmatters.postingRetryErrorMessage": "触发 xMatters 流时出错:http 状态为 {status},请稍后重试", - "xpack.stackConnectors.xmatters.unexpectedStatusErrorMessage": "触发 xMatters 流时出错:非预期状态 {status}", - "xpack.stackConnectors.xmatters.configurationError": "配置 xMatters 操作时出错:{message}", - "xpack.stackConnectors.xmatters.configurationErrorNoHostname": "配置 xMatters 操作时出错:无法解析 url:{err}", - "xpack.stackConnectors.xmatters.hostnameNotAllowed": "{message}", - "xpack.stackConnectors.xmatters.invalidUrlError": "secretsUrl 无效:{err}", - "xpack.stackConnectors.casesWebhook.title": "Webhook - 案例管理", - "xpack.stackConnectors.jira.title": "Jira", - "xpack.stackConnectors.resilient.title": "IBM Resilient", - "xpack.stackConnectors.casesWebhook.invalidUsernamePassword": "必须指定用户及密码", - "xpack.stackConnectors.serviceNow.configuration.apiBasicAuthCredentialsError": "必须同时指定用户名和密码", - "xpack.stackConnectors.serviceNow.configuration.apiCredentialsError": "必须指定基本身份验证或 OAuth 凭据", - "xpack.stackConnectors.serviceNow.configuration.apiOAuthCredentialsError": "必须同时指定 clientSecret 和 privateKey", - "xpack.stackConnectors.email.errorSendingErrorMessage": "发送电子邮件时出错", - "xpack.stackConnectors.email.kibanaFooterLinkText": "前往 Kibana", - "xpack.stackConnectors.email.sentByKibanaMessage": "此消息由 Kibana 发送。", - "xpack.stackConnectors.email.title": "电子邮件", - "xpack.stackConnectors.esIndex.errorIndexingErrorMessage": "索引文档时出错", - "xpack.stackConnectors.esIndex.title": "索引", - "xpack.stackConnectors.pagerduty.postingErrorMessage": "发布 pagerduty 事件时出错", - "xpack.stackConnectors.pagerduty.title": "PagerDuty", - "xpack.stackConnectors.serverLog.errorLoggingErrorMessage": "记录消息时出错", - "xpack.stackConnectors.serverLog.title": "服务器日志", - "xpack.stackConnectors.serviceNowITOM.title": "ServiceNow ITOM", - "xpack.stackConnectors.serviceNowITSM.title": "ServiceNow ITSM", - "xpack.stackConnectors.serviceNowSIR.title": "ServiceNow SecOps", - "xpack.stackConnectors.serviceNow.title": "ServiceNow", - "xpack.stackConnectors.slack.errorPostingErrorMessage": "发布 slack 消息时出错", - "xpack.stackConnectors.slack.errorPostingRetryLaterErrorMessage": "发布 slack 消息时出错,稍后重试", - "xpack.stackConnectors.slack.configurationErrorNoHostname": "配置 slack 操作时出错:无法解析 webhookUrl 中的主机名", - "xpack.stackConnectors.slack.unexpectedNullResponseErrorMessage": "来自 slack 的异常空响应", - "xpack.stackConnectors.slack.title": "Slack", - "xpack.stackConnectors.swimlane.title": "泳道", - "xpack.stackConnectors.teams.errorPostingRetryLaterErrorMessage": "发布 Microsoft Teams 消息时出错,请稍后重试", - "xpack.stackConnectors.teams.invalidResponseErrorMessage": "向 Microsoft Teams 发布时出错,无效响应", - "xpack.stackConnectors.teams.configurationErrorNoHostname": "配置 Teams 操作时出错:无法解析 webhookUrl 中的主机名", - "xpack.stackConnectors.teams.unreachableErrorMessage": "向 Microsoft Teams 发布时出错,意外错误", - "xpack.stackConnectors.teams.title": "Microsoft Teams", - "xpack.stackConnectors.webhook.invalidResponseErrorMessage": "调用 webhook 时出错,响应无效", - "xpack.stackConnectors.webhook.invalidResponseRetryLaterErrorMessage": "调用 webhook 时出错,请稍后重试", - "xpack.stackConnectors.webhook.invalidUsernamePassword": "必须指定用户及密码", - "xpack.stackConnectors.webhook.requestFailedErrorMessage": "调用 webhook 时出错,请求失败", - "xpack.stackConnectors.webhook.unreachableErrorMessage": "调用时 webhook 出错,非预期错误", - "xpack.stackConnectors.webhook.title": "Webhook", - "xpack.stackConnectors.xmatters.invalidUsernamePassword": "必须同时指定用户和密码。", - "xpack.stackConnectors.xmatters.missingConfigUrl": "请提供有效的 configUrl", - "xpack.stackConnectors.xmatters.missingPassword": "请提供有效密码", - "xpack.stackConnectors.xmatters.missingSecretsUrl": "请提供具有 API 密钥的有效 secretsUrl", - "xpack.stackConnectors.xmatters.missingUser": "请提供有效用户名", - "xpack.stackConnectors.xmatters.noSecretsProvided": "请提供 secretsUrl 链接或用户/密码以进行身份验证", - "xpack.stackConnectors.xmatters.noUserPassWhenSecretsUrl": "无法将用户/密码用于 URL 身份验证。请提供有效 secretsUrl 或使用基本身份验证。", - "xpack.stackConnectors.xmatters.postingErrorMessage": "触发 xMatters 工作流时出错", - "xpack.stackConnectors.xmatters.shouldNotHaveConfigUrl": "usesBasic 为 false 时不得提供 configUrl", - "xpack.stackConnectors.xmatters.shouldNotHaveSecretsUrl": "usesBasic 为 true 时不得提供 secretsUrl", - "xpack.stackConnectors.xmatters.shouldNotHaveUsernamePassword": "usesBasic 为 false 时不得提供用户名和密码", - "xpack.stackConnectors.xmatters.title": "xMatters", - "xpack.stackConnectors.components.casesWebhook.error.missingVariables": "缺少所需{variableCount, plural, other {变量}}:{variables}", - "xpack.stackConnectors.components.index.error.badIndexOverrideValue": "告警历史记录索引必须以“{alertHistoryPrefix}”开头。", - "xpack.stackConnectors.components.email.error.invalidEmail": "电子邮件地址 {email} 无效。", - "xpack.stackConnectors.components.email.error.notAllowed": "不允许使用电子邮件地址 {email}。", - "xpack.stackConnectors.components.index.preconfiguredIndexHelpText": "文档已索引到 {alertHistoryIndex} 索引中。", - "xpack.stackConnectors.components.jira.unableToGetIssueMessage": "无法获取 ID 为 {id} 的问题", - "xpack.stackConnectors.components.pagerDuty.error.invalidTimestamp": "时间戳必须是有效的日期,例如 {nowShortFormat} 或 {nowLongFormat}。", - "xpack.stackConnectors.components.serviceNow.apiInfoError": "尝试获取应用程序信息时收到的状态:{status}", - "xpack.stackConnectors.components.serviceNow.appInstallationInfo": "{update} {create} ", - "xpack.stackConnectors.components.serviceNow.updateSuccessToastTitle": "{connectorName} 连接器已更新", - "xpack.stackConnectors.components.serviceNow.apiUrlHelpLabel": "提供所需 ServiceNow 实例的完整 URL。如果没有,{instance}。", - "xpack.stackConnectors.components.serviceNow.appRunning": "在运行更新之前,必须从 ServiceNow 应用商店安装 Elastic 应用。{visitLink} 以安装该应用", - "xpack.stackConnectors.components.swimlane.unableToGetApplicationMessage": "无法获取 ID 为 {id} 的应用程序", - "xpack.stackConnectors.components.casesWebhook.commentsTextAreaFieldLabel": "其他注释", - "xpack.stackConnectors.components.casesWebhook.descriptionTextAreaFieldLabel": "描述", - "xpack.stackConnectors.components.casesWebhook.tagsFieldLabel": "标签", - "xpack.stackConnectors.components.casesWebhook.titleFieldLabel": "摘要(必填)", - "xpack.stackConnectors.components.casesWebhook.addHeaderButton": "添加", - "xpack.stackConnectors.components.casesWebhook.addVariable": "添加变量", - "xpack.stackConnectors.components.casesWebhook.authenticationLabel": "身份验证", - "xpack.stackConnectors.components.casesWebhook.caseCommentDesc": "Kibana 案例注释", - "xpack.stackConnectors.components.casesWebhook.caseDescriptionDesc": "Kibana 案例描述", - "xpack.stackConnectors.components.casesWebhook.caseTagsDesc": "Kibana 案例标签", - "xpack.stackConnectors.components.casesWebhook.caseTitleDesc": "Kibana 案例标题", - "xpack.stackConnectors.components.casesWebhook.createCommentJsonHelp": "用于创建注释的 JSON 对象。使用变量选择器将案例数据添加到有效负载。", - "xpack.stackConnectors.components.casesWebhook.createCommentJsonTextFieldLabel": "创建注释对象", - "xpack.stackConnectors.components.casesWebhook.createCommentMethodTextFieldLabel": "创建注释方法", - "xpack.stackConnectors.components.casesWebhook.createCommentUrlHelp": "用于添加注释到案例的 API URL。", - "xpack.stackConnectors.components.casesWebhook.createCommentUrlTextFieldLabel": "创建注释 URL", - "xpack.stackConnectors.components.casesWebhook.createIncidentJsonHelpText": "用于创建案例的 JSON 对象。使用变量选择器将案例数据添加到有效负载。", - "xpack.stackConnectors.components.casesWebhook.createIncidentJsonTextFieldLabel": "创建案例对象", - "xpack.stackConnectors.components.casesWebhook.createIncidentMethodTextFieldLabel": "创建案例方法", - "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyHelpText": "创建案例响应中包含外部案例 ID 的 JSON 键", - "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyTextFieldLabel": "创建案例响应案例键", - "xpack.stackConnectors.components.casesWebhook.createIncidentUrlTextFieldLabel": "创建案例 URL", - "xpack.stackConnectors.components.casesWebhook.deleteHeaderButton": "删除", - "xpack.stackConnectors.components.casesWebhook.docLink": "正在配置 Webhook - 案例管理连接器。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentIncidentText": "创建注释对象必须为有效 JSON。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentUrlText": "创建注释 URL 必须为 URL 格式。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentText": "“创建案例对象”必填并且必须为有效 JSON。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateUrlText": "“创建案例 URL”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentUrlText": "“获取案例 URL”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateIncidentText": "“更新案例对象”必填并且必须为有效 JSON。", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateUrlText": "“更新案例 URL”必填。", - "xpack.stackConnectors.components.casesWebhook.externalIdDesc": "外部系统 ID", - "xpack.stackConnectors.components.casesWebhook.externalTitleDesc": "外部系统标题", - "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyHelp": "获取案例响应中包含外部案例标题的 JSON 键", - "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyTextFieldLabel": "获取案例响应外部标题键", - "xpack.stackConnectors.components.casesWebhook.getIncidentUrlHelp": "用于从外部系统中获取案例详情 JSON 的 API URL。使用变量选择器添加外部系统 ID 到 URL。", - "xpack.stackConnectors.components.casesWebhook.getIncidentUrlTextFieldLabel": "获取案例 URL", - "xpack.stackConnectors.components.casesWebhook.hasAuthSwitchLabel": "此 Webhook 需要身份验证", - "xpack.stackConnectors.components.casesWebhook.httpHeadersTitle": "在用的标头", - "xpack.stackConnectors.components.casesWebhook.jsonCodeEditorAriaLabel": "代码编辑器", - "xpack.stackConnectors.components.casesWebhook.jsonFieldLabel": "JSON", - "xpack.stackConnectors.components.casesWebhook.keyTextFieldLabel": "钥匙", - "xpack.stackConnectors.components.casesWebhook.next": "下一步", - "xpack.stackConnectors.components.casesWebhook.passwordTextFieldLabel": "密码", - "xpack.stackConnectors.components.casesWebhook.previous": "上一步", - "xpack.stackConnectors.components.casesWebhook.selectMessageText": "发送请求到案例管理 Web 服务。", - "xpack.stackConnectors.components.casesWebhook.step1": "设置连接器", - "xpack.stackConnectors.components.casesWebhook.step2": "创建案例", - "xpack.stackConnectors.components.casesWebhook.step2Description": "设置字段以在外部系统中创建案例。查阅您服务的 API 文档以了解需要哪些字段", - "xpack.stackConnectors.components.casesWebhook.step3": "获取案例信息", - "xpack.stackConnectors.components.casesWebhook.step3Description": "设置字段以在外部系统中添加案例注释。对于某些系统,这可能采取与在案例中创建更新相同的方法。查阅您服务的 API 文档以了解需要哪些字段。", - "xpack.stackConnectors.components.casesWebhook.step4": "注释和更新", - "xpack.stackConnectors.components.casesWebhook.step4a": "在案例中创建更新", - "xpack.stackConnectors.components.casesWebhook.step4aDescription": "设置字段以在外部系统中创建案例更新。对于某些系统,这可能采取与添加案例注释相同的方法。", - "xpack.stackConnectors.components.casesWebhook.step4b": "在案例中添加注释", - "xpack.stackConnectors.components.casesWebhook.step4bDescription": "设置字段以在外部系统中添加案例注释。对于某些系统,这可能采取与在案例中创建更新相同的方法。", - "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonHelpl": "用于更新案例的 JSON 对象。使用变量选择器将案例数据添加到有效负载。", - "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonTextFieldLabel": "更新案例对象", - "xpack.stackConnectors.components.casesWebhook.updateIncidentMethodTextFieldLabel": "更新案例方法", - "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlHelp": "用于更新案例的 API URL。", - "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlTextFieldLabel": "更新案例 URL", - "xpack.stackConnectors.components.casesWebhook.userTextFieldLabel": "用户名", - "xpack.stackConnectors.components.casesWebhook.valueTextFieldLabel": "值", - "xpack.stackConnectors.components.casesWebhook.viewHeadersSwitch": "添加 HTTP 标头", - "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlHelp": "用于查看外部系统中的案例的 URL。使用变量选择器添加外部系统 ID 或外部系统标题到 URL。", - "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlTextFieldLabel": "外部案例查看 URL", - "xpack.stackConnectors.components.serviceNow.requiredShortDescTextField": "“简短描述”必填。", - "xpack.stackConnectors.components.email.exchangeForm.clientIdHelpLabel": "配置客户端 ID", - "xpack.stackConnectors.components.email.exchangeForm.clientSecretHelpLabel": "配置客户端密钥", - "xpack.stackConnectors.components.email.exchangeForm.tenantIdHelpLabel": "配置租户 ID", - "xpack.stackConnectors.components.email.connectorTypeTitle": "发送到电子邮件", - "xpack.stackConnectors.components.email.amazonSesServerTypeLabel": "Amazon SES", - "xpack.stackConnectors.components.email.configureAccountsHelpLabel": "配置电子邮件帐户", - "xpack.stackConnectors.components.email.elasticCloudServerTypeLabel": "Elastic Cloud", - "xpack.stackConnectors.components.email.exchangeServerTypeLabel": "MS Exchange Server", - "xpack.stackConnectors.components.email.gmailServerTypeLabel": "Gmail", - "xpack.stackConnectors.components.email.otherServerTypeLabel": "其他", - "xpack.stackConnectors.components.email.outlookServerTypeLabel": "Outlook", - "xpack.stackConnectors.components.email.selectMessageText": "从您的服务器发送电子邮件。", - "xpack.stackConnectors.components.email.updateErrorNotificationText": "无法获取服务配置", - "xpack.stackConnectors.components.index.error.badIndexOverrideSuffix": "告警历史记录索引必须包含有效的后缀。", - "xpack.stackConnectors.components.email.error.invalidPortText": "端口无效。", - "xpack.stackConnectors.components.email.error.requiredAuthUserNameText": "“用户名”必填。", - "xpack.stackConnectors.components.email.error.requiredClientIdText": "“客户端 ID”必填。", - "xpack.stackConnectors.components.index.error.requiredDocumentJson": "“文档”必填,并且应为有效的 JSON 对象。", - "xpack.stackConnectors.components.email.error.requiredEntryText": "未输入收件人、抄送、密送。 至少需要输入一个。", - "xpack.stackConnectors.components.email.error.requiredFromText": "“发送者”必填。", - "xpack.stackConnectors.components.email.error.requiredHostText": "“主机”必填。", - "xpack.stackConnectors.components.email.error.requiredMessageText": "“消息”必填。", - "xpack.stackConnectors.components.email.error.requiredPortText": "“端口”必填。", - "xpack.stackConnectors.components.serverLog.error.requiredServerLogMessageText": "“消息”必填。", - "xpack.stackConnectors.components.email.error.requiredServiceText": "“服务”必填。", - "xpack.stackConnectors.components.email.error.requiredSubjectText": "“主题”必填。", - "xpack.stackConnectors.components.email.error.requiredTenantIdText": "“租户 ID”必填。", - "xpack.stackConnectors.components.webhook.error.requiredWebhookBodyText": "“正文”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredWebhookSummaryText": "“标题”必填。", - "xpack.stackConnectors.components.index.connectorTypeTitle": "索引数据", - "xpack.stackConnectors.components.index.configureIndexHelpLabel": "配置索引连接器。", - "xpack.stackConnectors.components.index.connectorSectionTitle": "写入到索引", - "xpack.stackConnectors.components.index.definedateFieldTooltip": "将此时间字段设置为索引文档的时间。", - "xpack.stackConnectors.components.index.defineTimeFieldLabel": "为每个文档定义时间字段", - "xpack.stackConnectors.components.index.documentsFieldLabel": "要索引的文档", - "xpack.stackConnectors.components.index.error.notValidIndexText": "索引无效。", - "xpack.stackConnectors.components.index.executionTimeFieldLabel": "时间字段", - "xpack.stackConnectors.components.index.howToBroadenSearchQueryDescription": "使用 * 可扩大您的查询范围。", - "xpack.stackConnectors.components.index.indexDocumentHelpLabel": "索引文档示例。", - "xpack.stackConnectors.components.index.indicesToQueryLabel": "索引", - "xpack.stackConnectors.components.index.jsonDocAriaLabel": "代码编辑器", - "xpack.stackConnectors.components.index.preconfiguredIndex": "Elasticsearch 索引", - "xpack.stackConnectors.components.index.preconfiguredIndexDocLink": "查看文档。", - "xpack.stackConnectors.components.index.refreshLabel": "刷新索引", - "xpack.stackConnectors.components.index.refreshTooltip": "刷新影响的分片以使此操作对搜索可见。", - "xpack.stackConnectors.components.index.selectMessageText": "将数据索引到 Elasticsearch 中。", - "xpack.stackConnectors.components.jira.connectorTypeTitle": "Jira", - "xpack.stackConnectors.components.jira.apiTokenTextFieldLabel": "API 令牌", - "xpack.stackConnectors.components.jira.apiUrlTextFieldLabel": "URL", - "xpack.stackConnectors.components.jira.commentsTextAreaFieldLabel": "其他注释", - "xpack.stackConnectors.components.jira.descriptionTextAreaFieldLabel": "描述", - "xpack.stackConnectors.components.jira.emailTextFieldLabel": "电子邮件地址", - "xpack.stackConnectors.components.jira.impactSelectFieldLabel": "标签", - "xpack.stackConnectors.components.jira.labelsSpacesErrorMessage": "标签不能包含空格。", - "xpack.stackConnectors.components.jira.parentIssueSearchLabel": "父问题", - "xpack.stackConnectors.components.jira.projectKey": "项目键", - "xpack.stackConnectors.components.jira.requiredSummaryTextField": "“摘要”必填。", - "xpack.stackConnectors.components.jira.searchIssuesComboBoxAriaLabel": "键入内容进行搜索", - "xpack.stackConnectors.components.jira.searchIssuesComboBoxPlaceholder": "键入内容进行搜索", - "xpack.stackConnectors.components.jira.searchIssuesLoading": "正在加载……", - "xpack.stackConnectors.components.jira.selectMessageText": "在 Jira 创建事件。", - "xpack.stackConnectors.components.jira.severitySelectFieldLabel": "优先级", - "xpack.stackConnectors.components.jira.summaryFieldLabel": "摘要(必填)", - "xpack.stackConnectors.components.jira.unableToGetFieldsMessage": "无法获取字段", - "xpack.stackConnectors.components.jira.unableToGetIssuesMessage": "无法获取问题", - "xpack.stackConnectors.components.jira.unableToGetIssueTypesMessage": "无法获取问题类型", - "xpack.stackConnectors.components.jira.urgencySelectFieldLabel": "问题类型", - "xpack.stackConnectors.components.pagerDuty.connectorTypeTitle": "发送到 PagerDuty", - "xpack.stackConnectors.components.pagerDuty.apiUrlInvalid": "API URL 无效", - "xpack.stackConnectors.components.pagerDuty.apiUrlTextFieldLabel": "API URL(可选)", - "xpack.stackConnectors.components.pagerDuty.classFieldLabel": "类(可选)", - "xpack.stackConnectors.components.pagerDuty.componentTextFieldLabel": "组件(可选)", - "xpack.stackConnectors.components.pagerDuty.dedupKeyTextFieldLabel": "DedupKey(可选)", - "xpack.stackConnectors.components.pagerDuty.dedupKeyTextRequiredFieldLabel": "DedupKey", - "xpack.stackConnectors.components.pagerDuty.error.requiredDedupKeyText": "解决或确认事件时需要 DedupKey。", - "xpack.stackConnectors.components.pagerDuty.error.requiredRoutingKeyText": "需要集成密钥/路由密钥。", - "xpack.stackConnectors.components.pagerDuty.error.requiredSummaryText": "“摘要”必填。", - "xpack.stackConnectors.components.pagerDuty.eventActionSelectFieldLabel": "事件操作", - "xpack.stackConnectors.components.pagerDuty.eventSelectAcknowledgeOptionLabel": "确认", - "xpack.stackConnectors.components.pagerDuty.eventSelectResolveOptionLabel": "解决", - "xpack.stackConnectors.components.pagerDuty.eventSelectTriggerOptionLabel": "触发", - "xpack.stackConnectors.components.pagerDuty.groupTextFieldLabel": "组(可选)", - "xpack.stackConnectors.components.pagerDuty.routingKeyNameHelpLabel": "配置 PagerDuty 帐户", - "xpack.stackConnectors.components.pagerDuty.routingKeyTextFieldLabel": "集成密钥", - "xpack.stackConnectors.components.pagerDuty.selectMessageText": "在 PagerDuty 中发送事件。", - "xpack.stackConnectors.components.pagerDuty.severitySelectCriticalOptionLabel": "紧急", - "xpack.stackConnectors.components.pagerDuty.severitySelectErrorOptionLabel": "错误", - "xpack.stackConnectors.components.pagerDuty.severitySelectFieldLabel": "严重性(可选)", - "xpack.stackConnectors.components.pagerDuty.severitySelectInfoOptionLabel": "信息", - "xpack.stackConnectors.components.pagerDuty.severitySelectWarningOptionLabel": "警告", - "xpack.stackConnectors.components.pagerDuty.sourceTextFieldLabel": "源(可选)", - "xpack.stackConnectors.components.pagerDuty.summaryFieldLabel": "摘要", - "xpack.stackConnectors.components.pagerDuty.timestampTextFieldLabel": "时间戳(可选)", - "xpack.stackConnectors.components.resilient.connectorTypeTitle": "Resilient", - "xpack.stackConnectors.components.resilient.apiKeyId": "API 密钥 ID", - "xpack.stackConnectors.components.resilient.apiKeySecret": "API 密钥密码", - "xpack.stackConnectors.components.resilient.apiUrlTextFieldLabel": "URL", - "xpack.stackConnectors.components.resilient.commentsTextAreaFieldLabel": "其他注释", - "xpack.stackConnectors.components.resilient.descriptionTextAreaFieldLabel": "描述", - "xpack.stackConnectors.components.resilient.nameFieldLabel": "名称(必填)", - "xpack.stackConnectors.components.resilient.orgId": "组织 ID", - "xpack.stackConnectors.components.resilient.requiredNameTextField": "“名称”必填。", - "xpack.stackConnectors.components.resilient.selectMessageText": "在 IBM Resilient 中创建事件。", - "xpack.stackConnectors.components.resilient.severity": "严重性", - "xpack.stackConnectors.components.resilient.unableToGetIncidentTypesMessage": "无法获取事件类型", - "xpack.stackConnectors.components.resilient.unableToGetSeverityMessage": "无法获取严重性", - "xpack.stackConnectors.components.resilient.urgencySelectFieldLabel": "事件类型", - "xpack.stackConnectors.components.serverLog.connectorTypeTitle": "发送到服务器日志", - "xpack.stackConnectors.components.serverLog.logLevelFieldLabel": "级别", - "xpack.stackConnectors.components.serverLog.logMessageFieldLabel": "消息", - "xpack.stackConnectors.components.serverLog.selectMessageText": "将消息添加到 Kibana 日志。", - "xpack.stackConnectors.components.serviceNow.apiUrlTextFieldLabel": "ServiceNow 实例 URL", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout": "未安装 Elastic ServiceNow 应用", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.content": "请前往 ServiceNow 应用商店并安装该应用程序", - "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.errorMessage": "错误消息", - "xpack.stackConnectors.components.serviceNow.authenticationLabel": "身份验证", - "xpack.stackConnectors.components.serviceNow.cancelButtonText": "取消", - "xpack.stackConnectors.components.serviceNow.categoryTitle": "类别", - "xpack.stackConnectors.components.serviceNow.clientIdTextFieldLabel": "客户端 ID", - "xpack.stackConnectors.components.serviceNow.clientSecretTextFieldLabel": "客户端密钥", - "xpack.stackConnectors.components.serviceNow.commentsTextAreaFieldLabel": "其他注释", - "xpack.stackConnectors.components.serviceNow.confirmButtonText": "更新", - "xpack.stackConnectors.components.serviceNow.correlationDisplay": "相关性显示(可选)", - "xpack.stackConnectors.components.serviceNow.correlationID": "相关性 ID(可选)", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutCreate": "或新建一个。", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutMigrate": "更新此连接器,", - "xpack.stackConnectors.components.serviceNow.deprecatedCalloutTitle": "此连接器类型已过时", - "xpack.stackConnectors.components.serviceNow.descriptionTextAreaFieldLabel": "描述", - "xpack.stackConnectors.components.serviceNow.eventClassTextAreaFieldLabel": "源实例", - "xpack.stackConnectors.components.serviceNow.fetchErrorMsg": "无法提取。检查 ServiceNow 实例的 URL 或 CORS 配置。", - "xpack.stackConnectors.components.serviceNow.impactSelectFieldLabel": "影响", - "xpack.stackConnectors.components.serviceNow.installationCalloutTitle": "要使用此连接器,请先从 ServiceNow 应用商店安装 Elastic 应用。", - "xpack.stackConnectors.components.serviceNow.invalidApiUrlTextField": "URL 无效。", - "xpack.stackConnectors.components.serviceNow.keyIdTextFieldLabel": "JWT Verifier 密钥 ID", - "xpack.stackConnectors.components.serviceNow.messageKeyTextAreaFieldLabel": "消息密钥", - "xpack.stackConnectors.components.serviceNow.metricNameTextAreaFieldLabel": "指标名称", - "xpack.stackConnectors.components.serviceNow.nodeTextAreaFieldLabel": "节点", - "xpack.stackConnectors.components.serviceNow.passwordTextFieldLabel": "密码", - "xpack.stackConnectors.components.serviceNow.prioritySelectFieldLabel": "优先级", - "xpack.stackConnectors.components.serviceNow.privateKeyPassLabelHelpText": "仅在设置了私钥密码时才需要此项", - "xpack.stackConnectors.components.serviceNow.privateKeyPassTextFieldLabel": "私钥密码", - "xpack.stackConnectors.components.serviceNow.privateKeyTextFieldLabel": "私钥", - "xpack.stackConnectors.components.serviceNow.requiredClientIdTextField": "“客户端 ID”必填。", - "xpack.stackConnectors.components.serviceNow.requiredKeyIdTextField": "JWT Verifier 密钥 ID 必填。", - "xpack.stackConnectors.components.serviceNow.requiredPrivateKeyTextField": "“私钥”必填。", - "xpack.stackConnectors.components.serviceNow.requiredSeverityTextField": "“严重性”必填。", - "xpack.stackConnectors.components.serviceNow.requiredUserIdentifierTextField": "“用户标识符”必填。", - "xpack.stackConnectors.components.serviceNow.requiredUsernameTextField": "“用户名”必填。", - "xpack.stackConnectors.components.serviceNow.resourceTextAreaFieldLabel": "资源", - "xpack.stackConnectors.components.serviceNow.setupDevInstance": "设置开发者实例", - "xpack.stackConnectors.components.serviceNow.severityRequiredSelectFieldLabel": "严重性(必需)", - "xpack.stackConnectors.components.serviceNow.severitySelectFieldLabel": "严重性", - "xpack.stackConnectors.components.serviceNow.snInstanceLabel": "ServiceNow 实例", - "xpack.stackConnectors.components.serviceNow.sourceTextAreaFieldLabel": "源", - "xpack.stackConnectors.components.serviceNow.subcategoryTitle": "子类别", - "xpack.stackConnectors.components.serviceNow.title": "事件", - "xpack.stackConnectors.components.serviceNow.titleFieldLabel": "简短描述(必填)", - "xpack.stackConnectors.components.serviceNow.typeTextAreaFieldLabel": "类型", - "xpack.stackConnectors.components.serviceNow.unableToGetChoicesMessage": "无法获取选项", - "xpack.stackConnectors.components.serviceNow.unknown": "未知", - "xpack.stackConnectors.components.serviceNow.updateCalloutText": "连接器已更新。", - "xpack.stackConnectors.components.serviceNow.updateFormCredentialsTitle": "提供身份验证凭据", - "xpack.stackConnectors.components.serviceNow.updateFormInstallTitle": "安装 Elastic ServiceNow 应用", - "xpack.stackConnectors.components.serviceNow.updateFormTitle": "更新 ServiceNow 连接器", - "xpack.stackConnectors.components.serviceNow.updateFormUrlTitle": "输入 ServiceNow 实例 URL", - "xpack.stackConnectors.components.serviceNow.urgencySelectFieldLabel": "紧急性", - "xpack.stackConnectors.components.serviceNow.useOAuth": "使用 OAuth 身份验证", - "xpack.stackConnectors.components.serviceNow.userEmailTextFieldLabel": "用户标识符", - "xpack.stackConnectors.components.serviceNow.usernameTextFieldLabel": "用户名", - "xpack.stackConnectors.components.serviceNow.visitSNStore": "访问 ServiceNow 应用商店", - "xpack.stackConnectors.components.serviceNow.warningMessage": "这会更新此连接器的所有实例并且无法恢复。", - "xpack.stackConnectors.components.serviceNow.correlationIDHelpLabel": "用于更新事件的标识符", - "xpack.stackConnectors.components.serviceNowITOM.connectorTypeTitle": "ServiceNow ITOM", - "xpack.stackConnectors.components.serviceNowITOM.event": "事件", - "xpack.stackConnectors.components.serviceNowITOM.selectMessageText": "在 ServiceNow ITOM 中创建事件。", - "xpack.stackConnectors.components.serviceNowITSM.connectorTypeTitle": "ServiceNow ITSM", - "xpack.stackConnectors.components.serviceNowITSM.selectMessageText": "在 ServiceNow ITSM 中创建事件。", - "xpack.stackConnectors.components.serviceNowSIR.connectorTypeTitle": "ServiceNow SecOps", - "xpack.stackConnectors.components.serviceNowSIR.selectMessageText": "在 ServiceNow SecOps 中创建事件。", - "xpack.stackConnectors.components.serviceNowSIR.title": "安全事件", - "xpack.stackConnectors.components.serviceNowSIR.correlationIDHelpLabel": "用于更新事件的标识符", - "xpack.stackConnectors.components.slack.connectorTypeTitle": "发送到 Slack", - "xpack.stackConnectors.components.slack.error.invalidWebhookUrlText": "Webhook URL 无效。", - "xpack.stackConnectors.components.slack.messageTextAreaFieldLabel": "消息", - "xpack.stackConnectors.components.slack.selectMessageText": "向 Slack 频道或用户发送消息。", - "xpack.stackConnectors.components.slack.webhookUrlHelpLabel": "创建 Slack webhook URL", - "xpack.stackConnectors.components.slack.webhookUrlTextFieldLabel": "Webhook URL", - "xpack.stackConnectors.components.swimlane.unableToGetApplicationFieldsMessage": "无法获取应用程序字段", - "xpack.stackConnectors.components.swimlane.connectorTypeTitle": "创建泳道记录", - "xpack.stackConnectors.components.swimlane.alertIdFieldLabel": "告警 ID", - "xpack.stackConnectors.components.swimlane.apiTokenNameHelpLabel": "提供泳道 API 令牌", - "xpack.stackConnectors.components.swimlane.apiTokenTextFieldLabel": "API 令牌", - "xpack.stackConnectors.components.swimlane.apiUrlTextFieldLabel": "API URL", - "xpack.stackConnectors.components.swimlane.appIdTextFieldLabel": "应用程序 ID", - "xpack.stackConnectors.components.swimlane.caseIdFieldLabel": "案例 ID", - "xpack.stackConnectors.components.swimlane.caseNameFieldLabel": "案例名称", - "xpack.stackConnectors.components.swimlane.commentsFieldLabel": "注释", - "xpack.stackConnectors.components.swimlane.configureConnectionLabel": "配置 API 连接", - "xpack.stackConnectors.components.swimlane.connectorType": "连接器类型", - "xpack.stackConnectors.components.swimlane.descriptionFieldLabel": "描述", - "xpack.stackConnectors.components.swimlane.emptyMappingWarningDesc": "无法选择此连接器,因为其缺失所需的告警字段映射。您可以编辑此连接器以添加所需的字段映射或选择告警类型的连接器。", - "xpack.stackConnectors.components.swimlane.emptyMappingWarningTitle": "此连接器缺失字段映射", - "xpack.stackConnectors.components.swimlane.error.requiredAlertID": "“告警 ID”必填。", - "xpack.stackConnectors.components.swimlane.error.requiredAppIdText": "“应用 ID”必填。", - "xpack.stackConnectors.components.swimlane.error.requiredCaseID": "“案例 ID”必填。", - "xpack.stackConnectors.components.swimlane.error.requiredCaseName": "“案例名称”必填。", - "xpack.stackConnectors.components.swimlane.error.requiredComments": "“注释”必填。", - "xpack.stackConnectors.components.swimlane.error.requiredDescription": "“描述”必填。", - "xpack.stackConnectors.components.swimlane.error.requiredRuleName": "“规则名称”必填。", - "xpack.stackConnectors.components.swimlane.error.requiredSeverity": "“严重性”必填。", - "xpack.stackConnectors.components.swimlane.invalidApiUrlTextField": "URL 无效。", - "xpack.stackConnectors.components.swimlane.mappingTitleTextFieldLabel": "配置字段映射", - "xpack.stackConnectors.components.swimlane.nextStep": "下一步", - "xpack.stackConnectors.components.swimlane.nextStepHelpText": "如果未配置字段映射,泳道连接器类型将设置为 all。", - "xpack.stackConnectors.components.swimlane.prevStep": "返回", - "xpack.stackConnectors.components.swimlane.ruleNameFieldLabel": "规则名称", - "xpack.stackConnectors.components.swimlane.selectMessageText": "在泳道中创建记录", - "xpack.stackConnectors.components.swimlane.severityFieldLabel": "严重性", - "xpack.stackConnectors.components.teams.connectorTypeTitle": "向 Microsoft Teams 频道发送消息。", - "xpack.stackConnectors.components.teams.error.invalidWebhookUrlText": "Webhook URL 无效。", - "xpack.stackConnectors.components.teams.error.requiredMessageText": "“消息”必填。", - "xpack.stackConnectors.components.teams.error.webhookUrlTextLabel": "Webhook URL", - "xpack.stackConnectors.components.teams.messageTextAreaFieldLabel": "消息", - "xpack.stackConnectors.components.teams.selectMessageText": "向 Microsoft Teams 频道发送消息。", - "xpack.stackConnectors.components.teams.webhookUrlHelpLabel": "创建 Microsoft Teams Webhook URL", - "xpack.stackConnectors.components.webhook.connectorTypeTitle": "Webhook 数据", - "xpack.stackConnectors.components.webhook.addHeaderButtonLabel": "添加标头", - "xpack.stackConnectors.components.webhook.authenticationLabel": "身份验证", - "xpack.stackConnectors.components.webhook.bodyCodeEditorAriaLabel": "代码编辑器", - "xpack.stackConnectors.components.webhook.bodyFieldLabel": "正文", - "xpack.stackConnectors.components.webhook.error.invalidUrlTextField": "URL 无效。", - "xpack.stackConnectors.components.webhook.hasAuthSwitchLabel": "此 Webhook 需要身份验证", - "xpack.stackConnectors.components.webhook.headerKeyTextFieldLabel": "钥匙", - "xpack.stackConnectors.components.webhook.headerValueTextFieldLabel": "值", - "xpack.stackConnectors.components.webhook.methodTextFieldLabel": "方法", - "xpack.stackConnectors.components.webhook.passwordTextFieldLabel": "密码", - "xpack.stackConnectors.components.webhook.removeHeaderIconLabel": "钥匙", - "xpack.stackConnectors.components.webhook.selectMessageText": "将请求发送到 Web 服务。", - "xpack.stackConnectors.components.webhook.urlTextFieldLabel": "URL", - "xpack.stackConnectors.components.webhook.userTextFieldLabel": "用户名", - "xpack.stackConnectors.components.webhook.viewHeadersSwitch": "添加 HTTP 标头", - "xpack.stackConnectors.components.xmatters.connectorTypeTitle": "xMatters 数据", - "xpack.stackConnectors.components.xmatters.authenticationLabel": "身份验证", - "xpack.stackConnectors.components.xmatters.basicAuthButtonGroupLegend": "基本身份验证", - "xpack.stackConnectors.components.xmatters.basicAuthLabel": "基本身份验证", - "xpack.stackConnectors.components.xmatters.connectorSettingsLabel": "选择在设置 xMatters 触发器时使用的身份验证方法。", - "xpack.stackConnectors.components.xmatters.error.invalidUrlTextField": "URL 无效。", - "xpack.stackConnectors.components.xmatters.error.invalidUsernameTextField": "用户名无效。", - "xpack.stackConnectors.components.xmatters.error.requiredUrlText": "“URL”必填。", - "xpack.stackConnectors.components.xmatters.initiationUrlHelpText": "包括完整 xMatters url。", - "xpack.stackConnectors.components.xmatters.passwordTextFieldLabel": "密码", - "xpack.stackConnectors.components.xmatters.selectMessageText": "触发 xMatters 工作流。", - "xpack.stackConnectors.components.xmatters.severity": "严重性", - "xpack.stackConnectors.components.xmatters.severitySelectCriticalOptionLabel": "紧急", - "xpack.stackConnectors.components.xmatters.severitySelectHighOptionLabel": "高", - "xpack.stackConnectors.components.xmatters.severitySelectLowOptionLabel": "低", - "xpack.stackConnectors.components.xmatters.severitySelectMediumOptionLabel": "中", - "xpack.stackConnectors.components.xmatters.severitySelectMinimalOptionLabel": "最小", - "xpack.stackConnectors.components.xmatters.tags": "标签", - "xpack.stackConnectors.components.xmatters.urlAuthLabel": "URL 身份验证", - "xpack.stackConnectors.components.xmatters.urlLabel": "发起 URL", - "xpack.stackConnectors.components.xmatters.userCredsLabel": "用户凭据", - "xpack.stackConnectors.components.xmatters.userTextFieldLabel": "用户名", - "xpack.stackConnectors.components.casesWebhook.createCommentWarningDesc": "为连接器配置“创建注释 URL”和“创建注释对象”字段以在外部共享注释。", - "xpack.stackConnectors.components.casesWebhook.createCommentWarningTitle": "无法共享案例注释", - "xpack.stackConnectors.components.serviceNow.deprecatedTooltipTitle": "过时连接器", - "xpack.stackConnectors.components.casesWebhook.error.requiredAuthUserNameText": "“用户名”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentMethodText": "“创建注释方法”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentResponseKeyText": "“创建案例响应案例 ID 键”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredCreateMethodText": "“创建案例方法”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseCreatedKeyText": "“获取案例响应创建日期键”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseExternalTitleKeyText": "“获取案例响应外部案例标题键”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseUpdatedKeyText": "“获取案例响应更新日期键”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentViewUrlKeyText": "“查看案例 URL”必填。", - "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateMethodText": "“更新案例方法”必填。", - "xpack.stackConnectors.components.webhook.error.requiredAuthUserNameText": "“用户名”必填。", - "xpack.stackConnectors.components.webhook.error.requiredMethodText": "“方法”必填", - "xpack.stackConnectors.components.email.addBccButton": "密送", - "xpack.stackConnectors.components.email.addCcButton": "抄送", - "xpack.stackConnectors.components.email.authenticationLabel": "身份验证", - "xpack.stackConnectors.components.email.clientIdFieldLabel": "客户端 ID", - "xpack.stackConnectors.components.email.clientSecretTextFieldLabel": "客户端密钥", - "xpack.stackConnectors.components.email.fromTextFieldLabel": "发送者", - "xpack.stackConnectors.components.email.hasAuthSwitchLabel": "需要对此服务器进行身份验证", - "xpack.stackConnectors.components.email.hostTextFieldLabel": "主机", - "xpack.stackConnectors.components.email.messageTextAreaFieldLabel": "消息", - "xpack.stackConnectors.components.email.passwordFieldLabel": "密码", - "xpack.stackConnectors.components.email.portTextFieldLabel": "端口", - "xpack.stackConnectors.components.email.recipientBccTextFieldLabel": "密送", - "xpack.stackConnectors.components.email.recipientCopyTextFieldLabel": "抄送", - "xpack.stackConnectors.components.email.recipientTextFieldLabel": "至", - "xpack.stackConnectors.components.email.secureSwitchLabel": "安全", - "xpack.stackConnectors.components.email.serviceTextFieldLabel": "服务", - "xpack.stackConnectors.components.email.subjectTextFieldLabel": "主题", - "xpack.stackConnectors.components.email.tenantIdFieldLabel": "租户 ID", - "xpack.stackConnectors.components.email.userTextFieldLabel": "用户名", - "xpack.stackConnectors.components.index.resetDefaultIndexLabel": "重置默认索引", + "xpack.aiops.analysis.errorCallOutTitle": "运行分析时发生以下{errorCount, plural, other {错误}}。", "xpack.aiops.explainLogRateSpikes.loadingState.identifiedFieldCandidates": "已识别 {fieldCandidatesCount, plural, other {# 个字段候选项}}。", "xpack.aiops.explainLogRateSpikes.loadingState.identifiedFieldValuePairs": "已识别 {fieldValuePairsCount, plural, other {# 个重要的字段/值对}}。", "xpack.aiops.index.dataLoader.internalServerErrorMessage": "加载索引 {index} 中的数据时出错。{message}。请求可能已超时。请尝试使用较小的样例大小或缩小时间范围。", - "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationTitle": "数据视图 {dataViewTitle} 并非基于时间序列", + "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationTitle": "数据视图“{dataViewTitle}”并非基于时间序列。", "xpack.aiops.index.errorLoadingDataMessage": "加载索引 {index} 中的数据时出错。{message}。", + "xpack.aiops.index.pageRefreshResetButton": "设置为 {defaultInterval}", "xpack.aiops.progressTitle": "进度:{progress}% — {progressMessage}", "xpack.aiops.searchPanel.totalDocCountLabel": "文档总数:{strongTotalCount}", "xpack.aiops.searchPanel.totalDocCountNumber": "{totalCount, plural, other {#}}", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldNameLabel": "字段名称", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldValueLabel": "字段值", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabel": "影响", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabelColumnTooltip": "字段对消息速率差异的影响水平", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateColumnTooltip": "字段对消息速率差异的影响的视觉表示形式", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateLabel": "日志速率", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueColumnTooltip": "值的频率更改的意义;值越小表示变化越大", - "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueLabel": "p-value", + "xpack.aiops.cancelAnalysisButtonTitle": "取消", + "xpack.aiops.changePointDetection.fetchErrorTitle": "无法提取更改点", + "xpack.aiops.changePointDetection.noChangePointsFoundMessage": "尝试扩大时间范围或更新查询", + "xpack.aiops.changePointDetection.noChangePointsFoundTitle": "找不到更改点", + "xpack.aiops.changePointDetection.notResultsWarning": "无更改点聚合结果警告", + "xpack.aiops.changePointDetection.progressBarLabel": "正在提取更改点", + "xpack.aiops.changePointDetection.selectFunctionLabel": "函数", + "xpack.aiops.changePointDetection.selectMetricFieldLabel": "指标字段", + "xpack.aiops.changePointDetection.selectSpitFieldLabel": "分割字段", "xpack.aiops.correlations.highImpactText": "高", "xpack.aiops.correlations.lowImpactText": "低", "xpack.aiops.correlations.mediumImpactText": "中", + "xpack.aiops.correlations.spikeAnalysisTableGroups.docCountLabel": "文档计数", "xpack.aiops.correlations.veryLowImpactText": "极低", "xpack.aiops.dataGrid.field.documentCountChart.seriesLabel": "文档计数", "xpack.aiops.dataGrid.field.documentCountChartSplit.seriesLabel": "其他文档计数", + "xpack.aiops.datePicker.shortRefreshIntervalTimeFilterWarningMessage": "高级设置中的刷新时间间隔比 Machine Learning 支持的最小时间间隔更短。", + "xpack.aiops.datePicker.shortRefreshIntervalURLWarningMessage": "URL 中的刷新时间间隔比 Machine Learning 支持的最小时间间隔更短。", + "xpack.aiops.documentCountChart.baselineBadgeLabel": "基线", + "xpack.aiops.documentCountChart.deviationBadgeLabel": "偏差", "xpack.aiops.documentCountContent.clearSelectionAriaLabel": "清除所选内容", "xpack.aiops.explainLogRateSpikes.loadingState.doneMessage": "完成。", + "xpack.aiops.explainLogRateSpikes.loadingState.groupingResults": "正在将重要的字段/值对转换到组中。", "xpack.aiops.explainLogRateSpikes.loadingState.loadingHistogramData": "正在加载直方图数据。", + "xpack.aiops.explainLogRateSpikes.loadingState.loadingIndexInformation": "正在加载索引信息。", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.collapseAriaLabel": "折叠", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.docCountLabel": "文档计数", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.expandAriaLabel": "展开", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldNameLabel": "字段名称", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.fieldValueLabel": "字段值", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabel": "影响", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.impactLabelColumnTooltip": "字段对消息速率差异的影响水平", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateColumnTooltip": "字段对消息速率差异的影响的视觉表示形式", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.logRateLabel": "日志速率", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueColumnTooltip": "值的频率更改的意义;值越小表示变化越大", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTable.pValueLabel": "p-value", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.groupColumnTooltip": "显示对组唯一的字段/值对。展开行以查看所有字段/值对。", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.groupLabel": "组", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.impactLabelColumnTooltip": "组对消息速率差异的影响水平", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.logRateColumnTooltip": "组对消息速率差异的影响的视觉表示形式", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.logRateLabel": "日志速率", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.pValueColumnTooltip": "值的频率更改的意义;值越小表示变化越大", + "xpack.aiops.explainLogRateSpikes.spikeAnalysisTableGroups.pValueLabel": "p-value", "xpack.aiops.explainLogRateSpikesPage.emptyPromptBody": "“解释日志速率峰值”功能会从统计上识别有助于达到日志速率峰值的重要字段/值组合。", "xpack.aiops.explainLogRateSpikesPage.emptyPromptTitle": "单击直方图中的某个峰值可开始分析。", + "xpack.aiops.explainLogRateSpikesPage.noResultsPromptBody": "尝试调整基线和偏差时间范围,然后重新运行分析。如果仍然没有结果,可能没有具有统计意义的实体导致了该日志速率峰值。", + "xpack.aiops.explainLogRateSpikesPage.noResultsPromptTitle": "分析未返回任何结果。", + "xpack.aiops.explainLogRateSpikesPage.tryToContinueAnalysisButtonText": "尝试继续分析", "xpack.aiops.fullTimeRangeSelector.useFullDataExcludingFrozenButtonTooltip": "使用全范围数据,不包括冻结的数据层。", "xpack.aiops.fullTimeRangeSelector.useFullDataIncludingFrozenButtonTooltip": "使用全范围数据,包括冻结的数据层,这可能会使搜索结果变慢。", - "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "日志速率峰值分析仅在基于时间的索引上运行", + "xpack.aiops.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "日志速率峰值分析仅在基于时间的索引上运行。", "xpack.aiops.index.fullTimeRangeSelector.errorSettingTimeRangeNotification": "设置时间范围时出错。", "xpack.aiops.index.fullTimeRangeSelector.moreOptionsButtonAriaLabel": "更多选项", "xpack.aiops.index.fullTimeRangeSelector.noResults": "没有任何结果匹配您的搜索条件", "xpack.aiops.index.fullTimeRangeSelector.useFullDataButtonLabel": "使用完整的数据", "xpack.aiops.index.fullTimeRangeSelector.useFullDataExcludingFrozenMenuLabel": "排除冻结的数据层", "xpack.aiops.index.fullTimeRangeSelector.useFullDataIncludingFrozenMenuLabel": "包括冻结的数据层", + "xpack.aiops.logCategorization.categoryFieldSelect": "类别字段", + "xpack.aiops.logCategorization.chartPointsSplitLabel": "选定的类别", + "xpack.aiops.logCategorization.column.count": "计数", + "xpack.aiops.logCategorization.column.examples": "示例", + "xpack.aiops.logCategorization.column.logRate": "日志速率", + "xpack.aiops.logCategorization.emptyPromptBody": "日志模式分析会将消息分组到常用类别。", + "xpack.aiops.logCategorization.emptyPromptTitle": "选择文本字段,然后单击“运行归类”以开始分析", + "xpack.aiops.logCategorization.errorLoadingCategories": "加载类别时出错", + "xpack.aiops.logCategorization.filterOutInDiscover": "在 Discover 中筛除", + "xpack.aiops.logCategorization.noCategoriesBody": "确保在选定时间范围内填充所选字段。", + "xpack.aiops.logCategorization.noCategoriesTitle": "找不到类别", + "xpack.aiops.logCategorization.noDocsBody": "确保选定时间范围包含文档。", + "xpack.aiops.logCategorization.noDocsTitle": "找不到文档", + "xpack.aiops.logCategorization.runButton": "运行归类", + "xpack.aiops.logCategorization.showInDiscover": "在 Discover 中显示这些项", "xpack.aiops.miniHistogram.noDataLabel": "不可用", + "xpack.aiops.pageRefreshButton": "刷新", "xpack.aiops.progressAriaLabel": "进度", "xpack.aiops.rerunAnalysisButtonTitle": "重新运行分析", + "xpack.aiops.rerunAnalysisTooltipContent": "由于选择内容更新,分析数据可能已过时。重新运行分析。", "xpack.aiops.searchPanel.invalidSyntax": "语法无效", "xpack.aiops.searchPanel.queryBarPlaceholderText": "搜索……(例如,status:200 AND extension:\"PHP\")", + "xpack.aiops.spikeAnalysisPage.documentCountStatsSplitGroupLabel": "选定的组", + "xpack.aiops.spikeAnalysisTable.actionsColumnName": "操作", + "xpack.aiops.spikeAnalysisTable.autoGeneratedDiscoverLinkErrorMessage": "无法链接到 Discover;此索引的数据视图不存在", + "xpack.aiops.spikeAnalysisTable.discoverLocatorMissingErrorMessage": "未检测到 Discover 的定位器", + "xpack.aiops.spikeAnalysisTable.discoverNotEnabledErrorMessage": "Discover 未启用", + "xpack.aiops.spikeAnalysisTable.groupedSwitchLabel.groupResults": "对结果分组", + "xpack.aiops.spikeAnalysisTable.linksMenu.viewInDiscover": "在 Discover 中查看", "xpack.alerting.alertNavigationRegistry.get.missingNavigationError": "在“{consumer}”内针对告警类型“{alertType}”的导航未注册。", "xpack.alerting.alertNavigationRegistry.register.duplicateDefaultError": "“{consumer}”内的默认导航已注册。", "xpack.alerting.alertNavigationRegistry.register.duplicateNavigationError": "在“{consumer}”内针对告警类型“{alertType}”的导航已注册。", "xpack.alerting.rulesClient.invalidDate": "参数 {field} 的日期无效:“{dateValue}”", + "xpack.alerting.rulesClient.runSoon.getTaskError": "运行规则时出错:{errMessage}", + "xpack.alerting.rulesClient.runSoon.runSoonError": "运行规则时出错:{errMessage}", "xpack.alerting.rulesClient.validateActions.invalidGroups": "无效操作组:{groups}", "xpack.alerting.rulesClient.validateActions.misconfiguredConnector": "无效的连接器:{groups}", + "xpack.alerting.rulesClient.validateActions.mixAndMatchFreqParams": "在规则级别定义了 notify_when 和限制时,无法指定每个操作的频率参数:{groups}", + "xpack.alerting.rulesClient.validateActions.notAllActionsWithFreq": "操作缺少频率参数:{groups}", "xpack.alerting.ruleTypeRegistry.get.missingRuleTypeError": "未注册规则类型“{id}”。", "xpack.alerting.ruleTypeRegistry.register.customRecoveryActionGroupUsageError": "无法注册规则类型 [id=\"{id}\"]。操作组 [{actionGroup}] 无法同时用作恢复和活动操作组。", "xpack.alerting.ruleTypeRegistry.register.duplicateRuleTypeError": "已注册规则类型“{id}”。", @@ -6759,8 +6813,13 @@ "xpack.alerting.appName": "Alerting", "xpack.alerting.builtinActionGroups.recovered": "已恢复", "xpack.alerting.injectActionParams.email.kibanaFooterLinkText": "在 Kibana 中查看规则", + "xpack.alerting.rulesClient.runSoon.disabledRuleError": "运行规则时出错:规则已禁用", + "xpack.alerting.rulesClient.runSoon.ruleIsRunning": "规则已在运行", + "xpack.alerting.rulesClient.snoozeSchedule.limitReached": "规则不能具有 5 个以上的暂停计划", + "xpack.alerting.rulesClient.usesValidGlobalFreqParams.oneUndefined": "规则级别 notifyWhen 和限制必须同时进行定义或取消定义", "xpack.alerting.savedObjects.goToRulesButtonText": "前往规则", "xpack.alerting.serverSideErrors.unavailableLicenseInformationErrorMessage": "告警不可用 - 许可信息当前不可用。", + "xpack.alerting.taskRunner.warning.maxAlerts": "规则在单次运行中报告了多个最大告警数。可能错过了告警并延迟了恢复通知", "xpack.alerting.taskRunner.warning.maxExecutableActions": "已达到此规则类型的最大操作数;将不会触发过量操作。", "xpack.apm.agentConfig.deleteModal.text": "您即将删除服务“{serviceName}”和环境“{environment}”的配置。", "xpack.apm.agentConfig.deleteSection.deleteConfigFailedText": "为“{serviceName}”删除配置时出现问题。错误:“{errorMessage}”", @@ -6768,18 +6827,26 @@ "xpack.apm.agentConfig.range.errorText": "{rangeType, select,\n between {必须介于 {min} 和 {max} 之间}\n gt {必须大于 {min}}\n lt {必须小于 {max}}\n other {必须为整数}\n }", "xpack.apm.agentConfig.saveConfig.failed.text": "保存“{serviceName}”的配置时出现问题。错误:“{errorMessage}”", "xpack.apm.agentConfig.saveConfig.succeeded.text": "“{serviceName}”的配置已保存。将需要一些时间才能传播到代理。", + "xpack.apm.agentExplorerInstanceTable.agentVersionColumnLabel.multipleVersions": "{versionsCount, plural, one {1 个版本} other {# 个版本}}", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.tooltip.linkToDocs": "您可以通过 {seeDocs} 配置服务节点名称。", + "xpack.apm.agentExplorerTable.agentVersionColumnLabel.multipleVersions": "{versionsCount, plural, one {1 个版本} other {# 个版本}}", "xpack.apm.alerts.anomalySeverity.scoreDetailsDescription": "分数 {value} {value, select, critical {} other {及以上}}", "xpack.apm.alertTypes.errorCount.reason": "对于 {serviceName},过去 {interval}的错误计数为 {measured}。超出 {threshold} 时告警。", + "xpack.apm.alertTypes.minimumWindowSize.description": "建议的最小值为 {sizeValue} {sizeUnit}。这是为了确保告警具有足够的待评估数据。如果选择的值太小,可能无法按预期触发告警。", "xpack.apm.alertTypes.transactionDuration.reason": "对于 {serviceName},过去 {interval}的 {aggregationType} 延迟为 {measured}。超出 {threshold} 时告警。", "xpack.apm.alertTypes.transactionDurationAnomaly.reason": "对于 {serviceName},过去 {interval}检测到分数为 {measured} 的 {severityLevel} 异常。", "xpack.apm.alertTypes.transactionErrorRate.reason": "对于 {serviceName},过去 {interval}的失败事务数为 {measured}。超出 {threshold} 时告警。", "xpack.apm.anomalyDetection.createJobs.failed.text": "为 APM 服务环境 [{environments}] 创建一个或多个异常检测作业时出现问题。错误:“{errorMessage}”", "xpack.apm.anomalyDetection.createJobs.succeeded.text": "APM 服务环境 [{environments}] 的异常检测作业已成功创建。Machine Learning 要过一些时间才会开始分析流量以发现异常。", "xpack.apm.anomalyDetectionSetup.notEnabledForEnvironmentText": "尚未针对环境“{currentEnvironment}”启用异常检测。单击可继续设置。", + "xpack.apm.apmSettings.kibanaLink": "可在 {link} 中找到 APM 选项的完整列表", + "xpack.apm.bottomBarActions.unsavedChanges": "{unsavedChangesCount, plural, =0{0 个未保存更改} one {1 个未保存更改} other {# 个未保存更改}} ", "xpack.apm.compositeSpanCallsLabel": ",{count} 个调用,平均 {duration}", "xpack.apm.correlations.ccsWarningCalloutBody": "无法完全检索相关性分析的数据。仅 {version} 及更高版本支持此功能。", "xpack.apm.correlations.failedTransactions.helpPopover.basicExplanation": "相关性将帮助您发现哪些属性在区分事务失败与成功时具有最大影响。如果事务的 {field} 值为 {value},则认为其失败。", "xpack.apm.correlations.progressTitle": "进度:{progress}%", + "xpack.apm.criticalPathFlameGraph.selfTime": "独自时间:{value}", + "xpack.apm.criticalPathFlameGraph.totalTime": "总时间:{value}", "xpack.apm.durationDistribution.chart.percentileMarkerLabel": "第 {markerPercentile} 个百分位数", "xpack.apm.durationDistributionChart.totalSpansCount": "共 {totalDocCount} 个{totalDocCount, plural, other {跨度}}", "xpack.apm.durationDistributionChart.totalTransactionsCount": "共 {totalDocCount} 个{totalDocCount, plural, other {事务}}", @@ -6794,8 +6861,10 @@ "xpack.apm.fleetIntegration.apmAgent.runtimeAttachment.version.helpText": "输入应附加的 Elastic APM Java 代理的 {versionLink}。", "xpack.apm.fleetIntegration.javaRuntime.discoveryRulesDescription": "对于每个正在运行的 JVM,将按提供发现规则的顺序来评估这些规则。第一个匹配的规则将决定结果。在{docLink}中了解详情。", "xpack.apm.instancesLatencyDistributionChartTooltipInstancesTitle": "{instancesCount} 个{instancesCount, plural, other {实例}}", + "xpack.apm.itemsBadge.placeholder": "{itemsCount, plural, one {1 个项目} other {# 个项目}}", "xpack.apm.kueryBar.placeholder": "搜索{event, select,\n transaction {事务}\n metric {指标}\n error {错误}\n other {事务、错误和指标}\n }(例如 {queryExample})", "xpack.apm.propertiesTable.agentFeature.noResultFound": "没有“{value}”的结果。", + "xpack.apm.serverlessMetrics.summary.lambdaFunctions": "Lambda {serverlessFunctionsTotal, plural, other {函数}}", "xpack.apm.serviceGroups.cardsList.serviceCount": "{servicesCount} 项{servicesCount, plural, other {服务}}", "xpack.apm.serviceGroups.createFailure.toast.title": "创建“{groupName}”组时出错", "xpack.apm.serviceGroups.createSucess.toast.title": "已创建“{groupName}”组", @@ -6805,6 +6874,7 @@ "xpack.apm.serviceGroups.editFailure.toast.title": "编辑“{groupName}”组时出错", "xpack.apm.serviceGroups.editSucess.toast.title": "已编辑“{groupName}”组", "xpack.apm.serviceGroups.groupsCount": "{servicesCount} 个{servicesCount, plural, other {组}}", + "xpack.apm.serviceGroups.invalidFields.message": "服务组的查询筛选不支持字段 [{unsupportedFieldNames}]", "xpack.apm.serviceGroups.selectServicesForm.matchingServiceCount": "{servicesCount} 项{servicesCount, plural, other {服务}}与该查询相匹配", "xpack.apm.serviceGroups.tour.content.link": "在{docsLink}中了解详情。", "xpack.apm.serviceIcons.serviceDetails.cloud.availabilityZoneLabel": "{zones, plural, other {可用性区域}} ", @@ -6815,6 +6885,9 @@ "xpack.apm.serviceMap.resourceCountLabel": "{count} 项资源", "xpack.apm.serviceNodeMetrics.unidentifiedServiceNodesWarningText": "无法识别这些指标属于哪些 JVM。这可能因为运行的 APM Server 版本低于 7.5。如果升级到 APM Server 7.5 或更高版本,应可解决此问题。有关升级的详细信息,请参阅 {link}。或者,也可以使用 Kibana 查询栏按主机名、容器 ID 或其他字段筛选。", "xpack.apm.serviceOveriew.errorsTableOccurrences": "{occurrences} 次", + "xpack.apm.serviceOverview.embeddedMap.error.toastDescription": "未找到 ID 为“{embeddableFactoryId}”的可嵌入工厂。", + "xpack.apm.serviceOverview.lensFlyout.topValues": "{metric} 的排名靠前 {BUCKET_SIZE} 值", + "xpack.apm.serviceOverview.mobileCallOutText": "这是一项移动服务,它当前以技术预览的形式发布。您可以通过提供反馈来帮助我们改进体验。{feedbackLink}。", "xpack.apm.servicesTable.environmentCount": "{environmentCount, plural, one {1 个环境} other {# 个环境}}", "xpack.apm.settings.agentKeys.apiKeysDisabledErrorDescription": "请联系您的系统管理员并参阅{link}以启用 API 密钥。", "xpack.apm.settings.agentKeys.copyAgentKeyField.title": "已创建“{name}”密钥", @@ -6838,6 +6911,7 @@ "xpack.apm.spanLinks.combo.childrenLinks": "传入链接 ({linkedChildren})", "xpack.apm.spanLinks.combo.parentsLinks": "传出链接 ({linkedParents})", "xpack.apm.stacktraceTab.libraryFramesToogleButtonLabel": "{count, plural, other {# 个库帧}}", + "xpack.apm.storageExplorer.longLoadingTimeCalloutText": "在 {kibanaAdvancedSettingsLink} 中为服务列表启用渐进数据加载和优化排序。", "xpack.apm.transactionDetails.errorCount": "{errorCount, number} 个 {errorCount, plural, other {错误}}", "xpack.apm.transactionDetails.transFlyout.callout.agentDroppedSpansMessage": "报告此事务的 APM 代理基于其配置丢弃了 {dropped} 个跨度。", "xpack.apm.transactionRateLabel": "{displayedValue} tpm", @@ -6846,6 +6920,7 @@ "xpack.apm.tutorial.config_otel.description3": "{otelInstrumentationGuide}中提供了环境变量、命令行参数和配置代码片段(根据 OpenTelemetry 规范)的详细列表。某些不稳定的 OpenTelemetry 客户端可能不支持所有功能,并可能需要备选配置机制。", "xpack.apm.tutorial.djangoClient.configure.commands.setCustomApmServerUrlComment": "设置定制 APM Server URL(默认值:{defaultApmServerUrl})", "xpack.apm.tutorial.djangoClient.configure.textPost": "有关高级用法,请参阅[文档]({documentationLink})。", + "xpack.apm.tutorial.dotNetClient.configureAgent.textPost": "如果您未将 `IConfiguration` 实例传递给代理(例如非 ASP.NET Core 应用程序), 您还可以通过环境变量配置代理。\n 有关高级用法,请参阅[文档]({documentationLink}),包括 [Profiler 自动检测]({profilerLink}) 快速入门。", "xpack.apm.tutorial.dotNetClient.download.textPre": "将来自 [NuGet]({allNuGetPackagesLink}) 的代理软件包添加到 .NET 应用程序。有多个 NuGet 软件包可用于不同的用例。\n\n对于具有 Entity Framework Core 的 ASP.NET Core 应用程序,请下载 [Elastic.Apm.NetCoreAll]({netCoreAllApmPackageLink}) 软件包。此软件包将自动将每个 代理组件添加到您的应用程序。\n\n 如果您希望最大程度减少依存关系,您可以将 [Elastic.Apm.AspNetCore]({aspNetCorePackageLink}) 软件包仅用于 ASP.NET Core 监测,或将 [Elastic.Apm.EfCore]({efCorePackageLink}) 软件包仅用于 Entity Framework Core 监测。\n\n 如果 仅希望将公共代理 API 用于手动检测,请使用 [Elastic.Apm]({elasticApmPackageLink}) 软件包。", "xpack.apm.tutorial.downloadServerRpm": "寻找 32 位软件包?请参阅[下载页面]({downloadPageLink})。", "xpack.apm.tutorial.downloadServerTitle": "寻找 32 位软件包?请参阅[下载页面]({downloadPageLink})。", @@ -6891,8 +6966,12 @@ "xpack.apm.agentConfig.apiRequestTime.label": "API 请求时间", "xpack.apm.agentConfig.captureBody.description": "有关属于 HTTP 请求的事务,代理可以选择性地捕获请求正文(例如 POST 变量)。\n对于通过从消息代理接收消息来启动的事务,代理可以捕获文本消息正文。", "xpack.apm.agentConfig.captureBody.label": "捕获正文", + "xpack.apm.agentConfig.captureBodyContentTypes.description": "配置应记录哪些内容类型。\n\n默认值以通配符结尾,因此还会捕获 `text/plain; charset=utf-8` 之类的内容类型。", + "xpack.apm.agentConfig.captureBodyContentTypes.label": "捕获正文内容类型", "xpack.apm.agentConfig.captureHeaders.description": "如果设置为 `true`,则在使用消息传递框架(如 Kafka)时,代理将捕获 HTTP 请求和响应标头(包括 Cookie)以及消息标头/属性。\n\n注意:将其设置为 `false` 可减少网络带宽、磁盘空间和对象分配。", "xpack.apm.agentConfig.captureHeaders.label": "捕获标头", + "xpack.apm.agentConfig.captureJmxMetrics.description": "将指标从 JMX 报告到 APM Server\n\n可以包含多个逗号分隔的 JMX 指标定义:\n\n`object_name[] attribute[:metric_name=]`\n\n如需了解更多详细信息,请参阅 Java 代理文档。", + "xpack.apm.agentConfig.captureJmxMetrics.label": "捕获 JMX 指标", "xpack.apm.agentConfig.chooseService.editButton": "编辑", "xpack.apm.agentConfig.chooseService.service.environment.label": "环境", "xpack.apm.agentConfig.chooseService.service.name.label": "服务名称", @@ -6910,6 +6989,8 @@ "xpack.apm.agentConfig.configurationsPanelTitle.noPermissionTooltipLabel": "您的用户角色无权创建代理配置", "xpack.apm.agentConfig.createConfigButtonLabel": "创建配置", "xpack.apm.agentConfig.createConfigTitle": "创建配置", + "xpack.apm.agentConfig.dedotCustomMetrics.description": "在定制指标的指标名称中,将圆点替换为下划线。\n\n警告:将此项设置为 `false` 可能导致映射冲突,因为在 Elasticsearch 中,圆点表示嵌套。\n例如,如果两个指标分别名为 `foo` 和 `foo.bar`,就会发生冲突。\n第一个指标将 `foo` 映射为数字,而第二个指标将 `foo` 映射为对象。", + "xpack.apm.agentConfig.dedotCustomMetrics.label": "对定制指标去圆点", "xpack.apm.agentConfig.deleteModal.cancel": "取消", "xpack.apm.agentConfig.deleteModal.confirm": "删除", "xpack.apm.agentConfig.deleteModal.title": "删除配置", @@ -6918,6 +6999,12 @@ "xpack.apm.agentConfig.editConfigTitle": "编辑配置", "xpack.apm.agentConfig.enableLogCorrelation.description": "布尔值,指定代理是否应集成到 SLF4J 的 MDC 中以便启用跟踪日志关联。如果设置为 `true`,代理会将当前活动跨度和事务的 `trace.id` 和 `transaction.id` 设置为 MDC。自 Java 代理版本 1.16.0 起,代理还会在记录错误消息之前先将已捕获错误的 `error.id` 添加到 MDC。注意:尽管允许在运行时启用此设置,但不重新启动将无法禁用。", "xpack.apm.agentConfig.enableLogCorrelation.label": "启用日志关联", + "xpack.apm.agentConfig.exitSpanMinDuration.description": "退出跨度是表示调用外部服务(如数据库)的跨度。如果此类调用的时间非常短,它们通常不会造成影响并可以忽略。\n\n注意:如果某跨度传播分布式跟踪 ID,即使它比配置的阈值短,也会将其忽略。这是为了确保不会记录任何中断的跟踪。", + "xpack.apm.agentConfig.exitSpanMinDuration.label": "退出跨度最小持续时间", + "xpack.apm.agentConfig.ignoreExceptions.description": "应被忽略并且不会报告为错误的例外列表。\n这便于忽略在常规控制流中引发但实际并非错误的例外。", + "xpack.apm.agentConfig.ignoreExceptions.label": "忽略例外", + "xpack.apm.agentConfig.ignoreMessageQueues.description": "用于筛除不需要跟踪的特定消息队列/主题。\n\n应将此属性设置为包含一个或多个字符串的数组。\n设置后,将忽略发送和接收的指定队列/主题。", + "xpack.apm.agentConfig.ignoreMessageQueues.label": "忽略消息队列", "xpack.apm.agentConfig.logLevel.description": "设置代理的日志记录级别", "xpack.apm.agentConfig.logLevel.label": "日志级别", "xpack.apm.agentConfig.newConfig.description": "从 APM 应用中微调您的代理配置。更改将自动传播到 APM 代理,因此无需重新部署。", @@ -6953,6 +7040,12 @@ "xpack.apm.agentConfig.settingsPage.notFound.message": "请求的配置不存在", "xpack.apm.agentConfig.settingsPage.notFound.title": "抱歉,有错误", "xpack.apm.agentConfig.settingsPage.saveButton": "保存配置", + "xpack.apm.agentConfig.spanCompressionEnabled.description": "将此选项设置为 true 会启用跨度压缩功能。\n跨度压缩会降低收集、处理和存储开销,并减少 UI 的混乱。折中做法是不收集某些信息,如所有已压缩跨度的 DB 语句。", + "xpack.apm.agentConfig.spanCompressionEnabled.label": "已启用跨度压缩", + "xpack.apm.agentConfig.spanCompressionExactMatchMaxDuration.description": "完全匹配且低于此阈值的连续跨度将压缩到单个组合跨度中。此选项不适用于组合跨度。这会降低收集、处理和存储开销,并减少 UI 的混乱。折中做法是不收集所有已压缩跨度的 DB 语句。", + "xpack.apm.agentConfig.spanCompressionExactMatchMaxDuration.label": "跨度压缩完全匹配最大持续时间", + "xpack.apm.agentConfig.spanCompressionSameKindMaxDuration.description": "低于此阈值的指向同一目标的连续跨度将压缩到单个组合跨度中。此选项不适用于组合跨度。这会降低收集、处理和存储开销,并减少 UI 的混乱。折中做法是不收集所有已压缩跨度的 DB 语句。", + "xpack.apm.agentConfig.spanCompressionSameKindMaxDuration.label": "跨度压缩同类最大持续时间", "xpack.apm.agentConfig.spanFramesMinDuration.description": "在其默认设置中,APM 代理将收集每个已记录跨度的堆栈跟踪。\n尽管这对于在代码中查找导致跨度的确切位置非常有帮助,但收集此堆栈跟踪会有一些开销。\n将此选项设置为负值(如 `-1ms`)时,将会收集所有跨度的堆栈跟踪。将其设置为正值(如 `5ms`)会将堆栈跟踪收集限制在持续时间等于或大于给定值(如 5 毫秒)的跨度。\n\n要完全禁用跨度的堆栈跟踪,请将该值设置为 `0ms`。", "xpack.apm.agentConfig.spanFramesMinDuration.label": "跨度帧最小持续时间", "xpack.apm.agentConfig.stackTraceLimit.description": "设置为 0 将禁用堆栈跟踪收集。任何正整数值将用作要收集的最大帧数。设置为 -1 表示将收集所有帧。", @@ -6967,13 +7060,52 @@ "xpack.apm.agentConfig.stressMonitorSystemCpuReliefThreshold.label": "压力监测系统 cpu 缓解阈值", "xpack.apm.agentConfig.stressMonitorSystemCpuStressThreshold.description": "系统 CPU 监测用于检测系统 CPU 压力的阈值。如果系统 CPU 超过此阈值的持续时间至少有 `stress_monitor_cpu_duration_threshold`,监测会将其视为压力状态。", "xpack.apm.agentConfig.stressMonitorSystemCpuStressThreshold.label": "压力监测系统 cpu 压力阈值", + "xpack.apm.agentConfig.traceContinuationStrategy.description": "此选项允许对 APM 代理如何处理传入请求上的 W3C 跟踪上下文标头进行一定程度的控制。默认情况下,根据 W3C 分布式跟踪规范,将使用 `traceparent` 和 `tracestate` 标头。但在某些情况下,可能不太适合不使用传入 `traceparent` 标头。某些示例用例:\n\n* Elastic 监测的服务从未监测服务收到的请求带有 `traceparent` 标头。\n* Elastic 监测的服务为公开服务,不需要可能由用户请求假冒的跟踪数据(跟踪 ID、采样决策)。\n\n有效值为:\n* 'continue':默认行为。传入的 `traceparent` 值用于继续跟踪并确定采样决策。\n* 'restart':始终忽略传入请求的 `traceparent` 标头。将生成新的跟踪 ID,并根据 transaction_sample_rate 做出采样决策。将创建指向传入的 `traceparent` 的跨度链接。\n* 'restart_external':如果传入请求在 `tracestate` 中包括 `es` 供应商标志,则将 `traceparent` 视为内部标头并按照上文针对 'continue' 的说明进行处理。否则将 `traceparent` 视为外部标头,并按照上文针对 'restart' 的说明进行处理。\n\n从 Elastic Observability 8.2 开始,跨度链接将在跟踪视图中可见。\n\n此选项区分大小写。", + "xpack.apm.agentConfig.traceContinuationStrategy.label": "跟踪连续战略", + "xpack.apm.agentConfig.traceMethods.description": "要为其创建事务或跨度的方法列表。\n\n如果要监测大量方法,\n请使用 `profiling_inferred_spans_enabled`。\n\n这通过测量每个匹配的方法来实现,以包括为方法创建跨度的代码。\n虽然创建跨度几乎不会影响性能,\n但是,测量整个代码库或在紧凑循环中执行的方法会导致巨大的开销。\n\n注意:仅在必要时使用通配符。\n匹配的方法越多,给代理造成的开销越大。\n还要注意的是,每个 `transaction_max_spans` 事务具有最大跨度数上限。\n\n如需了解更多详细信息,请参阅 Java 代理文档。", + "xpack.apm.agentConfig.traceMethods.label": "跟踪方法", "xpack.apm.agentConfig.transactionIgnoreUrl.description": "用于限制对某些 URL 的请求不被检测。此配置接受应忽略的 URL 路径的通配符模式逗号分隔列表。当监测到传入 HTTP 请求时,会根据此列表中的每个元素测试其请求路径。例如,将 `/home/index` 添加到此列表中后,该元素将匹配并删除 `http://localhost/home/index` 和 `http://whatever.com/home/index?value1=123` 的检测", "xpack.apm.agentConfig.transactionIgnoreUrl.label": "基于 URL 忽略事务", + "xpack.apm.agentConfig.transactionIgnoreUserAgents.description": "用于限制来自某些用户代理的请求不被检测。\n\n检测到传入 HTTP 请求时,\n会根据此列表中的每个元素测试请求标头中的用户代理。\n例如,`curl/*`,`*pingdom*`", + "xpack.apm.agentConfig.transactionIgnoreUserAgents.label": "事务会忽略用户代理", "xpack.apm.agentConfig.transactionMaxSpans.description": "限制每个事务记录的跨度数量。", "xpack.apm.agentConfig.transactionMaxSpans.label": "事务最大跨度数", + "xpack.apm.agentConfig.transactionNameGroups.description": "使用此选项,\n您可以借助通配符表达式对包含动态部分的事务名称进行分组。\n例如,\n模式 `GET /user/*/cart` 将合并事务,\n比如将 `GET /users/42/cart` 和 `GET /users/73/cart` 合并为单一事务名称 `GET /users/*/cart`,\n因而减小事务名称基数。", + "xpack.apm.agentConfig.transactionNameGroups.label": "事务名称组", "xpack.apm.agentConfig.transactionSampleRate.description": "默认情况下,代理将采样每个事务(例如对服务的请求)。要减少开销和存储需要,可以将采样率设置介于 0.0 和 1.0 之间的值。我们仍记录整体时间和未采样事务的结果,但不记录上下文信息、标签和跨度。", "xpack.apm.agentConfig.transactionSampleRate.label": "事务采样率", + "xpack.apm.agentConfig.unnestExceptions.description": "报告例外时,\n对匹配通配符模式的例外解除嵌套。\n例如,这对于 Spring 的 `org.springframework.web.util.NestedServletException` 可能会有用处\n。", + "xpack.apm.agentConfig.unnestExceptions.label": "对例外解除嵌套", "xpack.apm.agentConfig.unsavedSetting.tooltip": "未保存", + "xpack.apm.agentConfig.usePathAsTransactionName.description": "如果设置为 `true`,\n不支持或部分支持的框架的事务名称将采用 `$method $path` 的形式,而不只是 `$method unknown route`。\n\n警告:如果 URL 包含路径参数,如 `/user/$userId`,\n则在启用此标志时应非常小心,\n因为这可能会导致事务组激增。\n请查看 `transaction_name_groups` 选项,了解如何通过将 URL 组合在一起来解决该问题。", + "xpack.apm.agentConfig.usePathAsTransactionName.label": "将路径用作事务名称", + "xpack.apm.agentExplorer.agentLanguageSelect.label": "代理语言", + "xpack.apm.agentExplorer.agentLanguageSelect.placeholder": "全部", + "xpack.apm.agentExplorer.callout.24hoursData": "基于最近 24 小时的信息", + "xpack.apm.agentExplorer.docsLink.elastic.logo": "Elastic 徽标", + "xpack.apm.agentExplorer.docsLink.message": "文档", + "xpack.apm.agentExplorer.docsLink.otel.logo": "OpenTelemetry 徽标", + "xpack.apm.agentExplorer.instancesFlyout.title": "代理实例", + "xpack.apm.agentExplorer.notFoundLabel": "找不到代理", + "xpack.apm.agentExplorer.serviceNameSelect.label": "服务名称", + "xpack.apm.agentExplorer.serviceNameSelect.placeholder": "全部", + "xpack.apm.agentExplorerInstanceTable.agentVersionColumnLabel": "代理版本", + "xpack.apm.agentExplorerInstanceTable.environmentColumnLabel": "环境", + "xpack.apm.agentExplorerInstanceTable.InstanceColumnLabel": "实例", + "xpack.apm.agentExplorerInstanceTable.lastReportColumnLabel": "上次报告", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.configurationOptions": "配置选项", + "xpack.apm.agentExplorerInstanceTable.noServiceNodeName.tooltip": "缺少 serviceNodeName 的工具提示", + "xpack.apm.agentExplorerTable.agentDocsColumnLabel": "代理文档", + "xpack.apm.agentExplorerTable.agentNameColumnLabel": "代理名称", + "xpack.apm.agentExplorerTable.agentVersionColumnLabel": "代理版本", + "xpack.apm.agentExplorerTable.environmentColumnLabel": "环境", + "xpack.apm.agentExplorerTable.instancesColumnLabel": "实例", + "xpack.apm.agentExplorerTable.serviceNameColumnLabel": "服务名称", + "xpack.apm.agentExplorerTable.viewAgentInstances": "切换代理实例视图", + "xpack.apm.agentInstancesDetails.agentDocsUrlLabel": "代理文档", + "xpack.apm.agentInstancesDetails.agentNameLabel": "代理名称", + "xpack.apm.agentInstancesDetails.intancesLabel": "实例", + "xpack.apm.agentInstancesDetails.serviceLabel": "服务", "xpack.apm.agentMetrics.java.gcRate": "GC 速率", "xpack.apm.agentMetrics.java.gcRateChartTitle": "每分钟垃圾回收速率", "xpack.apm.agentMetrics.java.gcTime": "GC 时间", @@ -6988,11 +7120,22 @@ "xpack.apm.agentMetrics.java.threadCount": "平均计数", "xpack.apm.agentMetrics.java.threadCountChartTitle": "线程计数", "xpack.apm.agentMetrics.java.threadCountMax": "最大计数", + "xpack.apm.agentMetrics.serverless.avgDuration": "Lambda 持续时间", + "xpack.apm.agentMetrics.serverless.avgDuration.description": "事务持续时间指处理和响应请求所花费的时间。如果请求已排队,则它不会影响事务持续时间,但会影响总计费持续时间", + "xpack.apm.agentMetrics.serverless.billedDurationAvg": "计费持续时间", + "xpack.apm.agentMetrics.serverless.coldStart": "冷启动", + "xpack.apm.agentMetrics.serverless.coldStart.title": "冷启动", + "xpack.apm.agentMetrics.serverless.coldStartDuration": "冷启动持续时间", + "xpack.apm.agentMetrics.serverless.coldStartDuration.description": "冷启动持续时间显示进行冷启动的请求无服务器运行时的执行持续时间。", + "xpack.apm.agentMetrics.serverless.computeUsage": "计算使用量", + "xpack.apm.agentMetrics.serverless.computeUsage.description": "计算使用量(GB-秒)为执行时间乘以您的功能实例的可用内存大小。计算使用量是您的无服务器功能开销的直接指标。", + "xpack.apm.agentMetrics.serverless.transactionDuration": "事务持续时间", "xpack.apm.aggregatedTransactions.fallback.badge": "基于采样的事务", "xpack.apm.aggregatedTransactions.fallback.tooltip": "此页面正在使用事务事件数据,因为当前时间范围内未找到任何指标事件,或者已根据指标事件文档中不可用的字段应用了筛选。", "xpack.apm.alerting.fields.environment": "环境", "xpack.apm.alerting.fields.service": "服务", "xpack.apm.alerting.fields.type": "类型", + "xpack.apm.alerts.action_variables.alertDetailsUrl": "Elastic 内视图的链接,显示与此告警相关的进一步详细信息和上下文", "xpack.apm.alerts.action_variables.environment": "创建告警的事务类型", "xpack.apm.alerts.action_variables.intervalSize": "符合告警条件的时段的长度和单位", "xpack.apm.alerts.action_variables.reasonMessage": "告警原因的简洁描述", @@ -7035,11 +7178,17 @@ "xpack.apm.api.apiKeys.securityRequired": "需要 Security 插件", "xpack.apm.api.fleet.cloud_apm_package_policy.requiredRoleOnCloud": "操作仅允许具有超级用户角色的 Elastic Cloud 用户执行。", "xpack.apm.api.fleet.fleetSecurityRequired": "需要 Fleet 和 Security 插件", + "xpack.apm.api.storageExplorer.securityRequired": "需要 Security 插件", "xpack.apm.apmDescription": "自动从您的应用程序内收集深层的性能指标和错误。", "xpack.apm.apmSchema.index": "APM Server 架构 - 索引", + "xpack.apm.apmServiceGroups.title": "APM 服务组", "xpack.apm.apmSettings.index": "APM 设置 - 索引", + "xpack.apm.apmSettings.kibanaLink.label": "Kibana 高级设置", + "xpack.apm.apmSettings.save.error": "保存设置时出错", + "xpack.apm.apmSettings.saveButton": "保存更改", "xpack.apm.betaBadgeDescription": "此功能当前为公测版。如果遇到任何错误或有任何反馈,请报告问题或访问我们的论坛。", "xpack.apm.betaBadgeLabel": "公测版", + "xpack.apm.bottomBarActions.discardChangesButton": "放弃更改", "xpack.apm.chart.annotation.version": "版本", "xpack.apm.chart.comparison.defaultPreviousPeriodLabel": "上一时段", "xpack.apm.chart.cpuSeries.processAverageLabel": "进程平均值", @@ -7120,6 +7269,11 @@ "xpack.apm.customLink.buttom.create.title": "创建", "xpack.apm.customLink.buttom.manage": "管理定制链接", "xpack.apm.customLink.empty": "未找到定制链接。设置自己的定制链接,如特定仪表板的链接或外部链接。", + "xpack.apm.data_view.creation_failed": "创建数据视图时出错", + "xpack.apm.dataView.alreadyExistsInActiveSpace": "活动工作区中已存在数据视图", + "xpack.apm.dataView.alreadyExistsInAnotherSpace": "数据视图已在另一工作区中存在,但在此工作区中不可用", + "xpack.apm.dataView.autoCreateDisabled": "已通过“autoCreateApmDataView”配置选项禁止自动创建数据视图", + "xpack.apm.dataView.noApmData": "无 APM 数据", "xpack.apm.dependecyOperationDetailView.header.backLinkLabel": "所有操作", "xpack.apm.dependencies.kueryBarPlaceholder": "搜索依赖项指标(例如,span.destination.service.resource:elasticsearch)", "xpack.apm.dependenciesInventory.dependencyTableColumn": "依赖项", @@ -7167,6 +7321,7 @@ "xpack.apm.error.prompt.body": "有关详情,请查看您的浏览器开发者控制台。", "xpack.apm.error.prompt.title": "抱歉,发生错误 :(", "xpack.apm.errorCountAlert.name": "错误计数阈值", + "xpack.apm.errorCountRuleType.errors": " 错误", "xpack.apm.errorGroup.chart.ocurrences": "发生次数", "xpack.apm.errorGroupDetails.culpritLabel": "原因", "xpack.apm.errorGroupDetails.errorOccurrenceTitle": "错误发生", @@ -7295,6 +7450,9 @@ "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPolicies": "尾部采样策略", "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPoliciesDescription": "策略会将跟踪事件映射到采样速率。每个策略必须指定一个采样速率。跟踪事件将按指定的顺序与策略进行匹配。所有策略条件必须为 true 才能匹配跟踪事件。每个策略列表应以一个仅指定一个采样速率的策略结尾。这个最终策略用于捕获与更严格的策略不匹配的剩余跟踪事件。", "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingPoliciesTitle": "策略", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimit": "尾部采样存储限制", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimitDescription": "为匹配尾部采样策略的跟踪事件分配的存储空间容量。注意:将此限制设置为大于允许的空间大小可能会导致 APM Server 运行不正常。", + "xpack.apm.fleet_integration.settings.tailSampling.tailSamplingStorageLimitTitle": "存储限制", "xpack.apm.fleet_integration.settings.tailSamplingDocsHelpTextLink": "文档", "xpack.apm.fleet_integration.settings.tls.settings.subtitle": "TLS 认证的设置。", "xpack.apm.fleet_integration.settings.tls.settings.title": "TLS 设置", @@ -7389,6 +7547,10 @@ "xpack.apm.jvmsTable.nonHeapMemoryColumnLabel": "非堆内存平均值", "xpack.apm.jvmsTable.threadCountColumnLabel": "线程计数最大值", "xpack.apm.keyValueFilterList.actionFilterLabel": "按值筛选", + "xpack.apm.labs": "实验", + "xpack.apm.labs.cancel": "取消", + "xpack.apm.labs.description": "试用正处于技术预览状态和开发中的 APM 功能。", + "xpack.apm.labs.reload": "重新加载以应用更改", "xpack.apm.latencyCorrelations.licenseCheckText": "要使用延迟相关性,必须订阅 Elastic 白金级许可证。使用相关性,将能够发现哪些字段与性能差相关。", "xpack.apm.license.betaBadge": "公测版", "xpack.apm.license.betaTooltipMessage": "此功能当前为公测版。如果遇到任何错误或有任何反馈,请报告问题或访问我们的论坛。", @@ -7411,8 +7573,14 @@ "xpack.apm.mlCallout.updateAvailableCalloutButtonText": "更新作业", "xpack.apm.mlCallout.updateAvailableCalloutText": "我们已更新有助于深入了解性能降级的异常检测作业,并添加了检测工具以获取吞吐量和失败事务率。如果您选择进行升级,我们将创建新作业,并关闭现有的旧版作业。APM 应用中显示的数据将自动切换到新数据。请注意,如果您选择创建新作业,用于迁移所有现有作业的选项将不可用。", "xpack.apm.mlCallout.updateAvailableCalloutTitle": "可用更新", + "xpack.apm.mobile.filters.appVersion": "应用版本", + "xpack.apm.mobile.filters.device": "设备", + "xpack.apm.mobile.filters.nct": "NCT", + "xpack.apm.mobile.filters.osVersion": "操作系统版本", "xpack.apm.navigation.apmSettingsTitle": "设置", + "xpack.apm.navigation.apmStorageExplorerTitle": "Storage Explorer", "xpack.apm.navigation.dependenciesTitle": "依赖项", + "xpack.apm.navigation.serviceGroupsTitle": "服务组", "xpack.apm.navigation.serviceMapTitle": "服务地图", "xpack.apm.navigation.servicesTitle": "服务", "xpack.apm.navigation.tracesTitle": "追溯", @@ -7431,6 +7599,25 @@ "xpack.apm.propertiesTable.tabs.timelineLabel": "时间线", "xpack.apm.searchInput.filter": "筛选...", "xpack.apm.selectPlaceholder": "选择选项:", + "xpack.apm.serverlessMetrics.activeInstances.billedDuration": "计费持续时间", + "xpack.apm.serverlessMetrics.activeInstances.functionName": "函数名称", + "xpack.apm.serverlessMetrics.activeInstances.memorySize": "内存大小", + "xpack.apm.serverlessMetrics.activeInstances.memoryUsageAvg": "平均内存使用率", + "xpack.apm.serverlessMetrics.activeInstances.name": "名称", + "xpack.apm.serverlessMetrics.activeInstances.title": "活动实例", + "xpack.apm.serverlessMetrics.serverlessFunctions.billedDuration": "计费持续时间", + "xpack.apm.serverlessMetrics.serverlessFunctions.coldStart": "冷启动", + "xpack.apm.serverlessMetrics.serverlessFunctions.functionDuration": "函数持续时间", + "xpack.apm.serverlessMetrics.serverlessFunctions.functionName": "函数名称", + "xpack.apm.serverlessMetrics.serverlessFunctions.memorySize": "内存大小", + "xpack.apm.serverlessMetrics.serverlessFunctions.memoryUsageAvg": "平均内存使用率", + "xpack.apm.serverlessMetrics.serverlessFunctions.title": "Lambda 函数", + "xpack.apm.serverlessMetrics.summary.billedDurationAvg": "平均计费持续时间", + "xpack.apm.serverlessMetrics.summary.estimatedCost": "估计的平均成本", + "xpack.apm.serverlessMetrics.summary.feedback": "发送反馈", + "xpack.apm.serverlessMetrics.summary.functionDurationAvg": "平均函数持续时间", + "xpack.apm.serverlessMetrics.summary.memoryUsageAvg": "平均内存使用率", + "xpack.apm.serverlessMetrics.summary.title": "摘要", "xpack.apm.serviceDependencies.breakdownChartTitle": "依赖项花费的时间", "xpack.apm.serviceDetails.dependenciesTabLabel": "依赖项", "xpack.apm.serviceDetails.errorsTabLabel": "错误", @@ -7441,15 +7628,19 @@ "xpack.apm.serviceDetails.metricsTabLabel": "指标", "xpack.apm.serviceDetails.overviewTabLabel": "概览", "xpack.apm.serviceDetails.transactionsTabLabel": "事务", - "xpack.apm.serviceGroup.allServices.title": "所有服务", + "xpack.apm.serviceGroup.allServices.title": "服务", "xpack.apm.serviceGroup.serviceInventory": "库存", "xpack.apm.serviceGroup.serviceMap": "服务地图", + "xpack.apm.serviceGroups.beta.feedback.link": "发送反馈", + "xpack.apm.serviceGroups.breadcrumb.return": "返回", "xpack.apm.serviceGroups.breadcrumb.title": "服务", "xpack.apm.serviceGroups.buttonGroup.allServices": "所有服务", "xpack.apm.serviceGroups.buttonGroup.serviceGroups": "服务组", "xpack.apm.serviceGroups.cardsList.emptyDescription": "描述不可用", "xpack.apm.serviceGroups.createGroupLabel": "创建组", "xpack.apm.serviceGroups.createSuccess.toast.text": "您的组当前在组的新服务视图中可见。", + "xpack.apm.serviceGroups.data.emptyPrompt.message": "开始对您的服务和应用程序进行分组和整理。详细了解服务组或如何创建组。", + "xpack.apm.serviceGroups.data.emptyPrompt.noServiceGroups": "无服务组", "xpack.apm.serviceGroups.deleteFailure.unknownId.toast.text": "无法删除组:服务组 ID 未知。", "xpack.apm.serviceGroups.editGroupLabel": "编辑组", "xpack.apm.serviceGroups.editSuccess.toast.text": "已将新更改保存到服务组。", @@ -7467,6 +7658,7 @@ "xpack.apm.serviceGroups.groupDetailsForm.selectServices": "选择服务", "xpack.apm.serviceGroups.list.sort.alphabetical": "按字母顺序", "xpack.apm.serviceGroups.list.sort.recentlyAdded": "最近添加", + "xpack.apm.serviceGroups.listDescription": "显示的服务计数反映过去 24 小时的情况。", "xpack.apm.serviceGroups.selectServicesForm.cancel": "取消", "xpack.apm.serviceGroups.selectServicesForm.editGroupDetails": "编辑组详情", "xpack.apm.serviceGroups.selectServicesForm.kql": "例如,labels.team: \"web\"", @@ -7474,6 +7666,7 @@ "xpack.apm.serviceGroups.selectServicesForm.preview": "预览", "xpack.apm.serviceGroups.selectServicesForm.refresh": "刷新", "xpack.apm.serviceGroups.selectServicesForm.saveGroup": "保存组", + "xpack.apm.serviceGroups.selectServicesForm.subtitle": "使用查询为该组选择服务。预览显示过去 24 小时内与此查询匹配的服务。", "xpack.apm.serviceGroups.selectServicesForm.title": "选择服务", "xpack.apm.serviceGroups.selectServicesList.environmentColumnLabel": "环境", "xpack.apm.serviceGroups.selectServicesList.nameColumnLabel": "名称", @@ -7493,10 +7686,16 @@ "xpack.apm.serviceIcons.container": "容器", "xpack.apm.serviceIcons.serverless": "无服务器", "xpack.apm.serviceIcons.service": "服务", + "xpack.apm.serviceIcons.serviceDetails.cloud.architecture": "架构", "xpack.apm.serviceIcons.serviceDetails.cloud.projectIdLabel": "项目 ID", "xpack.apm.serviceIcons.serviceDetails.cloud.providerLabel": "云服务提供商", "xpack.apm.serviceIcons.serviceDetails.cloud.serviceNameLabel": "云服务", + "xpack.apm.serviceIcons.serviceDetails.container.image.name": "容器映像", + "xpack.apm.serviceIcons.serviceDetails.container.os.label": "OS", "xpack.apm.serviceIcons.serviceDetails.container.totalNumberInstancesLabel": "实例总数", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.deployments": "部署", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.namespaces": "命名空间", + "xpack.apm.serviceIcons.serviceDetails.kubernetes.replicasets": "ReplicaSet", "xpack.apm.serviceIcons.serviceDetails.service.agentLabel": "代理名称和版本", "xpack.apm.serviceIcons.serviceDetails.service.frameworkLabel": "框架名称", "xpack.apm.serviceIcons.serviceDetails.service.runtimeLabel": "运行时名称和版本", @@ -7545,7 +7744,12 @@ "xpack.apm.serviceOverview.dependenciesTableColumn": "依赖项", "xpack.apm.serviceOverview.dependenciesTableTabLink": "查看依赖项", "xpack.apm.serviceOverview.dependenciesTableTitle": "依赖项", - "xpack.apm.serviceOverview.dependenciesTableTitleTip": "未检测的下游服务或派生自已检测服务的退出跨度的外部连接。", + "xpack.apm.serviceOverview.dependenciesTableTitleTip": "下游服务和未检测的服务的外部连接", + "xpack.apm.serviceOverview.embeddedMap.error": "无法加载地图", + "xpack.apm.serviceOverview.embeddedMap.error.toastTitle": "加载地图可嵌入对象时出错", + "xpack.apm.serviceOverview.embeddedMap.input.title": "延迟(按国家/地区)", + "xpack.apm.serviceOverview.embeddedMap.metric.label": "页面加载持续时间", + "xpack.apm.serviceOverview.embeddedMap.title": "每个国家/地区的平均延迟", "xpack.apm.serviceOverview.errorsTable.errorMessage": "无法提取", "xpack.apm.serviceOverview.errorsTable.loading": "正在加载……", "xpack.apm.serviceOverview.errorsTable.noResults": "未找到错误", @@ -7577,8 +7781,17 @@ "xpack.apm.serviceOverview.latencyColumnDefaultLabel": "延迟", "xpack.apm.serviceOverview.latencyColumnP95Label": "延迟(第 95 个)", "xpack.apm.serviceOverview.latencyColumnP99Label": "延迟(第 99 个)", + "xpack.apm.serviceOverview.lensFlyout.countRecords": "记录计数", "xpack.apm.serviceOverview.loadingText": "正在加载……", + "xpack.apm.serviceOverview.mobileCallOutLink": "反馈", + "xpack.apm.serviceOverview.mobileCallOutTitle": "移动 APM", + "xpack.apm.serviceOverview.mostUsed.appVersion": "应用版本", + "xpack.apm.serviceOverview.mostUsed.device": "设备", + "xpack.apm.serviceOverview.mostUsed.nct": "网络连接类型", + "xpack.apm.serviceOverview.mostUsed.osVersion": "操作系统版本", + "xpack.apm.serviceOverview.mostUsedTitle": "最常用", "xpack.apm.serviceOverview.noResultsText": "未找到实例", + "xpack.apm.serviceOverview.openInLens": "在 Lens 中打开", "xpack.apm.serviceOverview.throughtputChartTitle": "吞吐量", "xpack.apm.serviceOverview.tpmHelp": "吞吐量按每分钟事务数 (tpm) 来度量。", "xpack.apm.serviceOverview.transactionsTableColumnErrorRate": "失败事务率", @@ -7587,6 +7800,7 @@ "xpack.apm.serviceOverview.transactionsTableColumnImpactTip": "服务中最常用的和最慢的终端节点。已通过延迟和吞吐量相乘进行计算。", "xpack.apm.serviceOverview.transactionsTableColumnName": "名称", "xpack.apm.serviceOverview.transactionsTableColumnThroughput": "吞吐量", + "xpack.apm.servicesGroups.buttonGroup.legend": "查看所有服务或服务组", "xpack.apm.servicesGroups.filter": "筛选组", "xpack.apm.servicesGroups.loadingServiceGroups": "正在加载服务组", "xpack.apm.servicesTable.environmentColumnLabel": "环境", @@ -7602,6 +7816,9 @@ "xpack.apm.settings.agentConfig": "代理配置", "xpack.apm.settings.agentConfig.createConfigButton.tooltip": "您无权创建代理配置", "xpack.apm.settings.agentConfig.descriptionText": "从 APM 应用中微调您的代理配置。更改将自动传播到 APM 代理,因此无需重新部署。", + "xpack.apm.settings.agentExplorer": "Agent Explorer", + "xpack.apm.settings.agentExplorer.descriptionText": "Agent Explorer 技术预览提供了已部署代理的库存和详细信息。", + "xpack.apm.settings.agentExplorer.title": "Agent Explorer", "xpack.apm.settings.agentKeys": "代理密钥", "xpack.apm.settings.agentKeys.agentKeysErrorPromptTitle": "无法加载 APM 代理密钥。", "xpack.apm.settings.agentKeys.agentKeysLoadingPromptTitle": "正在加载 APM 代码密钥......", @@ -7721,6 +7938,7 @@ "xpack.apm.settings.customLink.table.lastUpdated": "上次更新时间", "xpack.apm.settings.customLink.table.name": "名称", "xpack.apm.settings.customLink.table.url": "URL", + "xpack.apm.settings.generalSettings": "常规设置", "xpack.apm.settings.indices": "索引", "xpack.apm.settings.schema": "架构", "xpack.apm.settings.schema.confirm.apmServerSettingsCloudLinkText": "前往 Cloud 中的 APM Server 设置", @@ -7770,13 +7988,91 @@ "xpack.apm.stacktraceTab.causedByFramesToogleButtonLabel": "原因", "xpack.apm.stacktraceTab.localVariablesToogleButtonLabel": "本地变量", "xpack.apm.stacktraceTab.noStacktraceAvailableLabel": "没有可用的堆栈跟踪。", + "xpack.apm.storageExplorer.callout.dimissButton": "关闭", + "xpack.apm.storageExplorer.crossClusterSearchCalloutText": "虽然获取文档计数适用于跨集群搜索,但只会对此集群中存储的数据显示索引统计信息(如大小)。", + "xpack.apm.storageExplorer.crossClusterSearchCalloutTitle": "正在跨集群搜索?", + "xpack.apm.storageExplorer.indexLifecyclePhase.all.description": "搜索所有生命周期阶段中的数据。", + "xpack.apm.storageExplorer.indexLifecyclePhase.all.label": "全部", + "xpack.apm.storageExplorer.indexLifecyclePhase.cold.description": "虽然仍可搜索,但通常会对此图层进行优化,以降低存储成本而不是提高搜索速度。", + "xpack.apm.storageExplorer.indexLifecyclePhase.cold.label": "冷", + "xpack.apm.storageExplorer.indexLifecyclePhase.frozen.description": "存放不再查询或极少查询的数据。", + "xpack.apm.storageExplorer.indexLifecyclePhase.frozen.label": "已冻结", + "xpack.apm.storageExplorer.indexLifecyclePhase.hot.description": "存放最近的、搜索最频繁的数据。", + "xpack.apm.storageExplorer.indexLifecyclePhase.hot.label": "热", + "xpack.apm.storageExplorer.indexLifecyclePhase.label": "索引生命周期阶段", + "xpack.apm.storageExplorer.indexLifecyclePhase.warm.description": "存放最近几周的数据。仍然允许更新,但可能不会频繁更新。", + "xpack.apm.storageExplorer.indexLifecyclePhase.warm.label": "暖", + "xpack.apm.storageExplorer.indicesStats.dataStream": "数据流", + "xpack.apm.storageExplorer.indicesStats.indexName": "名称", + "xpack.apm.storageExplorer.indicesStats.lifecyclePhase": "生命周期阶段", + "xpack.apm.storageExplorer.indicesStats.numberOfDocs": "文档计数", + "xpack.apm.storageExplorer.indicesStats.primaries": "主分片", + "xpack.apm.storageExplorer.indicesStats.replicas": "副本分片", + "xpack.apm.storageExplorer.indicesStats.table.caption": "Storage Explorer 索引细目", + "xpack.apm.storageExplorer.indicesStats.table.errorMessage": "无法提取", + "xpack.apm.storageExplorer.indicesStats.table.loading": "正在加载……", + "xpack.apm.storageExplorer.indicesStats.table.noResults": "未找到任何数据", + "xpack.apm.storageExplorer.indicesStats.title": "索引细目", + "xpack.apm.storageExplorer.loadingPromptTitle": "正在加载 Storage Explorer......", + "xpack.apm.storageExplorer.longLoadingTimeCalloutLink": "Kibana 高级设置", + "xpack.apm.storageExplorer.longLoadingTimeCalloutTitle": "加载时间较长?", + "xpack.apm.storageExplorer.noPermissionToViewIndicesStatsDescription": "请联系您的系统管理员。", + "xpack.apm.storageExplorer.noPermissionToViewIndicesStatsTitle": "您需要权限才能查看索引统计信息", + "xpack.apm.storageExplorer.resources.accordionTitle": "提示和技巧", + "xpack.apm.storageExplorer.resources.compressedSpans.description": "启用跨度压缩。跨度压缩通过将多个类似跨度压缩到单个跨度中来节省数据和传输成本。", + "xpack.apm.storageExplorer.resources.compressedSpans.title": "减少跨度", + "xpack.apm.storageExplorer.resources.documentation": "文档", + "xpack.apm.storageExplorer.resources.errorMessages.description": "配置更激进的事务采样策略。事务采样会减少所采集数据的数量,而不会对该数据的可用性造成负面影响。", + "xpack.apm.storageExplorer.resources.errorMessages.title": "减少事务", + "xpack.apm.storageExplorer.resources.indexManagement": "索引管理", + "xpack.apm.storageExplorer.resources.learnMoreButton": "了解详情", + "xpack.apm.storageExplorer.resources.samplingRate.description": "定制索引生命周期策略。索引生命周期策略允许您根据自己的性能、弹性和保留要求来管理索引。", + "xpack.apm.storageExplorer.resources.samplingRate.title": "管理索引生命周期", + "xpack.apm.storageExplorer.resources.sendFeedback": "发送反馈", + "xpack.apm.storageExplorer.resources.serviceInventory": "服务库存", + "xpack.apm.storageExplorer.resources.title": "资源", + "xpack.apm.storageExplorer.serviceDetails.errors": "错误", + "xpack.apm.storageExplorer.serviceDetails.metrics": "指标", + "xpack.apm.storageExplorer.serviceDetails.serviceOverviewLink": "前往服务概览", + "xpack.apm.storageExplorer.serviceDetails.spans": "跨度", + "xpack.apm.storageExplorer.serviceDetails.title": "服务存储详情", + "xpack.apm.storageExplorer.serviceDetails.transactions": "事务", + "xpack.apm.storageExplorer.sizeLabel.description": "每项服务的估计存储大小。此估值包括主分片和副本分片,并通过按服务的文档计数分摊索引总大小再除以文档总数来计算。", + "xpack.apm.storageExplorer.sizeLabel.title": "大小", + "xpack.apm.storageExplorer.summary.dailyDataGeneration": "每日数据生成", + "xpack.apm.storageExplorer.summary.diskSpaceUsedPct": "已用磁盘空间", + "xpack.apm.storageExplorer.summary.diskSpaceUsedPct.tooltip": "所有 APM 索引当前使用的存储容量与当前为 Elasticsearch 配置的最大存储容量比较的百分比。", + "xpack.apm.storageExplorer.summary.incrementalSize": "增量 APM 大小", + "xpack.apm.storageExplorer.summary.incrementalSize.tooltip": "APM 索引使用的估计存储大小(基于选定筛选)。", + "xpack.apm.storageExplorer.summary.indexManagementLink": "前往索引管理", + "xpack.apm.storageExplorer.summary.numberOfServices": "服务数目", + "xpack.apm.storageExplorer.summary.serviceInventoryLink": "前往服务库存", + "xpack.apm.storageExplorer.summary.totalSize": "APM 总大小", + "xpack.apm.storageExplorer.summary.totalSize.tooltip": "所有 APM 索引当前的存储大小合计,忽略所有筛选。", + "xpack.apm.storageExplorer.summary.tracesPerMinute": "每分钟跟踪数", + "xpack.apm.storageExplorer.table.caption": "Storage Explorer", + "xpack.apm.storageExplorer.table.collapse": "折叠", + "xpack.apm.storageExplorer.table.environmentColumnName": "环境", + "xpack.apm.storageExplorer.table.errorMessage": "无法提取", + "xpack.apm.storageExplorer.table.expand": "展开", + "xpack.apm.storageExplorer.table.expandRow": "展开行", + "xpack.apm.storageExplorer.table.loading": "正在加载……", + "xpack.apm.storageExplorer.table.noResults": "未找到任何数据", + "xpack.apm.storageExplorer.table.samplingColumnDescription": "已采样事务数除入总吞吐量。此值可能与配置的事务采样率不同,因为使用基于头部的采样时初始服务的决定或使用基于尾部的采样时的一组策略可能会对它造成影响。", + "xpack.apm.storageExplorer.table.samplingColumnName": "采样速率", + "xpack.apm.storageExplorer.table.serviceColumnName": "服务", + "xpack.apm.storageExplorerLinkLabel": "Storage Explorer", "xpack.apm.technicalPreviewBadgeDescription": "此功能处于技术预览状态,在未来版本中可能会更改或完全移除。Elastic 将尽最大努力来修复任何问题,但处于技术预览状态的功能不受正式 GA 功能支持 SLA 的约束。", "xpack.apm.technicalPreviewBadgeLabel": "技术预览", "xpack.apm.timeComparison.label": "对比", "xpack.apm.timeComparison.select.dayBefore": "前一天", "xpack.apm.timeComparison.select.weekBefore": "上一周", + "xpack.apm.timeseries.endzone": "选定的时间范围不包括此整个存储桶。其可能包含部分数据。", "xpack.apm.toggleHeight.showLessButtonLabel": "显示较少行", "xpack.apm.toggleHeight.showMoreButtonLabel": "显示更多行", + "xpack.apm.traceExplorer.appName": "APM", + "xpack.apm.traceExplorer.criticalPathTab": "已聚合关键路径", + "xpack.apm.traceExplorer.waterfallTab": "瀑布", "xpack.apm.traceOverview.topTracesTab": "排名靠前跟踪", "xpack.apm.traceOverview.traceExplorerTab": "浏览器", "xpack.apm.traceSearchBox.refreshButton": "搜索", @@ -7839,6 +8135,7 @@ "xpack.apm.transactionDetails.statusCode": "状态代码", "xpack.apm.transactionDetails.syncBadgeAsync": "异步", "xpack.apm.transactionDetails.syncBadgeBlocking": "正在阻止", + "xpack.apm.transactionDetails.tabs.aggregatedCriticalPathLabel": "已聚合关键路径", "xpack.apm.transactionDetails.tabs.failedTransactionsCorrelationsLabel": "失败事务相关性", "xpack.apm.transactionDetails.tabs.latencyLabel": "延迟相关性", "xpack.apm.transactionDetails.tabs.traceSamplesLabel": "跟踪样例", @@ -7860,8 +8157,12 @@ "xpack.apm.transactionDurationAlert.aggregationType.99th": "第 99 个百分位", "xpack.apm.transactionDurationAlert.aggregationType.avg": "平均值", "xpack.apm.transactionDurationAlert.name": "延迟阈值", + "xpack.apm.transactionDurationAnomalyRuleType.anomalySeverity": "有异常,严重性为", "xpack.apm.transactionDurationLabel": "持续时间", + "xpack.apm.transactionDurationRuleType.ms": "ms", + "xpack.apm.transactionDurationRuleType.when": "当", "xpack.apm.transactionErrorRateAlert.name": "失败事务率阈值", + "xpack.apm.transactionErrorRateRuleType.isAbove": "高于", "xpack.apm.transactions.latency.chart.95thPercentileLabel": "第 95 个百分位", "xpack.apm.transactions.latency.chart.99thPercentileLabel": "第 99 个百分位", "xpack.apm.transactions.latency.chart.averageLabel": "平均值", @@ -7878,6 +8179,8 @@ "xpack.apm.tutorial.agent_config.fleetPoliciesLabel": "Fleet 策略", "xpack.apm.tutorial.agent_config.getStartedWithFleet": "Fleet 入门", "xpack.apm.tutorial.agent_config.manageFleetPolicies": "管理 Fleet 策略", + "xpack.apm.tutorial.agent.column.configSettings": "配置设置", + "xpack.apm.tutorial.agent.column.configValue": "配置值", "xpack.apm.tutorial.apmAgents.statusCheck.btnLabel": "检查代理状态", "xpack.apm.tutorial.apmAgents.statusCheck.errorMessage": "尚未从代理收到任何数据", "xpack.apm.tutorial.apmAgents.statusCheck.successMessage": "已从一个或多个代理成功接收数据", @@ -7996,26 +8299,34 @@ "xpack.apm.views.dependenciesInventory.title": "依赖项", "xpack.apm.views.dependenciesOperations.title": "操作", "xpack.apm.views.errors.title": "错误", + "xpack.apm.views.infra.tabs.containers": "容器", + "xpack.apm.views.infra.tabs.hosts": "主机", + "xpack.apm.views.infra.tabs.pods": "Pod", "xpack.apm.views.infra.title": "基础设施", "xpack.apm.views.listSettings.title": "设置", "xpack.apm.views.logs.title": "日志", "xpack.apm.views.metrics.title": "指标", - "xpack.apm.views.nodes.title": "JVM", + "xpack.apm.views.nodes.title": "指标", "xpack.apm.views.overview.title": "概览", "xpack.apm.views.serviceGroups.title": "服务", "xpack.apm.views.serviceInventory.title": "服务", "xpack.apm.views.serviceMap.title": "服务地图", "xpack.apm.views.settings.agentConfiguration.title": "代理配置", + "xpack.apm.views.settings.agentExplorer.title": "Agent Explorer", "xpack.apm.views.settings.agentKeys.title": "代理密钥", "xpack.apm.views.settings.anomalyDetection.title": "异常检测", "xpack.apm.views.settings.createAgentConfiguration.title": "创建代理配置", "xpack.apm.views.settings.customLink.title": "定制链接", "xpack.apm.views.settings.editAgentConfiguration.title": "编辑代理配置", + "xpack.apm.views.settings.generalSettings.title": "常规设置", "xpack.apm.views.settings.indices.title": "索引", "xpack.apm.views.settings.schema.title": "架构", + "xpack.apm.views.storageExplorer.giveFeedback": "反馈", + "xpack.apm.views.storageExplorer.title": "Storage Explorer", "xpack.apm.views.traceOverview.title": "追溯", "xpack.apm.views.transactions.title": "事务", "xpack.apm.waterfall.exceedsMax": "此跟踪中的项目数超过显示的项目数", + "xpack.apm.waterfall.showCriticalPath": "显示关键路径", "xpack.banners.settings.backgroundColor.description": "设置横幅广告的背景色。{subscriptionLink}", "xpack.banners.settings.placement.description": "在 Elastic 页眉上显示此工作区的顶部横幅广告。{subscriptionLink}", "xpack.banners.settings.text.description": "将 Markdown 格式文本添加到横幅广告。{subscriptionLink}", @@ -8315,6 +8626,8 @@ "xpack.canvas.elements.metricVisHelpText": "指标可视化", "xpack.canvas.elements.pieDisplayName": "饼图", "xpack.canvas.elements.pieHelpText": "饼图", + "xpack.canvas.elements.pieVisDisplayName": "(新)饼图可视化", + "xpack.canvas.elements.pieVisHelpText": "饼图可视化", "xpack.canvas.elements.plotDisplayName": "坐标图", "xpack.canvas.elements.plotHelpText": "混合的折线图、条形图或点图", "xpack.canvas.elements.progressGaugeDisplayName": "仪表盘", @@ -8756,8 +9069,14 @@ "xpack.canvas.uis.arguments.numberTitle": "数字", "xpack.canvas.uis.arguments.paletteLabel": "用于呈现元素的颜色集合", "xpack.canvas.uis.arguments.paletteTitle": "调色板", + "xpack.canvas.uis.arguments.partitionLabelsLabel": "标签配置", + "xpack.canvas.uis.arguments.partitionLabelsTitle": "分区标签", "xpack.canvas.uis.arguments.percentageLabel": "百分比滑块 ", "xpack.canvas.uis.arguments.percentageTitle": "百分比", + "xpack.canvas.uis.arguments.percentDecimals": "百分比小数位", + "xpack.canvas.uis.arguments.positionDefaultLabel": "默认", + "xpack.canvas.uis.arguments.positionInsideLabel": "内部", + "xpack.canvas.uis.arguments.positionLabel": "位置", "xpack.canvas.uis.arguments.rangeLabel": "范围内的值滑块", "xpack.canvas.uis.arguments.rangeTitle": "范围", "xpack.canvas.uis.arguments.selectLabel": "从具有多个选项的下拉列表中选择", @@ -8772,6 +9091,12 @@ "xpack.canvas.uis.arguments.textareaTitle": "文本区域", "xpack.canvas.uis.arguments.toggleLabel": "True/False 切换开关", "xpack.canvas.uis.arguments.toggleTitle": "切换", + "xpack.canvas.uis.arguments.turnedOffShowLabelsLabel": "打开以查看标签设置", + "xpack.canvas.uis.arguments.valuesFormatLabel": "值格式", + "xpack.canvas.uis.arguments.valuesFormatPercentLabel": "百分比", + "xpack.canvas.uis.arguments.valuesFormatValueLabel": "值", + "xpack.canvas.uis.arguments.valuesLabel": "值", + "xpack.canvas.uis.arguments.valuesToggle": "显示值", "xpack.canvas.uis.arguments.visDimensionDefaultOptionName": "选择列", "xpack.canvas.uis.arguments.visDimensionLabel": "生成 visConfig 维度对象", "xpack.canvas.uis.arguments.visDimensionTitle": "列", @@ -8783,8 +9108,8 @@ "xpack.canvas.uis.dataSources.esdocs.fieldsLabel": "脚本字段不可用", "xpack.canvas.uis.dataSources.esdocs.fieldsTitle": "字段", "xpack.canvas.uis.dataSources.esdocs.fieldsWarningLabel": "字段不超过 10 个时,此数据源性能最佳", - "xpack.canvas.uis.dataSources.esdocs.indexLabel": "输入索引名称或选择数据视图", - "xpack.canvas.uis.dataSources.esdocs.indexTitle": "索引", + "xpack.canvas.uis.dataSources.esdocs.indexLabel": "选择数据视图或输入索引名称。", + "xpack.canvas.uis.dataSources.esdocs.indexTitle": "数据视图", "xpack.canvas.uis.dataSources.esdocs.queryTitle": "查询", "xpack.canvas.uis.dataSources.esdocs.sortFieldLabel": "文档排序字段", "xpack.canvas.uis.dataSources.esdocs.sortFieldTitle": "排序字段", @@ -8826,6 +9151,21 @@ "xpack.canvas.uis.models.math.args.valueLabel": "要用于从数据源提取值的函数和列", "xpack.canvas.uis.models.math.args.valueTitle": "值", "xpack.canvas.uis.models.mathTitle": "度量", + "xpack.canvas.uis.models.parititionLabels.title": "配置图表标签", + "xpack.canvas.uis.models.partitionLabels.args.percentDecimalsDisplayName": "标签中的百分比小数位", + "xpack.canvas.uis.models.partitionLabels.args.percentDecimalsHelp": "定义在值中将显示为百分比的小数位数", + "xpack.canvas.uis.models.partitionLabels.args.positionDefaultOption": "默认", + "xpack.canvas.uis.models.partitionLabels.args.positionDisplayName": "定义标签位置", + "xpack.canvas.uis.models.partitionLabels.args.positionInsideOption": "内部", + "xpack.canvas.uis.models.partitionLabels.args.positionTitle": "定义标签位置", + "xpack.canvas.uis.models.partitionLabels.args.showDisplayName": "在图表中显示标签", + "xpack.canvas.uis.models.partitionLabels.args.showTitle": "显示标签", + "xpack.canvas.uis.models.partitionLabels.args.valuesDisplayName": "在标签中显示值", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatDisplayName": "定义值的格式", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatHelp": "定义值的格式", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatPercentDisplayName": "百分比", + "xpack.canvas.uis.models.partitionLabels.args.valuesFormatValueDisplayName": "值", + "xpack.canvas.uis.models.partitionLabels.args.valuesHelp": "在标签中显示值", "xpack.canvas.uis.models.pointSeries.args.colorLabel": "确定标记或序列的颜色", "xpack.canvas.uis.models.pointSeries.args.colorTitle": "颜色", "xpack.canvas.uis.models.pointSeries.args.sizeLabel": "确定标记的大小", @@ -8911,6 +9251,56 @@ "xpack.canvas.uis.views.openLinksInNewTabHelpLabel": "设置链接在新选项卡中打开", "xpack.canvas.uis.views.openLinksInNewTabLabel": "在新选项卡中打开所有链接", "xpack.canvas.uis.views.openLinksInNewTabTitle": "Markdown 链接设置", + "xpack.canvas.uis.views.partitionVis.args.addTooltipDisplayName": "工具提示", + "xpack.canvas.uis.views.partitionVis.args.addTooltipHelp": "在悬浮时显示工具提示", + "xpack.canvas.uis.views.partitionVis.args.addTooltipToggleLabel": "显示工具提示", + "xpack.canvas.uis.views.partitionVis.args.bucketDisplayName": "存储桶", + "xpack.canvas.uis.views.partitionVis.args.bucketHelp": "存储桶维度配置", + "xpack.canvas.uis.views.partitionVis.args.distictColorsToggleLabel": "使用不同的颜色", + "xpack.canvas.uis.views.partitionVis.args.distinctColorsDisplayName": "切片颜色", + "xpack.canvas.uis.views.partitionVis.args.distinctColorsHelp": "对具有不相等值的切片使用不同的颜色", + "xpack.canvas.uis.views.partitionVis.args.emptySizeRatioDisplayName": "圆环图孔大小", + "xpack.canvas.uis.views.partitionVis.args.emptySizeRatioHelp": "设置圆环图孔的内径", + "xpack.canvas.uis.views.partitionVis.args.isDonutDisplayName": "圆环图", + "xpack.canvas.uis.views.partitionVis.args.isDonutHelp": "显示圆环图", + "xpack.canvas.uis.views.partitionVis.args.labelsDisplayName": "标签配置", + "xpack.canvas.uis.views.partitionVis.args.labelsHelp": "显示标签设置", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayDefaultLabel": "默认", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayHideLabel": "隐藏", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayLabel": "显示或隐藏饼图图例", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayShowLabel": "显示", + "xpack.canvas.uis.views.partitionVis.args.legendDisplayTitle": "图例视图", + "xpack.canvas.uis.views.partitionVis.args.legendPositionBottomLabel": "底部", + "xpack.canvas.uis.views.partitionVis.args.legendPositionLabel": "设置图例在右侧、顶部、左侧或底部的位置", + "xpack.canvas.uis.views.partitionVis.args.legendPositionLeftLabel": "左", + "xpack.canvas.uis.views.partitionVis.args.legendPositionRightLabel": "右", + "xpack.canvas.uis.views.partitionVis.args.legendPositionTitle": "位置", + "xpack.canvas.uis.views.partitionVis.args.legendPositionTopLabel": "顶部", + "xpack.canvas.uis.views.partitionVis.args.maxLegendLinesDisplayName": "最大图例行数", + "xpack.canvas.uis.views.partitionVis.args.maxLegendLinesHelp": "设置每个图例项的最大行数", + "xpack.canvas.uis.views.partitionVis.args.metricDisplayName": "指标", + "xpack.canvas.uis.views.partitionVis.args.metricHelp": "指标维度配置", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendDisplayName": "详细图例", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendHelp": "在图例中包括详细信息", + "xpack.canvas.uis.views.partitionVis.args.nestedLegendToggleLabel": "显示详情", + "xpack.canvas.uis.views.partitionVis.args.paletteHelp": "为饼图中的切片指定颜色", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderDisplayName": "数据顺序", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderHelp": "按其原始顺序显示数据而不对其排序", + "xpack.canvas.uis.views.partitionVis.args.respectSourceOrderToggleLabel": "使用原始顺序", + "xpack.canvas.uis.views.partitionVis.args.splitColumnDisplayName": "拆分列", + "xpack.canvas.uis.views.partitionVis.args.splitColumnHelp": "拆分列维度配置", + "xpack.canvas.uis.views.partitionVis.args.splitRowDisplayName": "拆分行", + "xpack.canvas.uis.views.partitionVis.args.splitRowHelp": "拆分行维度配置", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceDisplayName": "切片位置", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceHelp": "在饼图的第一个位置中放置第二大的切片", + "xpack.canvas.uis.views.partitionVis.args.startFromSecondLargestSliceToggleLabel": "从第二个切片开始", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendDisplayName": "图例文本", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendHelp": "图例达到最大宽度时截断图例", + "xpack.canvas.uis.views.partitionVis.args.truncateLegendToggleLabel": "太长时截断", + "xpack.canvas.uis.views.partitionVis.options.enableHelp": "启用", + "xpack.canvas.uis.views.partitionVis.options.saveHelp": "保存", + "xpack.canvas.uis.views.partitionVis.options.showHelp": "显示", + "xpack.canvas.uis.views.partitionVis.options.truncateHelp": "截断", "xpack.canvas.uis.views.pie.args.holeLabel": "孔洞半径", "xpack.canvas.uis.views.pie.args.holeTitle": "内半径", "xpack.canvas.uis.views.pie.args.labelRadiusLabel": "标签到饼图中心的距离", @@ -8925,6 +9315,7 @@ "xpack.canvas.uis.views.pie.args.tiltLabel": "倾斜百分比,其中 100 为完全垂直,0 为完全水平", "xpack.canvas.uis.views.pie.args.tiltTitle": "倾斜角度", "xpack.canvas.uis.views.pieTitle": "图表样式", + "xpack.canvas.uis.views.pieVisTitle": "(新)饼图可视化", "xpack.canvas.uis.views.plot.args.defaultStyleLabel": "设置每个序列默认使用的样式,除非被覆盖", "xpack.canvas.uis.views.plot.args.defaultStyleTitle": "默认样式", "xpack.canvas.uis.views.plot.args.legendLabel": "禁用或定位图例", @@ -9180,6 +9571,17 @@ "xpack.canvas.workpadTemplates.table.tagsColumnTitle": "标签", "xpack.cases.actions.caseAlertSuccessToast": "{quantity, plural, other {告警}}已添加到“{title}”", "xpack.cases.actions.caseSuccessToast": "{title} 已更新", + "xpack.cases.actions.closedCases": "已关闭{totalCases, plural, =1 {“{caseTitle}”} other { {totalCases} 个案例}}", + "xpack.cases.actions.markInProgressCases": "已将{totalCases, plural, =1 {“{caseTitle}”} other { {totalCases} 个案例}}标记为进行中", + "xpack.cases.actions.reopenedCases": "已打开{totalCases, plural, =1 {“{caseTitle}”} other { {totalCases} 个案例}}", + "xpack.cases.actions.severity": "{totalCases, plural, =1 {案例“{caseTitle}”} other {{totalCases} 个案例}}已设置为{severity}", + "xpack.cases.actions.tags.headerSubtitle": "所选案例:{totalCases}", + "xpack.cases.actions.tags.selectedTags": "已选定:{selectedTags}", + "xpack.cases.actions.tags.totalTags": "标签合计:{totalTags}", + "xpack.cases.allCasesView.severityWithValue": "严重性:{severity}", + "xpack.cases.allCasesView.showMoreAvatars": "另外 {count} 个", + "xpack.cases.allCasesView.statusWithValue": "状态:{status}", + "xpack.cases.allCasesView.totalFilteredUsers": "已选择 {total, plural, other {# 个筛选}}", "xpack.cases.caseTable.caseDetailsLinkAria": "单击以访问标题为 {detailName} 的案例", "xpack.cases.caseTable.pushLinkAria": "单击可在 { thirdPartyName } 上查看该事件。", "xpack.cases.caseTable.selectedCasesTitle": "已选择 {totalRules} 个{totalRules, plural, other {案例}}", @@ -9187,6 +9589,8 @@ "xpack.cases.caseTable.unit": "{totalCount, plural, other {案例}}", "xpack.cases.caseView.actionLabel.selectedThirdParty": "已选择 { thirdParty } 作为事件管理系统", "xpack.cases.caseView.actionLabel.viewIncident": "查看 {incidentNumber}", + "xpack.cases.caseView.alerts.multipleAlerts": "{totalAlerts, plural, other {{totalAlerts}}} 个{totalAlerts, plural, other {告警}}", + "xpack.cases.caseView.alerts.removeAlerts": "移除{totalAlerts, plural, other {告警}}", "xpack.cases.caseView.alreadyPushedToExternalService": "已推送到 { externalService } 事件", "xpack.cases.caseView.doesNotExist.description": "找不到 ID 为 {caseId} 的案例。这很可能意味着案例已删除或 ID 不正确。", "xpack.cases.caseView.emailBody": "案例参考:{caseUrl}", @@ -9199,6 +9603,7 @@ "xpack.cases.caseView.pushToServiceDisableByLicenseDescription": "有{appropriateLicense}、正使用{cloud}或正在免费试用时,可在外部系统中创建案例。", "xpack.cases.caseView.requiredUpdateToExternalService": "需要更新 { externalService } 事件", "xpack.cases.caseView.sendEmalLinkAria": "单击可向 {user} 发送电子邮件", + "xpack.cases.caseView.totalUsersAssigned": "已分配 {total} 个", "xpack.cases.caseView.updateNamedIncident": "更新 { thirdParty } 事件", "xpack.cases.configure.connectorDeletedOrLicenseWarning": "选定连接器已删除或您没有{appropriateLicense}来使用它。选择不同的连接器或创建新的连接器。", "xpack.cases.configureCases.fieldMappingDesc": "将数据推送到 { thirdPartyName } 时,将案例字段映射到 { thirdPartyName } 字段。字段映射需要与 { thirdPartyName } 建立连接。", @@ -9208,31 +9613,56 @@ "xpack.cases.configureCases.updateSelectedConnector": "更新 { connectorName }", "xpack.cases.configureCases.warningMessage": "用于将更新发送到外部服务的连接器已删除,或您没有{appropriateLicense}来使用它。要在外部系统中更新案例,请选择不同的连接器或创建新的连接器。", "xpack.cases.confirmDeleteCase.confirmQuestion": "删除{quantity, plural, =1 {此案例} other {这些案例}}即会永久移除所有相关案例数据,而且您将无法再将数据推送到外部事件管理系统。是否确定要继续?", - "xpack.cases.confirmDeleteCase.deleteCase": "删除{quantity, plural, other {案例}}", + "xpack.cases.confirmDeleteCase.deleteCase": "删除{quantity, plural, =1 {案例} other {{quantity} 个案例}}", "xpack.cases.confirmDeleteCase.deleteTitle": "删除“{caseTitle}”", "xpack.cases.connecors.get.missingCaseConnectorErrorMessage": "对象类型“{id}”未注册。", "xpack.cases.connecors.register.duplicateCaseConnectorErrorMessage": "已注册对象类型“{id}”。", "xpack.cases.connectors.card.createCommentWarningDesc": "为 {connectorName} 连接器配置“创建注释 URL”和“创建注释对象”字段以在外部共享注释。", "xpack.cases.connectors.jira.unableToGetIssueMessage": "无法获取 ID 为 {id} 的问题", + "xpack.cases.containers.deletedCases": "已删除{totalCases, plural, =1 {案例} other {{totalCases} 个案例}}", + "xpack.cases.containers.editedCases": "已编辑{totalCases, plural, =1 {案例} other {{totalCases} 个案例}}", "xpack.cases.containers.pushToExternalService": "已成功发送到 { serviceName }", "xpack.cases.containers.syncCase": "“{caseTitle}”中的告警已同步", "xpack.cases.containers.updatedCase": "已更新“{caseTitle}”", + "xpack.cases.create.invalidAssignees": "无法向案例分配超过 {maxAssignees} 个被分配人。", "xpack.cases.createCase.maxLengthError": "{field}的长度过长。最大长度为 {length}。", "xpack.cases.header.editableTitle.editButtonAria": "通过单击,可以编辑 {title}", "xpack.cases.noPrivileges.message": "要查看 {pageName} 页面,必须更新权限。有关详细信息,请联系您的 Kibana 管理员。", + "xpack.cases.platinumLicenseCalloutMessage": "有{appropriateLicense}、正使用{cloud}或正在免费试用时,可以将用户分配给案例或在外部系统中打开案例。", "xpack.cases.registry.get.missingItemErrorMessage": "未在注册表 {name} 上注册项目“{id}”", "xpack.cases.registry.register.duplicateItemErrorMessage": "已在注册表 {name} 上注册项目“{id}”", + "xpack.cases.server.addedBy": "已由 {user} 添加", + "xpack.cases.server.alertsUrl": "告警 URL:{url}", + "xpack.cases.server.caseUrl": "案例 URL:{url}", + "xpack.cases.userProfile.maxSelectedAssignees": "您已最多选择 {count, plural, other {# 个被分配人}}", "xpack.cases.actions.caseAlertSuccessSyncText": "告警状态将与案例状态同步。", + "xpack.cases.actions.deleteMultipleCases": "删除案例", + "xpack.cases.actions.deleteSingleCase": "删除案例", + "xpack.cases.actions.status.close": "关闭所选", + "xpack.cases.actions.status.inProgress": "标记为进行中", + "xpack.cases.actions.status.open": "打开所选", + "xpack.cases.actions.tags.edit": "编辑标签", + "xpack.cases.actions.tags.saveSelection": "保存选择内容", + "xpack.cases.actions.tags.searchPlaceholder": "搜索", + "xpack.cases.actions.tags.selectAll": "全选", + "xpack.cases.actions.tags.selectNone": "不选择任何内容", "xpack.cases.actions.viewCase": "查看案例", "xpack.cases.addConnector.title": "添加连接器", "xpack.cases.allCases.actions": "操作", "xpack.cases.allCases.comments": "注释", "xpack.cases.allCases.noTagsAvailable": "没有可用标签", + "xpack.cases.allCasesView.filterAssignees.clearFilters": "清除筛选", + "xpack.cases.allCasesView.filterAssignees.noAssigneesLabel": "无被分配人", + "xpack.cases.allCasesView.filterAssigneesAriaLabel": "单击以筛选被分配人", + "xpack.cases.allCasesView.showLessAvatars": "显示更少", "xpack.cases.badge.readOnly.text": "只读", "xpack.cases.badge.readOnly.tooltip": "无法创建或编辑案例", "xpack.cases.breadcrumbs.all_cases": "案例", "xpack.cases.breadcrumbs.configure_cases": "配置", "xpack.cases.breadcrumbs.create_case": "创建", + "xpack.cases.callout.appropriateLicense": "适当的许可证", + "xpack.cases.callout.cloudDeploymentLink": "云部署", + "xpack.cases.callout.updateToPlatinumTitle": "升级适当的许可", "xpack.cases.casesStats.mttr": "平均关闭时间", "xpack.cases.casesStats.mttrDescription": "当前案例的平均持续时间(从创建到关闭)", "xpack.cases.caseTable.bulkActions": "批处理操作", @@ -9268,6 +9698,12 @@ "xpack.cases.caseView.actionLabel.updateIncident": "更新了事件", "xpack.cases.caseView.activity": "活动", "xpack.cases.caseView.alertCommentLabelTitle": "添加了告警,从", + "xpack.cases.caseView.alerts.remove": "移除", + "xpack.cases.caseView.assigned": "已分配", + "xpack.cases.caseView.assignee.and": "且", + "xpack.cases.caseView.assignee.themselves": "自己", + "xpack.cases.caseView.assignUser": "分配用户", + "xpack.cases.caseView.assignYourself": "分配自己", "xpack.cases.caseView.backLabel": "返回到案例", "xpack.cases.caseView.cancel": "取消", "xpack.cases.caseView.case": "案例", @@ -9282,6 +9718,7 @@ "xpack.cases.caseView.comment": "注释", "xpack.cases.caseView.comment.addComment": "添加注释", "xpack.cases.caseView.comment.addCommentHelpText": "添加新注释......", + "xpack.cases.caseView.commentFieldRequiredError": "注释必填。", "xpack.cases.caseView.connectors": "外部事件管理系统", "xpack.cases.caseView.copyCommentLinkAria": "复制引用链接", "xpack.cases.caseView.create": "创建案例", @@ -9300,6 +9737,7 @@ "xpack.cases.caseView.edit.description": "编辑描述", "xpack.cases.caseView.edit.quote": "引述", "xpack.cases.caseView.editActionsLinkAria": "单击可查看所有操作", + "xpack.cases.caseView.editAssigneesAriaLabel": "单击以编辑被分配人", "xpack.cases.caseView.editTagsLinkAria": "单击可编辑标签", "xpack.cases.caseView.errorsPushServiceCallOutTitle": "选择外部连接器", "xpack.cases.caseView.fieldChanged": "已更改连接器字段", @@ -9322,6 +9760,7 @@ "xpack.cases.caseView.metrics.totalConnectors": "连接器总数", "xpack.cases.caseView.moveToCommentAria": "高亮显示引用的注释", "xpack.cases.caseView.name": "名称", + "xpack.cases.caseView.noAssignees": "未分配任何用户。", "xpack.cases.caseView.noReportersAvailable": "没有报告者。", "xpack.cases.caseView.noTags": "当前没有为此案例分配标签。", "xpack.cases.caseView.openCase": "创建案例", @@ -9340,6 +9779,7 @@ "xpack.cases.caseView.showAlertTableTooltip": "显示告警", "xpack.cases.caseView.showAlertTooltip": "显示告警详情", "xpack.cases.caseView.solution": "解决方案", + "xpack.cases.caseView.spacedOrText": " 或 ", "xpack.cases.caseView.statusLabel": "状态", "xpack.cases.caseView.syncAlertsLabel": "同步告警", "xpack.cases.caseView.syncAlertsLowercaseLabel": "同步告警", @@ -9348,6 +9788,7 @@ "xpack.cases.caseView.tabs.alerts.emptyDescription": "未将任何告警添加到此案例。", "xpack.cases.caseView.tags": "标签", "xpack.cases.caseView.to": "到", + "xpack.cases.caseView.unAssigned": "未分配", "xpack.cases.caseView.unknown": "未知", "xpack.cases.caseView.unknownRule.label": "未知规则", "xpack.cases.caseView.updateThirdPartyIncident": "更新外部事件", @@ -9422,6 +9863,8 @@ "xpack.cases.containers.errorDeletingTitle": "删除数据时出错", "xpack.cases.containers.errorTitle": "提取数据时出错", "xpack.cases.containers.statusChangeToasterText": "已更新附加的告警的状态。", + "xpack.cases.containers.updatedCases": "已更新案例", + "xpack.cases.create.assignYourself": "分配自己", "xpack.cases.create.stepOneTitle": "案例字段", "xpack.cases.create.stepThreeTitle": "外部连接器字段", "xpack.cases.create.stepTwoTitle": "案例设置", @@ -9481,6 +9924,9 @@ "xpack.cases.recentCases.recentlyCreatedCasesButtonLabel": "最近创建的案例", "xpack.cases.recentCases.startNewCaseLink": "建立新案例", "xpack.cases.recentCases.viewAllCasesLink": "查看所有案例", + "xpack.cases.server.unknown": "未知", + "xpack.cases.server.viewAlertsInKibana": "有关详细信息,请查看 Kibana 中的告警", + "xpack.cases.server.viewCaseInKibana": "有关详细信息,请在 Kibana 中查看此案例", "xpack.cases.settings.syncAlertsSwitchLabelOff": "关闭", "xpack.cases.settings.syncAlertsSwitchLabelOn": "开启", "xpack.cases.severity.all": "所有严重性", @@ -9491,8 +9937,20 @@ "xpack.cases.severity.title": "严重性", "xpack.cases.status.all": "所有状态", "xpack.cases.status.iconAria": "更改状态", + "xpack.cases.userActions.attachment": "附件", "xpack.cases.userActions.attachmentNotRegisteredErrorMsg": "未注册附件类型", "xpack.cases.userActions.defaultEventAttachmentTitle": "已添加以下类型的附件", + "xpack.cases.userActions.deleteAttachment": "删除附件", + "xpack.cases.userProfile.assigneesTitle": "被分配人", + "xpack.cases.userProfile.editAssignees": "编辑被分配人", + "xpack.cases.userProfile.missingProfile": "找不到用户配置文件", + "xpack.cases.userProfile.removeAssigneeAriaLabel": "单击以移除被分配人", + "xpack.cases.userProfile.removeAssigneeToolTip": "移除被分配人", + "xpack.cases.userProfile.selectableSearchPlaceholder": "搜索用户", + "xpack.cases.userProfile.suggestUsers.removeAssignees": "移除所有被分配人", + "xpack.cases.userProfiles.learnPrivileges": "了解哪些权限会授予案例访问权限。", + "xpack.cases.userProfiles.modifySearch": "请修改您的搜索或检查用户的权限。", + "xpack.cases.userProfiles.userDoesNotExist": "用户不存在或不可用", "xpack.crossClusterReplication.app.deniedPermissionDescription": "要使用跨集群复制,您必须具有{clusterPrivilegesCount, plural, other {以下集群权限}}:{clusterPrivileges}。", "xpack.crossClusterReplication.autoFollowPattern.leaderIndexPatternValidation.illegalCharacters": "从索引模式中删除{characterListLength, plural, other {字符}} {characterList}。", "xpack.crossClusterReplication.autoFollowPattern.pauseAction.errorMultipleNotificationTitle": "暂停 {count} 个自动跟随模式时出错", @@ -9808,36 +10266,78 @@ "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundForNameTitle": " 对于“{name}”", "xpack.csp.benchmarks.totalIntegrationsCountMessage": "正在显示 {pageCount}/{totalCount, plural, other {# 个集成}}", "xpack.csp.cloudPosturePage.errorRenderer.errorDescription": "{error} {statusCode}:{body}", + "xpack.csp.cloudPosturePage.packageNotInstalled.description": "使用我们的 {integrationFullName} (KSPM) 集成根据 CIS 建议衡量 Kubernetes 集群设置。", + "xpack.csp.complianceDashboard.complianceByCisSection.complianceColumnTooltip": "{passed}/{total}", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsDescription": "该集成需要提升访问权限才能运行某些 CIS 基准规则。您可以访问 {link} 以生成必要的凭据。", + "xpack.csp.dashboard.benchmarkSection.clusterTitle": "{title} - {shortId}", + "xpack.csp.dashboard.benchmarkSection.clusterTitleTooltip.clusterTitle": "{title} - {shortId}", + "xpack.csp.dashboard.benchmarkSection.lastEvaluatedTitle": "上次评估于 {dateFromNow}", "xpack.csp.findings.distributionBar.showingPageOfTotalLabel": "正在显示第 {pageStart}-{pageEnd} 个(共 {total} 个){type}", "xpack.csp.findings.findingsByResourceTable.failedFindingsToolTip": "{failed} 个(共 {total} 个)", "xpack.csp.findings.findingsTableCell.addFilterButton": "添加 {field} 筛选", "xpack.csp.findings.findingsTableCell.addNegateFilterButton": "添加 {field} 作废筛选", + "xpack.csp.findings.resourceFindings.resourceFindingsPageTitle": "{resourceName} - 结果", "xpack.csp.rules.header.rulesCountLabel": "{count, plural, other { 规则}}", "xpack.csp.rules.header.totalRulesCount": "正在显示 {rules}", "xpack.csp.rules.rulePageHeader.pageHeaderTitle": "规则 - {integrationName}", + "xpack.csp.subscriptionNotAllowed.promptDescription": "要使用这些云安全功能,您必须 {link}。", "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundTitle": "找不到基准集成", "xpack.csp.benchmarks.benchmarkEmptyState.integrationsNotFoundWithFiltersTitle": "使用上述筛选,我们无法找到任何基准集成。", "xpack.csp.benchmarks.benchmarkSearchField.searchPlaceholder": "例如,基准名称", + "xpack.csp.benchmarks.benchmarksPageHeader.addKSPMIntegrationButtonLabel": "添加 KSPM 集成", "xpack.csp.benchmarks.benchmarksPageHeader.benchmarkIntegrationsTitle": "基准集成", "xpack.csp.benchmarks.benchmarksTable.agentPolicyColumnTitle": "代理策略", "xpack.csp.benchmarks.benchmarksTable.createdAtColumnTitle": "创建于", "xpack.csp.benchmarks.benchmarksTable.createdByColumnTitle": "创建者", + "xpack.csp.benchmarks.benchmarksTable.deploymentTypeColumnTitle": "部署类型", "xpack.csp.benchmarks.benchmarksTable.integrationColumnTitle": "集成", + "xpack.csp.benchmarks.benchmarksTable.integrationNameColumnTitle": "集成名称", "xpack.csp.benchmarks.benchmarksTable.numberOfAgentsColumnTitle": "代理数目", + "xpack.csp.benchmarks.benchmarksTable.rulesColumnTitle": "规则", "xpack.csp.cloudPosturePage.defaultNoDataConfig.pageTitle": "未找到任何数据", "xpack.csp.cloudPosturePage.defaultNoDataConfig.solutionNameLabel": "云安全态势", "xpack.csp.cloudPosturePage.errorRenderer.errorTitle": "我们无法提取您的云安全态势数据", "xpack.csp.cloudPosturePage.loadingDescription": "正在加载……", - "xpack.csp.cloudPosturePage.packageNotInstalled.buttonLabel": "添加 CIS 集成", + "xpack.csp.cloudPosturePage.packageNotInstalled.buttonLabel": "添加 KSPM 集成", + "xpack.csp.cloudPosturePage.packageNotInstalled.integrationNameLabel": "Kubernetes 安全态势管理", "xpack.csp.cloudPosturePage.packageNotInstalled.pageTitle": "安装集成以开始", "xpack.csp.cloudPosturePage.packageNotInstalled.solutionNameLabel": "云安全态势", + "xpack.csp.cloudPostureScoreChart.counterLink.failedFindingsTooltip": "失败的结果", + "xpack.csp.cloudPostureScoreChart.counterLink.passedFindingsTooltip": "通过的结果", + "xpack.csp.createPackagePolicy.customAssetsTab.dashboardViewLabel": "查看 CSP 仪表板", + "xpack.csp.createPackagePolicy.customAssetsTab.findingsViewLabel": "查看 CSP 结果 ", + "xpack.csp.createPackagePolicy.customAssetsTab.rulesViewLabel": "查看 CSP 规则 ", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.accessKeyIdFieldLabel": "访问密钥 ID", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsInstructionsLink": "以下说明", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsNote": "如果选择不提供凭据,将仅根据您的集群评估基准规则的子集。", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.awsCredentialsTitle": "AWS 凭据", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.optionalField": "可选", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.roleARNFieldLabel": "ARN 角色", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.secretAccessKeyFieldLabel": "机密访问密钥", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sessionTokenFieldLabel": "会话令牌", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sharedCredentialFileFieldLabel": "凭据配置文件名", + "xpack.csp.createPackagePolicy.eksIntegrationSettingsSection.sharedCredentialsFileFieldLabel": "共享凭据文件", + "xpack.csp.createPackagePolicy.stepConfigure.integrationSettingsSection.kubernetesDeploymentLabel": "Kubernetes 部署", + "xpack.csp.createPackagePolicy.stepConfigure.integrationSettingsSection.kubernetesDeploymentLabelTooltip": "选择 Kubernetes 部署类型", "xpack.csp.cspEvaluationBadge.failLabel": "失败", "xpack.csp.cspEvaluationBadge.passLabel": "通过", "xpack.csp.cspSettings.rules": "CSP 安全规则 - ", + "xpack.csp.dashboard.benchmarkSection.clusterTitleTooltip.clusterPrefixTitle": "显示以下所有结果 ", + "xpack.csp.dashboard.benchmarkSection.defaultClusterTitle": "集群 ID", + "xpack.csp.dashboard.benchmarkSection.manageRulesButton": "管理规则", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.clusterNameTitle": "集群名称", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.complianceByCisSectionTitle": "合规性(按 CIS 部分)", + "xpack.csp.dashboard.cloudBenchmarkSection.columnsHeader.complianceScoreTitle": "合规性分数", "xpack.csp.dashboard.cspPageTemplate.pageTitle": "云态势", "xpack.csp.dashboard.risksTable.cisSectionColumnLabel": "CIS 部分", + "xpack.csp.dashboard.risksTable.clusterCardViewAllButtonTitle": "查看此集群的所有失败结果", + "xpack.csp.dashboard.risksTable.complianceColumnLabel": "合规性", "xpack.csp.dashboard.risksTable.viewAllButtonTitle": "查看所有失败的结果", "xpack.csp.dashboard.summarySection.cloudPostureScorePanelTitle": "云态势分数", + "xpack.csp.dashboard.summarySection.complianceByCisSectionPanelTitle": "合规性(按 CIS 部分)", + "xpack.csp.dashboard.summarySection.counterCard.clustersEvaluatedDescription": "集群已评估", + "xpack.csp.dashboard.summarySection.counterCard.failingFindingsDescription": "失败的结果", + "xpack.csp.dashboard.summarySection.counterCard.resourcesEvaluatedDescription": "资源已评估", "xpack.csp.expandColumnDescriptionLabel": "展开", "xpack.csp.expandColumnNameLabel": "展开", "xpack.csp.findings.distributionBar.totalFailedLabel": "失败的结果", @@ -9863,8 +10363,10 @@ "xpack.csp.findings.findingsFlyout.overviewTab.indexTitle": "索引", "xpack.csp.findings.findingsFlyout.overviewTab.rationaleTitle": "理由", "xpack.csp.findings.findingsFlyout.overviewTab.remediationTitle": "补救", + "xpack.csp.findings.findingsFlyout.overviewTab.resourceIdTitle": "资源 ID", "xpack.csp.findings.findingsFlyout.overviewTab.resourceNameTitle": "资源名称", "xpack.csp.findings.findingsFlyout.overviewTab.ruleNameTitle": "规则名称", + "xpack.csp.findings.findingsFlyout.overviewTab.ruleTagsTitle": "规则标签", "xpack.csp.findings.findingsFlyout.overviewTabTitle": "概览", "xpack.csp.findings.findingsFlyout.resourceTab.hostAccordionTitle": "主机", "xpack.csp.findings.findingsFlyout.resourceTab.resourceAccordionTitle": "资源", @@ -9877,6 +10379,7 @@ "xpack.csp.findings.findingsFlyout.ruleTab.nameTitle": "名称", "xpack.csp.findings.findingsFlyout.ruleTab.profileApplicabilityTitle": "配置文件适用性", "xpack.csp.findings.findingsFlyout.ruleTab.referencesTitle": "参考", + "xpack.csp.findings.findingsFlyout.ruleTab.tagsTitle": "标签", "xpack.csp.findings.findingsFlyout.ruleTabTitle": "规则", "xpack.csp.findings.findingsTable.findingsTableColumn.clusterIdColumnLabel": "集群 ID", "xpack.csp.findings.findingsTable.findingsTableColumn.clusterIdColumnTooltipLabel": "Kube-System 命名空间 ID", @@ -9886,6 +10389,7 @@ "xpack.csp.findings.findingsTable.findingsTableColumn.resourceNameColumnLabel": "资源名称", "xpack.csp.findings.findingsTable.findingsTableColumn.resourceTypeColumnLabel": "资源类型", "xpack.csp.findings.findingsTable.findingsTableColumn.resultColumnLabel": "结果", + "xpack.csp.findings.findingsTable.findingsTableColumn.ruleBenchmarkColumnLabel": "基准", "xpack.csp.findings.findingsTable.findingsTableColumn.ruleColumnLabel": "规则", "xpack.csp.findings.findingsTable.findingsTableColumn.ruleSectionColumnLabel": "CIS 部分", "xpack.csp.findings.groupBySelector.groupByLabel": "分组依据", @@ -9897,8 +10401,17 @@ "xpack.csp.findings.resourceFindings.backToResourcesPageButtonLabel": "返回到按资源视图分组", "xpack.csp.findings.resourceFindings.noFindingsTitle": "无结果", "xpack.csp.findings.resourceFindings.tableRowTypeLabel": "结果", + "xpack.csp.findings.resourceFindingsSharedValues.clusterIdTitle": "集群 ID", + "xpack.csp.findings.resourceFindingsSharedValues.resourceIdTitle": "资源 ID", + "xpack.csp.findings.resourceFindingsSharedValues.resourceTypeTitle": "资源类型", "xpack.csp.findings.search.queryErrorToastMessage": "查询错误", "xpack.csp.findings.searchBar.searchPlaceholder": "搜索结果(例如,rule.section:“APM 服务器”)", + "xpack.csp.kspmIntegration.eksOption.benchmarkTitle": "CIS EKS", + "xpack.csp.kspmIntegration.eksOption.nameTitle": "EKS(Elastic Kubernetes 服务)", + "xpack.csp.kspmIntegration.integration.nameTitle": "Kubernetes 安全态势管理", + "xpack.csp.kspmIntegration.integration.shortNameTitle": "KSPM", + "xpack.csp.kspmIntegration.vanillaOption.benchmarkTitle": "CIS Kubernetes", + "xpack.csp.kspmIntegration.vanillaOption.nameTitle": "未受管 Kubernetes", "xpack.csp.navigation.dashboardNavItemLabel": "云态势", "xpack.csp.navigation.findingsNavItemLabel": "结果", "xpack.csp.navigation.myBenchmarksNavItemLabel": "CSP 基准", @@ -9914,9 +10427,14 @@ "xpack.csp.rules.ruleFlyout.overviewTabLabel": "概览", "xpack.csp.rules.ruleFlyout.remediationTabLabel": "补救", "xpack.csp.rules.rulesPageHeader.benchmarkIntegrationsButtonLabel": "基准集成", + "xpack.csp.rules.rulesPageSharedValues.benchmarkTitle": "基准", + "xpack.csp.rules.rulesPageSharedValues.deploymentTypeTitle": "部署类型", + "xpack.csp.rules.rulesPageSharedValues.integrationTitle": "集成", "xpack.csp.rules.rulesTable.cisSectionColumnLabel": "CIS 部分", "xpack.csp.rules.rulesTable.nameColumnLabel": "名称", - "xpack.csp.rules.rulesTable.searchPlaceholder": "搜索", + "xpack.csp.rules.rulesTable.searchPlaceholder": "按规则名称搜索", + "xpack.csp.subscriptionNotAllowed.promptLinkText": "开始试用或升级您的订阅", + "xpack.csp.subscriptionNotAllowed.promptTitle": "升级以使用订阅功能", "xpack.dataVisualizer.choroplethMap.topValuesCount": "{fieldName} 的排名最前值计数", "xpack.dataVisualizer.combinedFieldsForm.mappingsParseError": "解析映射时出错:{error}", "xpack.dataVisualizer.combinedFieldsForm.pipelineParseError": "解析管道时出错:{error}", @@ -9925,6 +10443,10 @@ "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.tooltipValueBetweenLabel": "{percent}% 的文档具有介于 {minValFormatted} 和 {maxValFormatted} 之间的值", "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.tooltipValueEqualLabel": "{percent}% 的文档的值为 {valFormatted}", "xpack.dataVisualizer.dataGrid.field.removeFilterAriaLabel": "筛除 {fieldName}:“{value}”", + "xpack.dataVisualizer.dataGrid.field.topValues.calculatedFromSampleRecordsLabel": "基于 {sampledDocumentsFormatted} 个样例{sampledDocuments, plural, other {记录}}计算。", + "xpack.dataVisualizer.dataGrid.field.topValues.calculatedFromTotalRecordsLabel": "基于 {totalDocumentsFormatted} 个样例{totalDocuments, plural, other {记录}}计算。", + "xpack.dataVisualizer.dataGrid.fieldExpandedRow.choroplethMapTopValues.calculatedFromSampleRecordsLabel": "基于 {sampledDocumentsFormatted} 个样例{sampledDocuments, plural, other {记录}}计算。", + "xpack.dataVisualizer.dataGrid.fieldExpandedRow.choroplethMapTopValues.calculatedFromTotalRecordsLabel": "基于 {totalDocumentsFormatted} 个样例{totalDocuments, plural, other {记录}}计算。", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.numberContent.displayingPercentilesLabel": "正在显示 {minPercent} - {maxPercent} 百分位数", "xpack.dataVisualizer.dataGrid.fieldText.fieldMayBePopulatedDescription": "例如,可以使用文档映射中的 {copyToParam} 参数进行填充,也可以在索引后通过使用 {includesParam} 和 {excludesParam} 参数从 {sourceParam} 字段中修剪。", "xpack.dataVisualizer.dataGrid.fieldText.fieldNotPresentDescription": "查询的文档的 {sourceParam} 字段中不存在此字段。", @@ -9958,6 +10480,7 @@ "xpack.dataVisualizer.index.fieldStatisticsErrorMessage": "由于 {reason},获取字段“{fieldName}”的统计信息时出错", "xpack.dataVisualizer.index.lensChart.averageOfLabel": "{fieldName} 的平均值", "xpack.dataVisualizer.index.lensChart.chartTitle": "{fieldName} 的 Lens", + "xpack.dataVisualizer.index.pageRefreshResetButton": "设置为 {defaultInterval}", "xpack.dataVisualizer.index.savedSearchErrorMessage": "检索已保存搜索 {savedSearchId} 时出错", "xpack.dataVisualizer.nameCollisionMsg": "“{name}”已存在,请提供唯一名称", "xpack.dataVisualizer.randomSamplerSettingsPopUp.probabilityLabel": "使用的概率:{samplingProbability}%", @@ -9982,6 +10505,7 @@ "xpack.dataVisualizer.dataGrid.distinctValuesColumnName": "不同值", "xpack.dataVisualizer.dataGrid.distributionsColumnName": "分布", "xpack.dataVisualizer.dataGrid.documentsCountColumnName": "文档 (%)", + "xpack.dataVisualizer.dataGrid.documentsCountColumnTooltip": "找到的文档计数基于较小的一组已采样记录。", "xpack.dataVisualizer.dataGrid.expandDetailsForAllAriaLabel": "展开所有字段的详细信息", "xpack.dataVisualizer.dataGrid.field.cardBoolean.valuesLabel": "值", "xpack.dataVisualizer.dataGrid.field.cardDate.earliestLabel": "最早", @@ -9994,6 +10518,7 @@ "xpack.dataVisualizer.dataGrid.field.loadingLabel": "正在加载", "xpack.dataVisualizer.dataGrid.field.metricDistributionChart.seriesName": "分布", "xpack.dataVisualizer.dataGrid.field.topValuesLabel": "排名最前值", + "xpack.dataVisualizer.dataGrid.field.topValuesOtherLabel": "其他", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.countLabel": "计数", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.distinctValueLabel": "不同值", "xpack.dataVisualizer.dataGrid.fieldExpandedRow.documentStatsTable.metaTableTitle": "文档统计", @@ -10195,6 +10720,7 @@ "xpack.dataVisualizer.index.dataViewManagement.addFieldButton": "将字段添加到数据视图", "xpack.dataVisualizer.index.dataViewManagement.manageFieldButton": "管理数据视图字段", "xpack.dataVisualizer.index.dataViewNotBasedOnTimeSeriesNotificationDescription": "仅针对基于时间的索引运行异常检测", + "xpack.dataVisualizer.index.datePicker.shortRefreshIntervalURLWarningMessage": "URL 中的刷新时间间隔比 Machine Learning 支持的最小时间间隔更短。", "xpack.dataVisualizer.index.embeddableErrorDescription": "加载可嵌入对象时出现错误。请检查所有必需的输入是否有效。", "xpack.dataVisualizer.index.embeddableErrorTitle": "加载可嵌入对象时出错", "xpack.dataVisualizer.index.embeddableNoResultsMessage": "找不到结果", @@ -10226,6 +10752,7 @@ "xpack.dataVisualizer.index.fullTimeRangeSelector.useFullDataIncludingFrozenMenuLabel": "包括冻结的数据层", "xpack.dataVisualizer.index.lensChart.countLabel": "计数", "xpack.dataVisualizer.index.lensChart.topValuesLabel": "排名最前值", + "xpack.dataVisualizer.index.pageRefreshButton": "刷新", "xpack.dataVisualizer.multiSelectPicker.NoFiltersFoundMessage": "未找到任何筛选", "xpack.dataVisualizer.randomSamplerPreference.offLabel": "关闭", "xpack.dataVisualizer.randomSamplerPreference.onAutomaticLabel": "开 - 自动", @@ -10317,7 +10844,7 @@ "xpack.enterpriseSearch.appSearch.settings.logRetention.modal.crawler.subheading": "当前您的网络爬虫日志将存储 {minAgeDays} 天。", "xpack.enterpriseSearch.appSearch.settings.logRetention.modal.prompt": "键入“{target}”以确认。", "xpack.enterpriseSearch.appSearch.sourceEngines.removeEngineConfirmDialogue.description": "这将从此元引擎中移除引擎“{engineName}”。所有现有设置将丢失。是否确定?", - "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.confirmModal.description": "名为 {indexName} 的已删除索引最初绑定到现有连接器配置。是否要将现有连接器配置替换成新的?\r\n", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyAPIText": "{apiIndex} 对以下设置所做的更改仅供参考。这些设置不会持续用于您的索引或管道。", "xpack.enterpriseSearch.content.indices.callout.text": "您的 Elasticsearch 索引如今在 Enterprise Search 中位于前排和中心位置。您可以创建新索引,直接通过它们构建搜索体验。有关如何在 Enterprise Search 中使用 Elasticsearch 索引的详情,{docLink}", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.description": "首先,生成一个 Elasticsearch API 密钥。此 {apiKeyName} 密钥将为连接器启用读取和写入权限,以便将文档索引到已创建的 {indexName} 索引。请将该密钥保存到安全位置,因为您需要它来配置连接器。", "xpack.enterpriseSearch.content.indices.configurationConnector.config.description.firstParagraph": "部署连接器后,请为您的定制数据源增强已部署的连接器客户端。提供了 {link} 供您开始添加特定于数据源的实施逻辑。", @@ -10325,73 +10852,71 @@ "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.connectorConnected": "您的连接器 {name} 已成功连接到 Enterprise Search。", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.description.secondParagraph": "连接器存储库包含几个 {link},有助于您利用我们的框架针对定制数据源进行加速开发。", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.description.thirdParagraph": "在此步骤中,您需要克隆或分叉存储库,然后将生成的 API 密钥和连接器 ID 复制到关联的 {link}。连接器 ID 会将此连接器标识到 Enterprise Search。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.sourceSecurityDocumentationLinkLabel": "{name} 身份验证", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.description": "{name} 支持一系列身份验证机制,此连接器需要通过这些机制连接到您的实例。请联系您的管理员获取用于建立连接的正确凭据。", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.serviceDocumentationLinkLabel": "{name} 文档", + "xpack.enterpriseSearch.content.indices.deleteIndex.successToast.title": "您的索引 {indexName} 和任何关联的采集配置已成功删除", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.error": "配置管道需要选择源字段,但此索引没有字段映射。{learnMore}", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.example.code": "使用 JSON 格式:{code}", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.customDescription": "{indexName} 的定制采集管道", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.processorsDescription": "{processorsCount} 个处理器", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.subtitleAPIindex": "推理管道将作为处理器从 Enterprise Search 采集管道中运行。要在基于 API 的索引上使用这些管道,您需要在 API 请求中引用 {pipelineName} 管道。", + "xpack.enterpriseSearch.content.indices.pipelines.successToastDeleteMlPipeline.title": "已删除 Machine Learning 推理管道“{pipelineName}”", + "xpack.enterpriseSearch.content.indices.pipelines.successToastDetachMlPipeline.title": "已从“{pipelineName}”中分离 Machine Learning 推理管道", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.unmanaged.description": "在 Stack Management 中从 {ingestPipelines} 编辑此管道", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.description": "使用 Enterprise Search 搜索您的 {name} 内容。", + "xpack.enterpriseSearch.content.indices.selectConnector.moreConnectorsMessage": "正在寻找更多连接器?{workplaceSearchLink} 或 {buildYourOwnConnectorLink}。", + "xpack.enterpriseSearch.content.indices.selectConnector.successToast.title": "您的索引现在将使用 {connectorName} 本机连接器。", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.alreadyExists.error": "名为 {indexName} 的索引已存在", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.isInvalid.error": "{indexName} 为无效索引名称", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.nameInputHelpText.lineOne": "您的索引将命名为:{indexName}", + "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.confirmModal.description": "名为 {indexName} 的已删除索引最初绑定到现有连接器配置。是否要将现有连接器配置替换成新的?", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.content": "使用我们的连接器框架和连接器客户端示例,您将能够加速任何数据源的 Elasticsearch {bulkApiDocLink} 采集。创建索引后,将引导您完成各个步骤,以访问连接器框架并连接到您的首个连接器客户端。", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.content": "构建连接器后,您的内容将准备就绪。通过 {elasticsearchLink} 构建您的首次搜索体验,或浏览 {appSearchLink} 提供的搜索体验工具。我们建议您创建 {searchEngineLink},以实现灵活的功能与一站式简便性的完美平衡。", + "xpack.enterpriseSearch.content.newIndex.steps.createIndex.content": "提供唯一的索引名称,并为索引设置默认的 {languageAnalyzerDocLink}(可选)。此索引将存放您的数据源内容,并通过默认字段映射进行优化,以提供相关搜索体验。", + "xpack.enterpriseSearch.content.newIndex.steps.nativeConnector.content": "从我们的本机连接器目录中进行选择,以开始从 MongoDB 等受支持的数据源中提取可搜索内容。如果需要定制连接器的行为,您始终可以部署自我管理的连接器客户端版本并通过{buildAConnectorLabel}工作流进行注册。", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.description": "正在显示 {results} 个(共 {total} 个)。搜索结果最多包含 {maximum} 个文档。", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.pagination.itemsPerPage": "每页文档数:{docPerPage}", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.paginationOptions.option": "{docCount} 个文档", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.resultLimit": "仅前 {number} 个结果可用于分页。请使用搜索栏筛选结果。", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.resultLimitTitle": "结果仅限于 {number} 个文档", + "xpack.enterpriseSearch.content.searchIndex.mappings.description": "您的文档由一组字段构成。索引映射为每个字段提供类型(例如,{keyword}、{number}或{date})和其他子字段。这些索引映射确定您的相关性调整和搜索体验中可用的功能。", + "xpack.enterpriseSearch.content.searchIndices.actions.deleteIndex.caption": "删除索引 {indexName}", + "xpack.enterpriseSearch.content.searchIndices.actions.viewIndex.caption": "查看索引 {indexName}", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.delete.description": "删除此索引还会删除它的所有数据及其 {ingestionMethod} 配置。任何关联的搜索引擎将无法再访问存储在此索引中的任何数据。此操作无法撤消。", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.title": "是否确定要删除 {indexName}", "xpack.enterpriseSearch.content.shared.result.header.metadata.icon.ariaLabel": "以下文档的元数据:{id}", + "xpack.enterpriseSearch.content.syncJobs.flyout.canceledDescription": "同步已于 {date}取消。", + "xpack.enterpriseSearch.content.syncJobs.flyout.completedDescription": "已于 {date}完成", + "xpack.enterpriseSearch.content.syncJobs.flyout.failureDescription": "同步失败:{error}。", + "xpack.enterpriseSearch.content.syncJobs.flyout.inProgressDescription": "同步已运行 {duration}。", + "xpack.enterpriseSearch.content.syncJobs.flyout.startedAtDescription": "已于 {date}启动。", "xpack.enterpriseSearch.crawler.action.deleteDomain.confirmationPopupMessage": "确定要移除域“{domainUrl}”和其所有设置?", "xpack.enterpriseSearch.crawler.addDomainForm.entryPointLabel": "网络爬虫入口点已设置为 {entryPointValue}", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.description": "单击{addAuthenticationButtonLabel}以提供爬网受保护内容所需的凭据", "xpack.enterpriseSearch.crawler.components.crawlDetailsSummary.crawlCountOnDomains": "在 {domainCount, plural, other {# 个域}}上进行 {crawlType} 爬网", "xpack.enterpriseSearch.crawler.crawlCustomSettingsFlyout.includeSitemapsCheckboxLabel": "包括在 {robotsDotTxt} 中发现的站点地图", "xpack.enterpriseSearch.crawler.crawlRulesTable.description": "创建爬网规则以包括或排除 URL 匹配规则的页面。规则按顺序运行,每个 URL 根据第一个匹配进行评估。{link}", "xpack.enterpriseSearch.crawler.deduplicationPanel.description": "网络爬虫仅索引唯一的页面。选择网络爬虫在考虑哪些网页重复时应使用的字段。取消选择所有架构字段以在此域上允许重复的文档。{documentationLink}。", "xpack.enterpriseSearch.crawler.deleteDomainModal.description": "从网络爬虫中移除域 {domainUrl}。这还会删除您已设置的所有入口点和爬网规则。将在下次爬网时移除与此域相关的任何文档。{thisCannotBeUndoneMessage}", "xpack.enterpriseSearch.crawler.entryPointsTable.emptyMessageDescription": "{link}以指定网络爬虫的入口点", - "xpack.enterpriseSearch.cronEditor.cronDaily.fieldHour.textAtLabel": "于", - "xpack.enterpriseSearch.cronEditor.cronDaily.fieldTimeLabel": "时间", - "xpack.enterpriseSearch.cronEditor.cronDaily.hourSelectLabel": "小时", - "xpack.enterpriseSearch.cronEditor.cronDaily.minuteSelectLabel": "分钟", - "xpack.enterpriseSearch.cronEditor.cronHourly.fieldMinute.textAtLabel": "@ 符号", - "xpack.enterpriseSearch.cronEditor.cronHourly.fieldTimeLabel": "分钟", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldDateLabel": "日期", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldHour.textAtLabel": "@ 符号", - "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldTimeLabel": "时间", - "xpack.enterpriseSearch.cronEditor.cronMonthly.hourSelectLabel": "小时", - "xpack.enterpriseSearch.cronEditor.cronMonthly.minuteSelectLabel": "分钟", - "xpack.enterpriseSearch.cronEditor.cronMonthly.textOnTheLabel": "在", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldDateLabel": "天", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldHour.textAtLabel": "@ 符号", - "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldTimeLabel": "时间", - "xpack.enterpriseSearch.cronEditor.cronWeekly.hourSelectLabel": "小时", - "xpack.enterpriseSearch.cronEditor.cronWeekly.minuteSelectLabel": "分钟", - "xpack.enterpriseSearch.cronEditor.cronWeekly.textOnLabel": "开启", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDate.textOnTheLabel": "在", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDateLabel": "日期", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldHour.textAtLabel": "@ 符号", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonth.textInLabel": "传入", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonthLabel": "月", - "xpack.enterpriseSearch.cronEditor.cronYearly.fieldTimeLabel": "时间", - "xpack.enterpriseSearch.cronEditor.cronYearly.hourSelectLabel": "小时", - "xpack.enterpriseSearch.cronEditor.cronYearly.minuteSelectLabel": "分钟", - "xpack.enterpriseSearch.cronEditor.day.friday": "星期五", - "xpack.enterpriseSearch.cronEditor.day.monday": "星期一", - "xpack.enterpriseSearch.cronEditor.day.saturday": "星期六", - "xpack.enterpriseSearch.cronEditor.day.sunday": "星期日", - "xpack.enterpriseSearch.cronEditor.day.thursday": "星期四", - "xpack.enterpriseSearch.cronEditor.day.tuesday": "星期二", - "xpack.enterpriseSearch.cronEditor.day.wednesday": "星期三", - "xpack.enterpriseSearch.cronEditor.fieldFrequencyLabel": "频率", - "xpack.enterpriseSearch.cronEditor.month.april": "四月", - "xpack.enterpriseSearch.cronEditor.month.august": "八月", - "xpack.enterpriseSearch.cronEditor.month.december": "十二月", - "xpack.enterpriseSearch.cronEditor.month.february": "二月", - "xpack.enterpriseSearch.cronEditor.month.january": "一月", - "xpack.enterpriseSearch.cronEditor.month.july": "七月", - "xpack.enterpriseSearch.cronEditor.month.june": "六月", - "xpack.enterpriseSearch.cronEditor.month.march": "三月", - "xpack.enterpriseSearch.cronEditor.month.may": "五月", - "xpack.enterpriseSearch.cronEditor.month.november": "十一月", - "xpack.enterpriseSearch.cronEditor.month.october": "十月", - "xpack.enterpriseSearch.cronEditor.month.september": "九月", - "xpack.enterpriseSearch.cronEditor.textEveryLabel": "每", "xpack.enterpriseSearch.errorConnectingState.cloudErrorMessage": "您的云部署是否正在运行 Enterprise Search 节点?{deploymentSettingsLink}", "xpack.enterpriseSearch.errorConnectingState.description1": "由于以下错误,我们无法与主机 URL {enterpriseSearchUrl} 的 Enterprise Search 建立连接:", "xpack.enterpriseSearch.errorConnectingState.description2": "确保在 {configFile} 中已正确配置主机 URL。", + "xpack.enterpriseSearch.inferencePipelineCard.action.delete.disabledDescription": "无法删除此推理管道,因为它已用在多个管道中 [{indexReferences}]。您必须将此管道从所有管道(一个采集管道除外)分离,然后才能将其删除。", + "xpack.enterpriseSearch.inferencePipelineCard.deleteConfirm.description": "您正从 Machine Learning 推理管道中移除并删除管道“{pipelineName}”。", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed.tooltip": "无法部署此已训练模型。{reason}", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed.tooltip.reason": "原因:{modelStateReason}", "xpack.enterpriseSearch.roleMapping.roleMappingsHeadingDescription": "角色映射提供将原生或 SAML 控制的角色属性与 {productName} 权限关联的接口。", "xpack.enterpriseSearch.roleMapping.rolesDisabledDescription": "为此部署设置的所有用户当前对 {productName} 具有完全访问权限。要限制访问和管理权限,必须为企业搜索启用基于角色的访问。", "xpack.enterpriseSearch.roleMapping.userModalTitle": "移除 {username}", "xpack.enterpriseSearch.schema.addFieldModal.fieldNameNote.corrected": "该字段将命名为 {correctedName}", + "xpack.enterpriseSearch.server.routes.checkKibanaLogsMessage": "{errorMessage} 请查阅 Kibana 服务器日志了解详情。", + "xpack.enterpriseSearch.server.routes.errorLogMessage": "解析 {requestUrl} 请求时出错:{errorMessage}", + "xpack.enterpriseSearch.server.routes.indices.existsErrorLogMessage": "解析 {requestUrl} 请求时出错", + "xpack.enterpriseSearch.server.routes.indices.pipelines.indexMissingError": "索引 {indexName} 不存在", + "xpack.enterpriseSearch.server.routes.indices.pipelines.pipelineMissingError": "管道 {pipelineName} 不存在", + "xpack.enterpriseSearch.server.utils.invalidEnumValue": "字段 {fieldName} 的非法值 {value}", "xpack.enterpriseSearch.setupGuide.cloud.step1.instruction1": "访问 Elastic Cloud 控制台以{editDeploymentLink}。", "xpack.enterpriseSearch.setupGuide.cloud.step3.instruction1": "在为您的实例启用企业搜索之后,您可以定制该实例,包括容错、RAM 以及其他{optionsLink}。", "xpack.enterpriseSearch.setupGuide.cloud.step5.instruction1": "对于包含时间序列统计数据的 {productName} 索引,您可能想要{configurePolicyLink},以确保较长时期内性能理想且存储划算。", @@ -10487,6 +11012,7 @@ "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.docPermissions.description": "只有在配置用户和组映射后,才能在 Workplace Search 中搜索文档。{documentPermissionsLink}。", "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.heading": "{addedSourceName} 需要其他配置。", "xpack.enterpriseSearch.workplaceSearch.sourcesView.modal.success": "{addedSourceName} 已成功连接,初始内容同步已在进行中。因为您选择同步文档级别权限信息,所以现在必须使用 {externalIdentitiesLink} 提供用户和组映射。", + "xpack.enterpriseSearch.actions.backButtonLabel": "返回", "xpack.enterpriseSearch.actions.cancelButtonLabel": "取消", "xpack.enterpriseSearch.actions.closeButtonLabel": "关闭", "xpack.enterpriseSearch.actions.continueButtonLabel": "继续", @@ -10499,6 +11025,42 @@ "xpack.enterpriseSearch.actions.updateButtonLabel": "更新", "xpack.enterpriseSearch.actions.viewButtonLabel": "查看", "xpack.enterpriseSearch.actionsHeader": "操作", + "xpack.enterpriseSearch.analytics.collections.actions.columnTitle": "操作", + "xpack.enterpriseSearch.analytics.collections.collectionsView.collectionNotFoundState.headingTitle": "您可能已删除此分析集合", + "xpack.enterpriseSearch.analytics.collections.collectionsView.collectionNotFoundState.subHeading": "分析集合为您正在构建的任何给定搜索应用程序提供了一个用于存储分析事件的位置。创建新集合以开始。", + "xpack.enterpriseSearch.analytics.collections.collectionsView.create.buttonTitle": "创建新集合", + "xpack.enterpriseSearch.analytics.collections.collectionsView.eventsTab.columns.eventName": "事件名称", + "xpack.enterpriseSearch.analytics.collections.collectionsView.eventsTab.columns.userUuid": "用户 UUID", + "xpack.enterpriseSearch.analytics.collections.collectionsView.headingTitle": "集合", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.credentials.collectionDns": "DNS URL", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.credentials.headingTitle": "凭据", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.embed.description": "在您要跟踪的每个网站页面或应用程序上嵌入以下 JS 代码片段。", + "xpack.enterpriseSearch.analytics.collections.collectionsView.integrateTab.embed.headingTitle": "开始跟踪事件", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.buttonTitle": "删除此集合", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.headingTitle": "删除此分析集合", + "xpack.enterpriseSearch.analytics.collections.collectionsView.settingsTab.delete.warning": "此操作不可逆", + "xpack.enterpriseSearch.analytics.collections.create.buttonTitle": "创建新集合", + "xpack.enterpriseSearch.analytics.collections.emptyState.headingTitle": "您尚没有任何集合", + "xpack.enterpriseSearch.analytics.collections.emptyState.subHeading": "分析集合为您正在构建的任何给定搜索应用程序提供了一个用于存储分析事件的位置。创建新集合以开始。", + "xpack.enterpriseSearch.analytics.collections.headingTitle": "集合", + "xpack.enterpriseSearch.analytics.collections.pageDescription": "用于对最终用户行为进行可视化并评估搜索应用程序性能的仪表板和工具。跟踪一段时间的趋势,识别和调查异常,并进行优化。", + "xpack.enterpriseSearch.analytics.collections.pageTitle": "行为分析", + "xpack.enterpriseSearch.analytics.collectionsCreate.action.successMessage": "已成功添加集合“{name}”", + "xpack.enterpriseSearch.analytics.collectionsCreate.breadcrumb": "创建集合", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.cancelButton": "取消", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.continueButton": "继续", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.subtitle": "分析集合为您正在构建的任何给定搜索应用程序提供了一个用于存储分析事件的位置。在下面为其提供好记的名称。", + "xpack.enterpriseSearch.analytics.collectionsCreate.form.title": "创建分析集合", + "xpack.enterpriseSearch.analytics.collectionsDelete.action.successMessage": "已成功删除此集合", + "xpack.enterpriseSearch.analytics.collectionsView.breadcrumb": "查看集合", + "xpack.enterpriseSearch.analytics.collectionsView.pageDescription": "用于对最终用户行为进行可视化并评估搜索应用程序性能的仪表板和工具。跟踪一段时间的趋势,识别和调查异常,并进行优化。", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.eventsName": "事件", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.integrateName": "集成", + "xpack.enterpriseSearch.analytics.collectionsView.tabs.settingsName": "设置", + "xpack.enterpriseSearch.analytics.featureDisabledState.title": "行为分析已禁用", + "xpack.enterpriseSearch.analytics.productCardDescription": "用于对最终用户行为进行可视化并评估搜索应用程序性能的仪表板和工具。", + "xpack.enterpriseSearch.analytics.productDescription": "用于对最终用户行为进行可视化并评估搜索应用程序性能的仪表板和工具。", + "xpack.enterpriseSearch.analytics.productName": "分析", "xpack.enterpriseSearch.appSearch.actions.restoreDefaultsButonLabel": "还原默认值", "xpack.enterpriseSearch.appSearch.adminRoleTypeDescription": "管理员可以执行任何操作,但不包括管理帐户设置。", "xpack.enterpriseSearch.appSearch.allEnginesDescription": "分配给所有引擎包括之后创建和管理的所有当前和未来引擎。", @@ -11310,7 +11872,7 @@ "xpack.enterpriseSearch.appSearch.tokens.search.description": "公有搜索密钥仅用于搜索终端。", "xpack.enterpriseSearch.appSearch.tokens.search.name": "公有搜索密钥", "xpack.enterpriseSearch.appSearch.tokens.update": "API 密钥“{name}”已更新", - "xpack.enterpriseSearch.automaticCrawlSchedule.title": "自动化爬网计划", + "xpack.enterpriseSearch.automaticCrawlSchedule.title": "爬网频率", "xpack.enterpriseSearch.connector.connectorTypePanel.title": "连接器类型", "xpack.enterpriseSearch.connector.connectorTypePanel.unknown.label": "未知", "xpack.enterpriseSearch.connector.ingestionStatus.title": "采集状态", @@ -11318,18 +11880,78 @@ "xpack.enterpriseSearch.content.callout.dismissButton": "关闭", "xpack.enterpriseSearch.content.callout.title": "在 Enterprise Search 中引入 Elasticsearch 索引", "xpack.enterpriseSearch.content.description": "Enterprise Search 提供了各种方法以便您轻松搜索数据。从网络爬虫、Elasticsearch 索引、API、直接上传或第三方连接器中选择。", - "xpack.enterpriseSearch.content.index.searchEngines.createEngine": "创建新的 App Search 引擎", + "xpack.enterpriseSearch.content.filteringRules.policy.exclude": "排除", + "xpack.enterpriseSearch.content.filteringRules.policy.include": "包括", + "xpack.enterpriseSearch.content.filteringRules.rules.contains": "Contains", + "xpack.enterpriseSearch.content.filteringRules.rules.endsWith": "结束于", + "xpack.enterpriseSearch.content.filteringRules.rules.equals": "等于", + "xpack.enterpriseSearch.content.filteringRules.rules.greaterThan": "大于", + "xpack.enterpriseSearch.content.filteringRules.rules.lessThan": "小于", + "xpack.enterpriseSearch.content.filteringRules.rules.regEx": "正则表达式", + "xpack.enterpriseSearch.content.filteringRules.rules.startsWith": "开头为", + "xpack.enterpriseSearch.content.index.connector.filtering.successToastRules.title": "已更新筛选规则", + "xpack.enterpriseSearch.content.index.connector.filteringRules.regExError": "值应为正则表达式", + "xpack.enterpriseSearch.content.index.filtering.field": "字段", + "xpack.enterpriseSearch.content.index.filtering.policy": "策略", + "xpack.enterpriseSearch.content.index.filtering.priority": "规则优先级", + "xpack.enterpriseSearch.content.index.filtering.rule": "规则", + "xpack.enterpriseSearch.content.index.filtering.value": "值", + "xpack.enterpriseSearch.content.index.pipelines.copyAndCustomize.description": "您可以创建此配置的特定于索引的版本,并针对用例对其进行修改。", + "xpack.enterpriseSearch.content.index.pipelines.copyAndCustomize.platinumText": "使用白金级许可证,您可以创建此配置的特定于索引的版本,并针对用例对其进行修改。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.apiIndex": "这是一个基于 API 的索引。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.cancelButtonLabel": "取消", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.closeButtonLabel": "关闭", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.copyButtonLabel": "复制并定制", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.curlHeader": "采样 cURL 请求以采集文档", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyAPITextCont": "要在基于 API 的索引上使用此管道,您需要在 API 请求中显式引用它。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalBodyConnectorText": "此管道会自动在通过 Enterprise Search 创建的所有网络爬虫和连接器索引上运行。", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalHeaderTitle": "管道设置", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.modalIngestLinkLabel": "详细了解 Enterprise Search 采集管道", + "xpack.enterpriseSearch.content.index.pipelines.ingestModal.saveButtonLabel": "保存", + "xpack.enterpriseSearch.content.index.pipelines.settings.extractBinaryDescription": "从图像和 PDF 文件中提取内容", + "xpack.enterpriseSearch.content.index.pipelines.settings.extractBinaryLabel": "内容提取", + "xpack.enterpriseSearch.content.index.pipelines.settings.formHeader": "优化您的内容以进行搜索", + "xpack.enterpriseSearch.content.index.pipelines.settings.mlInferenceLabel": "ML 推理管道", + "xpack.enterpriseSearch.content.index.pipelines.settings.reduceWhitespaceDescription": "自动剪裁文档中的额外空白", + "xpack.enterpriseSearch.content.index.pipelines.settings.reduceWhitespaceLabel": "减少空白", + "xpack.enterpriseSearch.content.index.pipelines.settings.runMlInferenceDescrition": "使用兼容的已训练 ML 模型增强您的数据", + "xpack.enterpriseSearch.content.index.searchEngines.createEngine": "创建 App Search 引擎", + "xpack.enterpriseSearch.content.index.searchEngines.createEngineDisabledTooltip": "无法从隐藏的索引中创建引擎。", "xpack.enterpriseSearch.content.index.searchEngines.label": "搜索引擎", "xpack.enterpriseSearch.content.index.searchEngines.viewEngines": "查看 App Search 引擎", "xpack.enterpriseSearch.content.index.syncButton.label": "同步", "xpack.enterpriseSearch.content.index.syncButton.syncing.label": "正在同步", "xpack.enterpriseSearch.content.index.syncButton.waitingForSync.label": "等待同步", + "xpack.enterpriseSearch.content.index.syncJobs.actions.viewJob.caption": "查看此同步作业", + "xpack.enterpriseSearch.content.index.syncJobs.actions.viewJob.title": "查看此同步作业", + "xpack.enterpriseSearch.content.index.syncJobs.documents.added": "已添加", + "xpack.enterpriseSearch.content.index.syncJobs.documents.removed": "已移除", + "xpack.enterpriseSearch.content.index.syncJobs.documents.title": "文档", + "xpack.enterpriseSearch.content.index.syncJobs.documents.total": "合计", + "xpack.enterpriseSearch.content.index.syncJobs.documents.value": "值", + "xpack.enterpriseSearch.content.index.syncJobs.documents.volume": "卷", + "xpack.enterpriseSearch.content.index.syncJobs.events.cancelationRequested": "已请求取消", + "xpack.enterpriseSearch.content.index.syncJobs.events.canceled": "已取消", + "xpack.enterpriseSearch.content.index.syncJobs.events.completed": "已完成", + "xpack.enterpriseSearch.content.index.syncJobs.events.lastUpdated": "上次更新时间", + "xpack.enterpriseSearch.content.index.syncJobs.events.state": "状态", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncRequestedManually": "已手动请求同步", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncRequestedScheduled": "已按计划请求同步", + "xpack.enterpriseSearch.content.index.syncJobs.events.syncStarted": "已启动同步", + "xpack.enterpriseSearch.content.index.syncJobs.events.time": "时间", + "xpack.enterpriseSearch.content.index.syncJobs.events.title": "事件", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.extractBinaryContent": "提取二进制内容", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.name": "管道名称", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.reduceWhitespace": "减少空白", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.runMlInference": "Machine Learning 推理", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.setting": "管道设置", + "xpack.enterpriseSearch.content.index.syncJobs.pipeline.title": "管道", "xpack.enterpriseSearch.content.indices.callout.docLink": "阅读文档", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.button.label": "生成 API 密钥", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.cancelButton.label": "取消", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.confirmButton.label": "生成 API 密钥", "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.description": "生成新的 API 密钥将使之前的密钥失效。是否确定要生成新的 API 密钥?此操作无法撤消。", - "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.title": "生成 Elasticsearch API 密钥。", + "xpack.enterpriseSearch.content.indices.configurationConnector.apiKey.confirmModal.title": "生成 Elasticsearch API 密钥", "xpack.enterpriseSearch.content.indices.configurationConnector.config.cancelEditingButton.title": "取消", "xpack.enterpriseSearch.content.indices.configurationConnector.config.connectorClientLink": "示例连接器客户端", "xpack.enterpriseSearch.content.indices.configurationConnector.config.description.secondParagraph": "虽然存储库中的连接器客户端是在 Ruby 中构建的,但仅使用 Ruby 并不存在技术限制。通过最适合您技能集的技术来构建连接器客户端。", @@ -11347,20 +11969,42 @@ "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnector.button.label": "立即重新检查", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnectorText": "您的连接器尚未连接到 Enterprise Search。排除配置故障并刷新页面。", "xpack.enterpriseSearch.content.indices.configurationConnector.connectorPackage.waitingForConnectorTitle": "等候您的连接器", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.description": "通过命名和描述此连接器,您的同事和更广泛的团队将了解本连接器的用途。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.saveButtonLabel": "保存名称和描述", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionFlyout.title": "描述此网络爬虫", + "xpack.enterpriseSearch.content.indices.configurationConnector.nameAndDescriptionForm.description": "通过命名和描述此连接器,您的同事和更广泛的团队将了解本连接器的用途。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.encryptionWarningMessage": "在此技术预览中无法加密数据源凭据。将在 Elasticsearch 中以未加密方式存储您的数据源凭据。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.config.securityDocumentationLinkLabel": "详细了解 Elasticsearch 安全", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.schedulingReminder.description": "请记得在“计划”选项卡中设置同步计划,以继续刷新您的可搜索数据。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.schedulingReminder.title": "可配置同步计划", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.description": "在查询时将用户拥有的读取访问权限限定为索引文档并进行个性化。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.securityLinkLabel": "文档级别安全性", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.securityReminder.title": "文档级别安全性", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.advancedConfigurationTitle": "高级配置", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.configurationTitle": "配置", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.nameAndDescriptionTitle": "名称和描述", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnector.steps.researchConfigurationTitle": "研究配置要求", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnectorAdvancedConfiguration.description": "通过触发一次时间同步或设置重复同步计划来最终确定您的连接器。", + "xpack.enterpriseSearch.content.indices.configurationConnector.nativeConnectorAdvancedConfiguration.schedulingButtonLabel": "设置计划并同步", + "xpack.enterpriseSearch.content.indices.configurationConnector.researchConfiguration.connectorDocumentationLinkLabel": "文档", "xpack.enterpriseSearch.content.indices.configurationConnector.scheduleSync.description": "根据您的喜好配置连接器后,请记得设置定期同步计划,以确保文档已编制索引并具有相关性。您还可以触发一次性同步,而无需启用同步计划。", "xpack.enterpriseSearch.content.indices.configurationConnector.scheduling.successToast.title": "计划已成功更新", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.deployConnector.title": "部署连接器", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.enhance.title": "增强连接器客户端", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.generateApiKey.title": "生成 API 密钥", + "xpack.enterpriseSearch.content.indices.configurationConnector.steps.nameAndDescriptionTitle": "名称和描述", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.schedule.button.label": "设置计划并同步", "xpack.enterpriseSearch.content.indices.configurationConnector.steps.schedule.title": "设置定期同步计划", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.connectorFeedback.label": "连接器反馈", "xpack.enterpriseSearch.content.indices.configurationConnector.support.description": "必须将连接器部署到您自己的基础架构中。", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.dontSeeIntegration.label": "未看到您要找的集成?", "xpack.enterpriseSearch.content.indices.configurationConnector.support.getHelp.label": "获取帮助", "xpack.enterpriseSearch.content.indices.configurationConnector.support.issue.label": "报告问题", "xpack.enterpriseSearch.content.indices.configurationConnector.support.manageKeys.label": "管理密钥", "xpack.enterpriseSearch.content.indices.configurationConnector.support.readme.label": "连接器自述文件", "xpack.enterpriseSearch.content.indices.configurationConnector.support.searchUI.label": "将搜索 UI 用于 Workplace Search", "xpack.enterpriseSearch.content.indices.configurationConnector.support.title": "支持和文档", + "xpack.enterpriseSearch.content.indices.configurationConnector.support.viewDocumentation.label": "查看文档", "xpack.enterpriseSearch.content.indices.configurationConnector.warning.description": "如果您在完成连接器客户端之前至少同步一个文档,您必须重新创建搜索索引。", "xpack.enterpriseSearch.content.indices.connectorScheduling.configured.description": "已配置并部署您的连接器。通过单击“同步”按钮配置一次性同步,或启用定期同步计划。", "xpack.enterpriseSearch.content.indices.connectorScheduling.error.title": "复查您的连接器配置以获取报告的错误。", @@ -11371,6 +12015,108 @@ "xpack.enterpriseSearch.content.indices.connectorScheduling.saveButton.label": "保存", "xpack.enterpriseSearch.content.indices.connectorScheduling.switch.label": "通过以下计划启用定期同步", "xpack.enterpriseSearch.content.indices.connectorScheduling.unsaved.title": "您尚未保存更改,是否确定要离开?", + "xpack.enterpriseSearch.content.indices.defaultPipelines.successToast.title": "已成功更新默认管道", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.createErrors": "创建管道时出错", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.noModels.imageAlt": "无 ML 模型图示", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.chooseExistingLabel": "新建或现有", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.description": "一旦创建,会以处理器的形式在您的 Enterprise Search 采集管道上添加此管道。您还可以在 Elastic 部署的其他位置使用该管道。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.docsLink": "详细了解如何在 Enterprise Search 中使用 ML 模型", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.emptyValueError": "“字段”必填。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.chooseLabel": "选择", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.destinationField": "目标字段", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.disabledPipelineExistsDescription": "无法选择此管道,因为已附加该管道。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.disabledSourceFieldDescription": "无法选择此管道,因为该索引上不存在源字段。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.existingLabel": "现有", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.newLabel": "新建", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.placeholder": "选择一个", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipeline.sourceField": "源字段", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.existingPipelineLabel": "选择现有推理管道", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.invalidPipelineName": "名称必须仅包含字母、数字、下划线和连字符。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.model.placeholder": "选择模型", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.model.redactedValue": "模型不可用", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.modelLabel": "选择已训练 ML 模型", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.nameLabel": "名称", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.namePlaceholder": "为此管道输入唯一名称", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.error.docLink": "详细了解字段映射", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceField.placeholder": "选择架构字段", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.configure.sourceFieldLabel": "源字段", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.review.description": "将创建此管道并将其作为处理器注入到该索引的默认管道。您还可以独立使用这个新管道。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.review.title": "管道配置", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument": "添加文档", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument.documentId": "文档 ID", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.addDocument.helptext": "使用您索引中的文档进行测试", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.description": "您可以通过传递文档数组来模拟管道结果。", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.runButton": "模拟管道", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.subtitle": "文档", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.steps.test.title": "复查管道结果(可选)", + "xpack.enterpriseSearch.content.indices.pipelines.addInferencePipelineModal.title": "添加推理管道", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.apiIndexSubtitle": "采集管道将针对搜索应用程序优化您的索引。如果希望在基于 API 的索引中使用这些管道,您需要在 API 请求中显式引用它们。", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.docLink": "详细了解如何在 Enterprise Search 中使用管道", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.subtitle": "采集管道将针对搜索应用程序优化您的索引", + "xpack.enterpriseSearch.content.indices.pipelines.ingestionPipeline.title": "采集管道", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.accordion.label": "使用 cURL 采集文档", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.customButtonLabel": "编辑管道", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.managedBadge.label": "托管", + "xpack.enterpriseSearch.content.indices.pipelines.ingestPipelinesCard.settings.label": "设置", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.defaultIngestPipeline.disabledTooltip": "无法将 Machine Learning 推理管道处理器添加到默认采集管道。您必须先复制和定制默认采集管道,然后才能添加 Machine Learning 推理管道处理器。", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.mlInferenceDisabled.disabledTooltip": "您必须在采集管道上启用 ML 推理管道才能添加 ML 推理管道处理器。", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButton.mlPermissions.disabledTooltip": "您无权在此集群上进行 Machine Learning。", + "xpack.enterpriseSearch.content.indices.pipelines.mlInference.addButtonLabel": "添加推理管道", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.docLink": "详细了解如何在 Elastic 中部署 Machine Learning 模型", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.subtitle": "推理管道将作为处理器从 Enterprise Search 采集管道中运行", + "xpack.enterpriseSearch.content.indices.pipelines.mlInferencePipelines.title": "Machine Learning 推理管道", + "xpack.enterpriseSearch.content.indices.pipelines.successToast.title": "已成功更新管道", + "xpack.enterpriseSearch.content.indices.pipelines.successToastCustom.title": "已成功创建定制管道", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory": "推理历史记录", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.subtitle": "在此索引上的文档的 _ingest.processors 字段中找到以下推理处理器。", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.tableColumn.docCount": "近似文档计数", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.tableColumn.pipeline": "推理管道", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.inferenceHistory.title": "历史推理处理器", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations": "JSON 配置", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.action.edit": "在 Stack Management 中编辑", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.action.view": "在 Stack Management 中查看", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.indexSpecific": "特定于索引", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.indexSpecific.description": "此管道仅包含特定于该索引的配置", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.ingestionPipelines.docLink": "详细了解 Enterprise Search 如何使用采集管道", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.ingestPipelines": "采集管道", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.managed": "托管", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.managed.description": "此管道为托管管道,无法编辑", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.mlInference": "ML 推理", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.mlInference.description": "此管道引用了该索引的一个或多个 ML 推理管道", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.selectLabel": "选择要查看的采集管道", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.shared": "共享", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.shared.description": "此管道将在所有 Enterprise Search 采集方法间共享", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.subtitle": "查看 JSON 了解此索引上的管道配置。", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.title": "管道配置", + "xpack.enterpriseSearch.content.indices.pipelines.tabs.jsonConfigurations.unmanaged": "未受管", + "xpack.enterpriseSearch.content.indices.selectConnector.buildYourOwnConnectorLinkLabel": "自行构建", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.basicAuthenticationLabel": "基本身份验证", + "xpack.enterpriseSearch.content.indices.selectConnector.connectorCheckable.documentationLinkLabel": "文档", + "xpack.enterpriseSearch.content.indices.selectConnector.description": "通过选择要配置以从数据源中提取、索引数据并将其同步到您新建的搜索索引的连接器,从而开始使用。", + "xpack.enterpriseSearch.content.indices.selectConnector.selectAndConfigureButtonLabel": "选择并配置", + "xpack.enterpriseSearch.content.indices.selectConnector.title": "选择连接器", + "xpack.enterpriseSearch.content.indices.selectConnector.workplaceSearchLinkLabel": "在 Workplace Search 中查看其他集成", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.footer.attach": "附加", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.footer.create": "创建", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.configure.title": "配置", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.review.title": "复查", + "xpack.enterpriseSearch.content.indices.transforms.addInferencePipelineModal.steps.test.title": "测试", + "xpack.enterpriseSearch.content.licensingCallout.contentCloudTrial": "浏览 Elastic Cloud 上的 Enterprise Search ", + "xpack.enterpriseSearch.content.licensingCallout.contentTwo": "您是否知道,通过标准 Elastic Cloud 许可证可以使用内置连接器?Elastic Cloud 允许您在任何地方进行灵活部署。在 Google Cloud、Microsoft Azure 或 Amazon Web Services 上部署我们的托管型服务,由我们替您处理各项维护事宜。", + "xpack.enterpriseSearch.content.licensingCallout.crawler.contentOne": "网络爬虫需要白金级许可证或更高级许可证,并且不可用于标准许可证自我管理部署。您需要升级才能使用此功能。", + "xpack.enterpriseSearch.content.licensingCallout.crawler.contentTwo": "您是否知道,通过标准 Elastic Cloud 许可证可以使用网络爬虫?Elastic Cloud 允许您在任何地方进行灵活部署。在 Google Cloud、Microsoft Azure 或 Amazon Web Services 上部署我们的托管型服务,由我们替您处理各项维护事宜。", + "xpack.enterpriseSearch.content.licensingCallout.inference.contentOne": "推理处理器需要白金级许可证或更高级许可证,并且不可用于标准许可证自我管理部署。您需要升级才能使用此功能。", + "xpack.enterpriseSearch.content.licensingCallout.inference.contentTwo": "您是否知道,通过标准 Elastic Cloud 许可证可以使用推理处理器?Elastic Cloud 允许您在任何地方进行灵活部署。在 Google Cloud、Microsoft Azure 或 Amazon Web Services 上部署我们的托管型服务,由我们替您处理各项维护事宜。", + "xpack.enterpriseSearch.content.licensingCallout.nativeConnector.contentOne": "内置连接器需要白金级许可证或更高级许可证,并且不可用于标准许可证自我管理部署。您需要升级才能使用此功能。", + "xpack.enterpriseSearch.content.licensingCallout.title": "白金级功能", + "xpack.enterpriseSearch.content.ml_inference.fill_mask": "填充掩码", + "xpack.enterpriseSearch.content.ml_inference.ner": "已命名实体识别", + "xpack.enterpriseSearch.content.ml_inference.question_answering": "已命名实体识别", + "xpack.enterpriseSearch.content.ml_inference.text_classification": "文本分类", + "xpack.enterpriseSearch.content.ml_inference.text_embedding": "密集向量文本嵌入", + "xpack.enterpriseSearch.content.ml_inference.zero_shot_classification": "Zero-Shot 文本分类", + "xpack.enterpriseSearch.content.nativeConnectors.mongodb.name": "MongoDB", + "xpack.enterpriseSearch.content.nativeConnectors.mysql.name": "MySQL", "xpack.enterpriseSearch.content.navTitle": "内容", "xpack.enterpriseSearch.content.new_index.successToast.button.label": "创建引擎", "xpack.enterpriseSearch.content.new_index.successToast.description": "您可以使用 App Search 引擎为您的新 Elasticsearch 索引构建搜索体验。", @@ -11385,6 +12131,9 @@ "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.description": "发现、提取、索引和同步所有网站内容", "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.footer": "无需开发", "xpack.enterpriseSearch.content.newIndex.buttonGroup.crawler.label": "使用网络爬虫", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.description": "配置连接器以从受支持的数据源提取、索引和同步所有内容 ", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.footer": "无需开发", + "xpack.enterpriseSearch.content.newIndex.buttonGroup.nativeConnector.label": "使用连接器", "xpack.enterpriseSearch.content.newIndex.emptyState.description": "您在 Enterprise Search 中添加的数据称为搜索索引,您可在 App Search 和 Workplace Search 中搜索这些数据。现在,您可以在 App Search 中使用连接器,在 Workplace Search 中使用网络爬虫。", "xpack.enterpriseSearch.content.newIndex.emptyState.footer.link": "阅读文档", "xpack.enterpriseSearch.content.newIndex.emptyState.footer.title": "想要详细了解搜索索引?", @@ -11393,6 +12142,7 @@ "xpack.enterpriseSearch.content.newIndex.methodApi.title": "使用 API 编制索引", "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.buildConnector.bulkAPILink": "批量 API", "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.buildConnector.title": "构建并配置连接器", + "xpack.enterpriseSearch.content.newIndex.methodConnector.steps.nativeConnector.title": "配置连接器", "xpack.enterpriseSearch.content.newIndex.methodCrawler.steps.configureIngestion.content": "配置您要爬网的域,并在准备就绪后触发第一次爬网。让 Enterprise Search 执行其余操作。", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.createIndex.buttonText": "创建索引", "xpack.enterpriseSearch.content.newIndex.newSearchIndexTemplate.languageInputHelpText": "可以在稍后更改语言,但可能需要重新索引", @@ -11412,30 +12162,21 @@ "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.error.indexAlreadyExists": "此索引已存在", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.error.unauthorizedError": "您无权创建此连接器", "xpack.enterpriseSearch.content.newIndex.steps.buildConnector.title": "构建连接器", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.appSearchLink": "App Search", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.elasticsearchLink": "Elasticsearch", + "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.searchEngineLink": "搜索引擎", "xpack.enterpriseSearch.content.newIndex.steps.buildSearchExperience.title": "构建搜索体验", "xpack.enterpriseSearch.content.newIndex.steps.configureIngestion.title": "配置采集设置", "xpack.enterpriseSearch.content.newIndex.steps.createIndex.crawler.title": "使用网络爬虫编制索引", + "xpack.enterpriseSearch.content.newIndex.steps.createIndex.languageAnalyzerLink": "语言分析器", "xpack.enterpriseSearch.content.newIndex.steps.createIndex.title": "创建 Elasticsearch 索引", - "xpack.enterpriseSearch.content.supportedLanguages.chineseLabel": "中文", - "xpack.enterpriseSearch.content.supportedLanguages.danishLabel": "丹麦语", - "xpack.enterpriseSearch.content.supportedLanguages.dutchLabel": "荷兰语", - "xpack.enterpriseSearch.content.supportedLanguages.englishLabel": "英语", - "xpack.enterpriseSearch.content.supportedLanguages.frenchLabel": "法语", - "xpack.enterpriseSearch.content.supportedLanguages.germanLabel": "德语", - "xpack.enterpriseSearch.content.supportedLanguages.italianLabel": "意大利语", - "xpack.enterpriseSearch.content.supportedLanguages.japaneseLabel": "日语", - "xpack.enterpriseSearch.content.supportedLanguages.koreanLabel": "朝鲜语", - "xpack.enterpriseSearch.content.supportedLanguages.portugueseBrazilLabel": "葡萄牙语(巴西)", - "xpack.enterpriseSearch.content.supportedLanguages.portugueseLabel": "葡萄牙语", - "xpack.enterpriseSearch.content.supportedLanguages.russianLabel": "俄语", - "xpack.enterpriseSearch.content.supportedLanguages.spanishLabel": "西班牙语", - "xpack.enterpriseSearch.content.supportedLanguages.thaiLabel": "泰语", - "xpack.enterpriseSearch.content.supportedLanguages.universalLabel": "通用", + "xpack.enterpriseSearch.content.newIndex.steps.nativeConnector.title": "使用连接器进行索引", "xpack.enterpriseSearch.content.newIndex.types.api": "API 终端", "xpack.enterpriseSearch.content.newIndex.types.connector": "连接器", "xpack.enterpriseSearch.content.newIndex.types.crawler": "网络爬虫", "xpack.enterpriseSearch.content.newIndex.types.elasticsearch": "Elasticsearch 索引", "xpack.enterpriseSearch.content.newIndex.types.json": "JSON", + "xpack.enterpriseSearch.content.newIndex.viewIntegrationsLink": "查看其他集成", "xpack.enterpriseSearch.content.overview.documementExample.generateApiKeyButton.createNew": "创建新 API 密钥", "xpack.enterpriseSearch.content.overview.documementExample.generateApiKeyButton.viewAll": "查看所有 API 密钥", "xpack.enterpriseSearch.content.overview.documentExample.clientLibraries.dotnet": ".NET", @@ -11451,17 +12192,24 @@ "xpack.enterpriseSearch.content.overview.documentExample.title": "正在添加文档到您的索引", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.apiKeyWarning": "Elastic 不会存储 API 密钥。一旦生成,您只能查看密钥一次。请确保将其保存在某个安全位置。如果失去它的访问权限,您需要从此屏幕生成新的 API 密钥。", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.cancel": "取消", + "xpack.enterpriseSearch.content.overview.generateApiKeyModal.csvDownloadButton": "下载 API 密钥", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.generateButton": "生成 API 密钥", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.info": "在开始将文档发布到 Elasticsearch 索引之前,您至少需要创建一个 API 密钥。", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.learnMore": "进一步了解 API 密钥", "xpack.enterpriseSearch.content.overview.generateApiKeyModal.title": "生成 API 密钥", + "xpack.enterpriseSearch.content.overview.optimizedRequest.label": "查看 Enterprise Search 优化的请求", "xpack.enterpriseSearch.content.productName": "Enterprise Search", + "xpack.enterpriseSearch.content.searchIndex.cancelSyncs.successMessage": "已成功取消同步", "xpack.enterpriseSearch.content.searchIndex.configurationTabLabel": "配置", + "xpack.enterpriseSearch.content.searchIndex.connectorErrorCallOut.title": "您的连接器报告了错误", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.docsPerPage": "每页文档计数下拉列表", + "xpack.enterpriseSearch.content.searchIndex.documents.documentList.paginationAriaLabel": "文档列表分页", "xpack.enterpriseSearch.content.searchIndex.documents.noMappings": "未找到索引的映射", "xpack.enterpriseSearch.content.searchIndex.documents.searchField.placeholder": "在此索引中搜索文档", "xpack.enterpriseSearch.content.searchIndex.documents.title": "浏览文档", "xpack.enterpriseSearch.content.searchIndex.documentsTabLabel": "文档", "xpack.enterpriseSearch.content.searchIndex.domainManagementTabLabel": "管理域", + "xpack.enterpriseSearch.content.searchIndex.index.recheckSuccess.message": "已重新检查您的连接器。", "xpack.enterpriseSearch.content.searchIndex.index.syncSuccess.message": "已成功计划同步,等待连接器提取", "xpack.enterpriseSearch.content.searchIndex.indexMappingsTabLabel": "索引映射", "xpack.enterpriseSearch.content.searchIndex.mappings.docLink": "了解详情", @@ -11470,6 +12218,7 @@ "xpack.enterpriseSearch.content.searchIndex.nav.indexMappingsTitle": "索引映射", "xpack.enterpriseSearch.content.searchIndex.nav.overviewTitle": "概览", "xpack.enterpriseSearch.content.searchIndex.overviewTabLabel": "概览", + "xpack.enterpriseSearch.content.searchIndex.pipelinesTabLabel": "管道", "xpack.enterpriseSearch.content.searchIndex.schedulingTabLabel": "正在计划", "xpack.enterpriseSearch.content.searchIndex.totalStats.apiIngestionMethodLabel": "API", "xpack.enterpriseSearch.content.searchIndex.totalStats.connectorIngestionMethodLabel": "连接器", @@ -11477,8 +12226,14 @@ "xpack.enterpriseSearch.content.searchIndex.totalStats.documentCountCardLabel": "文档计数", "xpack.enterpriseSearch.content.searchIndex.totalStats.domainCountCardLabel": "域计数", "xpack.enterpriseSearch.content.searchIndex.totalStats.ingestionTypeCardLabel": "采集类型", + "xpack.enterpriseSearch.content.searchIndex.totalStats.languageLabel": "语言分析器", "xpack.enterpriseSearch.content.searchIndices.actions.columnTitle": "操作", + "xpack.enterpriseSearch.content.searchIndices.actions.deleteIndex.title": "删除此索引", + "xpack.enterpriseSearch.content.searchIndices.actions.viewIndex.title": "查看此索引", "xpack.enterpriseSearch.content.searchIndices.create.buttonTitle": "创建新索引", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.cancelButton.title": "取消", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.closeButton.title": "关闭", + "xpack.enterpriseSearch.content.searchIndices.deleteModal.confirmButton.title": "删除索引", "xpack.enterpriseSearch.content.searchIndices.docsCount.columnTitle": "文档计数", "xpack.enterpriseSearch.content.searchIndices.health.columnTitle": "索引运行状况", "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.api": "API", @@ -11486,11 +12241,18 @@ "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.connector": "连接器", "xpack.enterpriseSearch.content.searchIndices.ingestionMethod.crawler": "网络爬虫", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.columnTitle": "采集状态", + "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.configured.label": "已配置", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.connected.label": "已连接", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.connectorError.label": "连接器故障", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.idle.label": "空闲", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.incomplete.label": "不完整", "xpack.enterpriseSearch.content.searchIndices.ingestionStatus.syncError.label": "同步失败", + "xpack.enterpriseSearch.content.searchIndices.jobStats.connectedMethods": "已连接采集方法", + "xpack.enterpriseSearch.content.searchIndices.jobStats.errorSyncs": "同步错误", + "xpack.enterpriseSearch.content.searchIndices.jobStats.incompleteMethods": "未完成的采集方法", + "xpack.enterpriseSearch.content.searchIndices.jobStats.longRunningSyncs": "长时间运行的同步", + "xpack.enterpriseSearch.content.searchIndices.jobStats.orphanedSyncs": "孤立同步", + "xpack.enterpriseSearch.content.searchIndices.jobStats.runningSyncs": "正在运行同步", "xpack.enterpriseSearch.content.searchIndices.name.columnTitle": "索引名称", "xpack.enterpriseSearch.content.searchIndices.searchIndices.breadcrumb": "Elasticsearch 索引", "xpack.enterpriseSearch.content.searchIndices.searchIndices.emptyPageTitle": "欢迎使用 Enterprise Search", @@ -11500,9 +12262,59 @@ "xpack.enterpriseSearch.content.searchIndices.searchIndices.searchBar.placeHolder": "筛选 Elasticsearch 索引", "xpack.enterpriseSearch.content.searchIndices.searchIndices.stepsTitle": "通过 Enterprise Search 构建出色的搜索体验", "xpack.enterpriseSearch.content.searchIndices.searchIndices.tableTitle": "可用索引", + "xpack.enterpriseSearch.content.searchIndices.syncStatus.columnTitle": "状态", "xpack.enterpriseSearch.content.settings.breadcrumb": "设置", + "xpack.enterpriseSearch.content.settings.contactExtraction.label": "内容提取", + "xpack.enterpriseSearch.content.settings.contactExtraction.link": "详细了解内容提取", + "xpack.enterpriseSearch.content.settings.contentExtraction.description": "允许您的 Enterprise Search 部署上的所有采集机制从 PDF 和 Word 文档等二进制文件中提取可搜索内容。此设置适用于由 Enterprise Search 采集机制创建的所有新 Elasticsearch 索引。", + "xpack.enterpriseSearch.content.settings.contentExtraction.descriptionTwo": "您还可以在索引的配置页面针对特定索引启用或禁用此功能。", + "xpack.enterpriseSearch.content.settings.contentExtraction.title": "部署广泛内容提取", + "xpack.enterpriseSearch.content.settings.headerTitle": "内容设置", + "xpack.enterpriseSearch.content.settings.mlInference.deploymentHeaderTitle": "部署广泛 ML 推理管道提取", + "xpack.enterpriseSearch.content.settings.mlInference.description": "ML 推理管道将作为您管道的一部分运行。您需要在其管道页面上单独为每个索引配置处理器。", + "xpack.enterpriseSearch.content.settings.mlInference.label": "ML 推理", + "xpack.enterpriseSearch.content.settings.mlInference.link": "详细了解内容提取", + "xpack.enterpriseSearch.content.settings.resetButtonLabel": "重置", + "xpack.enterpriseSearch.content.settings.saveButtonLabel": "保存", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.deploymentHeaderTitle": "部署广泛的空白缩减", + "xpack.enterpriseSearch.content.settings.whiteSpaceReduction.description": "默认情况下,空白缩减将清除空白的全文本内容。", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.label": "空白缩减", + "xpack.enterpriseSearch.content.settings.whitespaceReduction.link": "详细了解空白缩减", "xpack.enterpriseSearch.content.shared.result.header.metadata.deleteDocument": "删除文档", "xpack.enterpriseSearch.content.shared.result.header.metadata.title": "文档元数据", + "xpack.enterpriseSearch.content.supportedLanguages.chineseLabel": "中文", + "xpack.enterpriseSearch.content.supportedLanguages.danishLabel": "丹麦语", + "xpack.enterpriseSearch.content.supportedLanguages.dutchLabel": "荷兰语", + "xpack.enterpriseSearch.content.supportedLanguages.englishLabel": "英语", + "xpack.enterpriseSearch.content.supportedLanguages.frenchLabel": "法语", + "xpack.enterpriseSearch.content.supportedLanguages.germanLabel": "德语", + "xpack.enterpriseSearch.content.supportedLanguages.italianLabel": "意大利语", + "xpack.enterpriseSearch.content.supportedLanguages.japaneseLabel": "日语", + "xpack.enterpriseSearch.content.supportedLanguages.koreanLabel": "朝鲜语", + "xpack.enterpriseSearch.content.supportedLanguages.portugueseBrazilLabel": "葡萄牙语(巴西)", + "xpack.enterpriseSearch.content.supportedLanguages.portugueseLabel": "葡萄牙语", + "xpack.enterpriseSearch.content.supportedLanguages.russianLabel": "俄语", + "xpack.enterpriseSearch.content.supportedLanguages.spanishLabel": "西班牙语", + "xpack.enterpriseSearch.content.supportedLanguages.thaiLabel": "泰语", + "xpack.enterpriseSearch.content.supportedLanguages.universalLabel": "通用", + "xpack.enterpriseSearch.content.syncJobs.flyout.canceledTitle": "同步已取消", + "xpack.enterpriseSearch.content.syncJobs.flyout.completedTitle": "同步已完成", + "xpack.enterpriseSearch.content.syncJobs.flyout.failureTitle": "同步失败", + "xpack.enterpriseSearch.content.syncJobs.flyout.inProgressTitle": "进行中", + "xpack.enterpriseSearch.content.syncJobs.flyout.sync": "同步", + "xpack.enterpriseSearch.content.syncJobs.flyout.sync.id": "ID", + "xpack.enterpriseSearch.content.syncJobs.flyout.syncStartedManually": "已手动启动同步", + "xpack.enterpriseSearch.content.syncJobs.flyout.syncStartedScheduled": "已按计划启动同步", + "xpack.enterpriseSearch.content.syncJobs.flyout.title": "事件日志", + "xpack.enterpriseSearch.content.syncJobs.lastSync.columnTitle": "上次同步", + "xpack.enterpriseSearch.content.syncJobs.syncDuration.columnTitle": "同步持续时间", + "xpack.enterpriseSearch.content.syncStatus.canceled": "正在取消同步", + "xpack.enterpriseSearch.content.syncStatus.canceling": "同步已取消", + "xpack.enterpriseSearch.content.syncStatus.completed": "同步已完成", + "xpack.enterpriseSearch.content.syncStatus.error": "同步失败", + "xpack.enterpriseSearch.content.syncStatus.inProgress": "同步进行中", + "xpack.enterpriseSearch.content.syncStatus.pending": "同步待处理", + "xpack.enterpriseSearch.content.syncStatus.suspended": "同步已挂起", "xpack.enterpriseSearch.crawler.addDomainFlyout.description": "可以将多个域添加到此索引的网络爬虫。在此添加其他域并从“管理”页面修改入口点和爬网规则。", "xpack.enterpriseSearch.crawler.addDomainFlyout.openButtonLabel": "添加域", "xpack.enterpriseSearch.crawler.addDomainFlyout.title": "添加新域", @@ -11519,8 +12331,25 @@ "xpack.enterpriseSearch.crawler.addDomainForm.urlHelpText": "域 URL 需要协议,且不能包含任何路径。", "xpack.enterpriseSearch.crawler.addDomainForm.urlLabel": "域 URL", "xpack.enterpriseSearch.crawler.addDomainForm.validateButtonLabel": "验证域", - "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.crawlAutomaticallySwitchLabel": "自动爬网", - "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.readMoreLink": "阅读更多内容。", + "xpack.enterpriseSearch.crawler.authenticationPanel.basicAuthenticationLabel": "基本身份验证", + "xpack.enterpriseSearch.crawler.authenticationPanel.configurationSavePanel.description": "已保存用于爬网受保护内容的身份验证设置。要更新身份验证机制,请删除设置并重启。", + "xpack.enterpriseSearch.crawler.authenticationPanel.configurationSavePanel.title": "已保存配置设置", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.deleteButtonLabel": "删除", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.description": "删除这些设置可能导致网络爬虫无法索引域的受保护区域。此操作无法撤消。", + "xpack.enterpriseSearch.crawler.authenticationPanel.deleteConfirmationModal.title": "是否确定要删除这些设置?", + "xpack.enterpriseSearch.crawler.authenticationPanel.description": "设置身份验证以为此域启用爬网受保护内容。", + "xpack.enterpriseSearch.crawler.authenticationPanel.editForm.headerValueLabel": "标头值", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.addAuthenticationButtonLabel": "添加身份验证", + "xpack.enterpriseSearch.crawler.authenticationPanel.emptyPrompt.title": "未配置身份验证", + "xpack.enterpriseSearch.crawler.authenticationPanel.rawAuthenticationLabel": "身份验证标头", + "xpack.enterpriseSearch.crawler.authenticationPanel.resetToDefaultsButtonLabel": "添加凭据", + "xpack.enterpriseSearch.crawler.authenticationPanel.title": "身份验证", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.crawlAutomaticallySwitchLabel": "通过以下计划启用重复爬网", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.cronSchedulingDescription": "定义计划爬网的频率和时间", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.cronSchedulingTitle": "特定时间计划", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.intervalSchedulingDescription": "定义计划爬网的频率和时间", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.intervalSchedulingTitle": "时间间隔计划", + "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.readMoreLink": "详细了解计划", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleDescription": "爬网计划将对此索引上的每个域执行全面爬网。", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleFrequencyLabel": "计划频率", "xpack.enterpriseSearch.crawler.automaticCrawlSchedule.scheduleUnitsLabel": "计划时间单位", @@ -11576,6 +12405,7 @@ "xpack.enterpriseSearch.crawler.crawlerStatusOptions.suspending": "正在挂起", "xpack.enterpriseSearch.crawler.crawlRequestsPanel.description": "此处记录了最近的爬网请求。您可以在 Kibana 的 Discover 或 Logs 用户界面中跟踪进度并检查爬网事件", "xpack.enterpriseSearch.crawler.crawlRequestsPanel.title": "爬网请求", + "xpack.enterpriseSearch.crawler.crawlRequestsPanel.userAgentDescription": "可以通过以下用户代理识别源自网络爬虫的请求。这在 enterprise-search.yml 文件中进行配置。", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.crawlType": "爬网类型", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.created": "创建时间", "xpack.enterpriseSearch.crawler.crawlRequestsTable.column.domains": "域", @@ -11603,6 +12433,7 @@ "xpack.enterpriseSearch.crawler.crawlTypeOptions.reAppliedCrawlRules": "已重新应用爬网规则", "xpack.enterpriseSearch.crawler.deduplicationPanel.allFieldsLabel": "所有字段", "xpack.enterpriseSearch.crawler.deduplicationPanel.learnMoreMessage": "详细了解内容哈希", + "xpack.enterpriseSearch.crawler.deduplicationPanel.preventDuplicateLabel": "阻止重复文档", "xpack.enterpriseSearch.crawler.deduplicationPanel.resetToDefaultsButtonLabel": "重置为默认值", "xpack.enterpriseSearch.crawler.deduplicationPanel.selectedFieldsLabel": "选定字段", "xpack.enterpriseSearch.crawler.deduplicationPanel.showAllFieldsButtonLabel": "显示所有字段", @@ -11621,7 +12452,7 @@ "xpack.enterpriseSearch.crawler.domainsTable.action.manage.buttonLabel": "管理此域", "xpack.enterpriseSearch.crawler.domainsTable.column.actions": "操作", "xpack.enterpriseSearch.crawler.domainsTable.column.documents": "文档", - "xpack.enterpriseSearch.crawler.domainsTable.column.domainURL": "域 URL", + "xpack.enterpriseSearch.crawler.domainsTable.column.domainURL": "域", "xpack.enterpriseSearch.crawler.domainsTable.column.lastActivity": "上次活动", "xpack.enterpriseSearch.crawler.domainsTitle": "域", "xpack.enterpriseSearch.crawler.entryPointsTable.addButtonLabel": "添加入口点", @@ -11643,8 +12474,56 @@ "xpack.enterpriseSearch.crawler.startCrawlContextMenu.crawlCustomSettingsMenuLabel": "使用定制设置执行爬网", "xpack.enterpriseSearch.crawler.startCrawlContextMenu.reapplyCrawlRulesMenuLabel": "重新应用爬网规则", "xpack.enterpriseSearch.crawler.urlComboBox.invalidUrlErrorMessage": "请输入有效 URL", + "xpack.enterpriseSearch.cronEditor.cronDaily.fieldHour.textAtLabel": "于", + "xpack.enterpriseSearch.cronEditor.cronDaily.fieldTimeLabel": "时间", + "xpack.enterpriseSearch.cronEditor.cronDaily.hourSelectLabel": "小时", + "xpack.enterpriseSearch.cronEditor.cronDaily.minuteSelectLabel": "分钟", + "xpack.enterpriseSearch.cronEditor.cronHourly.fieldMinute.textAtLabel": "@ 符号", + "xpack.enterpriseSearch.cronEditor.cronHourly.fieldTimeLabel": "分钟", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldDateLabel": "日期", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldHour.textAtLabel": "@ 符号", + "xpack.enterpriseSearch.cronEditor.cronMonthly.fieldTimeLabel": "时间", + "xpack.enterpriseSearch.cronEditor.cronMonthly.hourSelectLabel": "小时", + "xpack.enterpriseSearch.cronEditor.cronMonthly.minuteSelectLabel": "分钟", + "xpack.enterpriseSearch.cronEditor.cronMonthly.textOnTheLabel": "在", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldDateLabel": "天", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldHour.textAtLabel": "@ 符号", + "xpack.enterpriseSearch.cronEditor.cronWeekly.fieldTimeLabel": "时间", + "xpack.enterpriseSearch.cronEditor.cronWeekly.hourSelectLabel": "小时", + "xpack.enterpriseSearch.cronEditor.cronWeekly.minuteSelectLabel": "分钟", + "xpack.enterpriseSearch.cronEditor.cronWeekly.textOnLabel": "开启", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDate.textOnTheLabel": "在", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldDateLabel": "日期", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldHour.textAtLabel": "@ 符号", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonth.textInLabel": "传入", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldMonthLabel": "月", + "xpack.enterpriseSearch.cronEditor.cronYearly.fieldTimeLabel": "时间", + "xpack.enterpriseSearch.cronEditor.cronYearly.hourSelectLabel": "小时", + "xpack.enterpriseSearch.cronEditor.cronYearly.minuteSelectLabel": "分钟", + "xpack.enterpriseSearch.cronEditor.day.friday": "星期五", + "xpack.enterpriseSearch.cronEditor.day.monday": "星期一", + "xpack.enterpriseSearch.cronEditor.day.saturday": "星期六", + "xpack.enterpriseSearch.cronEditor.day.sunday": "星期日", + "xpack.enterpriseSearch.cronEditor.day.thursday": "星期四", + "xpack.enterpriseSearch.cronEditor.day.tuesday": "星期二", + "xpack.enterpriseSearch.cronEditor.day.wednesday": "星期三", + "xpack.enterpriseSearch.cronEditor.fieldFrequencyLabel": "频率", + "xpack.enterpriseSearch.cronEditor.month.april": "四月", + "xpack.enterpriseSearch.cronEditor.month.august": "八月", + "xpack.enterpriseSearch.cronEditor.month.december": "十二月", + "xpack.enterpriseSearch.cronEditor.month.february": "二月", + "xpack.enterpriseSearch.cronEditor.month.january": "一月", + "xpack.enterpriseSearch.cronEditor.month.july": "七月", + "xpack.enterpriseSearch.cronEditor.month.june": "六月", + "xpack.enterpriseSearch.cronEditor.month.march": "三月", + "xpack.enterpriseSearch.cronEditor.month.may": "五月", + "xpack.enterpriseSearch.cronEditor.month.november": "十一月", + "xpack.enterpriseSearch.cronEditor.month.october": "十月", + "xpack.enterpriseSearch.cronEditor.month.september": "九月", + "xpack.enterpriseSearch.cronEditor.textEveryLabel": "每", "xpack.enterpriseSearch.curations.settings.licenseUpgradeLink": "详细了解许可证升级", "xpack.enterpriseSearch.curations.settings.start30DayTrialButtonLabel": "开始为期 30 天的试用", + "xpack.enterpriseSearch.descriptionLabel": "描述", "xpack.enterpriseSearch.elasticsearch.features.buildSearchExperiences": "构建定制搜索体验", "xpack.enterpriseSearch.elasticsearch.features.buildTooling": "构建定制工具", "xpack.enterpriseSearch.elasticsearch.features.integrate": "集成数据库、网站等", @@ -11657,7 +12536,7 @@ "xpack.enterpriseSearch.elasticsearch.resources.languageClientLabel": "设置语言客户端", "xpack.enterpriseSearch.elasticsearch.resources.searchUILabel": "Elasticsearch 的搜索 UI", "xpack.enterpriseSearch.emailLabel": "电子邮件", - "xpack.enterpriseSearch.emptyState.description": "Elasticsearch 索引为您的内容提供了存储位置。通过创建 Elasticsearch 索引并选择采集方法开始使用。选项包括 Elastic 网络爬虫、第三方数据集成或使用 Elasticsearch API 终端。", + "xpack.enterpriseSearch.emptyState.description": "您的内容存储在 Elasticsearch 索引中。通过创建 Elasticsearch 索引并选择采集方法开始使用。选项包括 Elastic 网络爬虫、第三方数据集成或使用 Elasticsearch API 终端。", "xpack.enterpriseSearch.emptyState.description.line2": "无论是使用 App Search 还是 Elasticsearch 构建搜索体验,您都可以从此处立即开始。", "xpack.enterpriseSearch.enterpriseSearch.setupGuide.description": "随时随地进行全面搜索。为工作繁忙的团队轻松实现强大的现代搜索体验。将预先调整的搜索功能快速添加到您的网站、应用或工作区。全面搜索就是这么简单。", "xpack.enterpriseSearch.enterpriseSearch.setupGuide.notConfigured": "企业搜索尚未在您的 Kibana 实例中配置。", @@ -11670,8 +12549,25 @@ "xpack.enterpriseSearch.errorConnectingState.troubleshootAuthNative": "必须使用 Elasticsearch 本机身份验证、SSO/SAML 或 OpenID Connect 执行身份验证。", "xpack.enterpriseSearch.errorConnectingState.troubleshootAuthSAML": "如果使用外部 SSO 提供程序,如 SAML 或 OpenID Connect,还必须在 Enterprise Search 上设置 SAML/OIDC Realm。", "xpack.enterpriseSearch.hiddenText": "隐藏文本", + "xpack.enterpriseSearch.index.header.cancelSyncsTitle": "取消同步", + "xpack.enterpriseSearch.inferencePipelineCard.action.delete": "删除管道", + "xpack.enterpriseSearch.inferencePipelineCard.action.detach": "分离管道", + "xpack.enterpriseSearch.inferencePipelineCard.action.title": "操作", + "xpack.enterpriseSearch.inferencePipelineCard.action.view": "在 Stack Management 中查看", + "xpack.enterpriseSearch.inferencePipelineCard.actionButton": "操作", + "xpack.enterpriseSearch.inferencePipelineCard.deleteConfirm.title": "删除管道", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.deploymentFailed": "部署失败", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed": "未部署", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed.fixLink": "解决已训练模型中的问题", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.notDeployed.tooltip": "当前未部署此已训练模型。访问该已训练模型页面以做出更改", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.started": "已启动", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.started.tooltip": "此已训练模型正在运行并且完全可用", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.starting": "正在启动", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.starting.tooltip": "此已训练模型正在启动过程中,将在不久后可用", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.stopping": "正在停止", + "xpack.enterpriseSearch.inferencePipelineCard.modelState.stopping.tooltip": "此已训练模型正在关闭过程中,当前不可用", "xpack.enterpriseSearch.inlineEditableTable.newRowButtonLabel": "新行", - "xpack.enterpriseSearch.integrations.apiDescription": "通过 App Search 稳健的 API 将搜索功能添加到您的应用程序。", + "xpack.enterpriseSearch.integrations.apiDescription": "通过 Elasticsearch 稳健的 API 将搜索功能添加到您的应用程序。", "xpack.enterpriseSearch.integrations.apiName": "API", "xpack.enterpriseSearch.integrations.buildAConnectorDescription": "使用 Enterprise Search 搜索存储在定制数据源上的数据。", "xpack.enterpriseSearch.integrations.buildAConnectorName": "构建连接器", @@ -11680,17 +12576,23 @@ "xpack.enterpriseSearch.licenseCalloutBody": "使用有效的高级许可证,可获得通过 SAML 实现的企业验证、文档级别权限和授权支持、定制搜索体验等等。", "xpack.enterpriseSearch.licenseDocumentationLink": "详细了解许可证功能", "xpack.enterpriseSearch.licenseManagementLink": "管理您的许可", + "xpack.enterpriseSearch.nameLabel": "名称", + "xpack.enterpriseSearch.nav.analyticsCollectionsTitle": "集合", + "xpack.enterpriseSearch.nav.analyticsTitle": "分析", "xpack.enterpriseSearch.nav.appSearchTitle": "App Search", + "xpack.enterpriseSearch.nav.contentSettingsTitle": "设置", "xpack.enterpriseSearch.nav.contentTitle": "内容", "xpack.enterpriseSearch.nav.elasticsearchTitle": "Elasticsearch", "xpack.enterpriseSearch.nav.enterpriseSearchOverviewTitle": "概览", - "xpack.enterpriseSearch.nav.searchTitle": "搜索", + "xpack.enterpriseSearch.nav.searchExperiencesTitle": "搜索体验", "xpack.enterpriseSearch.nav.searchIndicesTitle": "索引", + "xpack.enterpriseSearch.nav.searchTitle": "搜索", "xpack.enterpriseSearch.nav.workplaceSearchTitle": "Workplace Search", "xpack.enterpriseSearch.notFound.action1": "返回到您的仪表板", "xpack.enterpriseSearch.notFound.action2": "联系支持人员", "xpack.enterpriseSearch.notFound.description": "找不到您要查找的页面。", "xpack.enterpriseSearch.notFound.title": "404 错误", + "xpack.enterpriseSearch.optionalLabel": "可选", "xpack.enterpriseSearch.overview.createAndManageButton": "创建和管理 API 密钥", "xpack.enterpriseSearch.overview.deploymentDetails": "部署详情", "xpack.enterpriseSearch.overview.deploymentDetails.clientIdLabel": "客户端 ID", @@ -11724,7 +12626,7 @@ "xpack.enterpriseSearch.overview.elasticsearchResources.searchUi": "Elasticsearch 的搜索 UI", "xpack.enterpriseSearch.overview.elasticsearchResources.title": "资源", "xpack.enterpriseSearch.overview.emptyPromptButtonLabel": "创建 Elasticsearch 索引", - "xpack.enterpriseSearch.overview.emptyPromptTitle": "搜索的新起点", + "xpack.enterpriseSearch.overview.emptyPromptTitle": "添加数据并开始搜索", "xpack.enterpriseSearch.overview.emptyState.buttonTitle": "将内容添加到 Enterprise Search", "xpack.enterpriseSearch.overview.emptyState.footerLinkTitle": "了解详情", "xpack.enterpriseSearch.overview.emptyState.heading": "将内容添加到 Enterprise Search", @@ -11760,6 +12662,7 @@ "xpack.enterpriseSearch.overview.productSelector.title": "每个用例的搜索体验", "xpack.enterpriseSearch.overview.searchIndices.image.altText": "搜索索引图示", "xpack.enterpriseSearch.overview.setupCta.description": "通过 Elastic App Search 和 Workplace Search,将搜索添加到您的应用或内部组织中。观看视频,了解方便易用的搜索功能可以帮您做些什么。", + "xpack.enterpriseSearch.passwordLabel": "密码", "xpack.enterpriseSearch.productCard.resourcesTitle": "资源", "xpack.enterpriseSearch.productSelectorCalloutTitle": "进行升级以便为您的团队获取企业级功能", "xpack.enterpriseSearch.readOnlyMode.warning": "企业搜索处于只读模式。您将无法执行更改,例如创建、编辑或删除。", @@ -11848,15 +12751,39 @@ "xpack.enterpriseSearch.schema.errorsTable.link.view": "查看", "xpack.enterpriseSearch.schema.fieldNameLabel": "字段名称", "xpack.enterpriseSearch.schema.fieldTypeLabel": "字段类型", + "xpack.enterpriseSearch.searchExperiences.guide.description": "搜索 UI 是一个 JavaScript 库,您无需浪费时间进行重复工作便可实现卓越的搜索体验。它开箱即可兼容 Elasticsearch、App Search 和 Workplace Search,以便您专注于为用户、客户和员工构建最佳体验。", + "xpack.enterpriseSearch.searchExperiences.guide.documentationLink": "访问搜索 UI 文档", + "xpack.enterpriseSearch.searchExperiences.guide.features.1": "用途是进行搜索。Elastic 将构建并维护搜索 UI。", + "xpack.enterpriseSearch.searchExperiences.guide.features.2": "通过几行代码快速打造全面的搜索体验。", + "xpack.enterpriseSearch.searchExperiences.guide.features.3": "搜索 UI 高度可定制,便于您为用户构建完美的搜索体验。", + "xpack.enterpriseSearch.searchExperiences.guide.features.4": "将在 URL 中捕获搜索、分页、筛选等操作,以直接链接结果。", + "xpack.enterpriseSearch.searchExperiences.guide.features.5": "不只用于 React。用于任何 JavaScript 库,甚至是 vanilla JavaScript。", + "xpack.enterpriseSearch.searchExperiences.guide.featuresTitle": "功能", + "xpack.enterpriseSearch.searchExperiences.guide.githubLink": "GitHub 上的搜索 UI", + "xpack.enterpriseSearch.searchExperiences.guide.pageTitle": "使用搜索 UI 构建搜索体验", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.appSearch.description": "使用 App Search 和搜索 UI 构建搜索体验。", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.elasticsearch.description": "使用 Elasticsearch 和搜索 UI 构建搜索体验。", + "xpack.enterpriseSearch.searchExperiences.guide.tutorials.workplaceSearch.description": "使用 Workplace Search 和搜索 UI 构建搜索体验。", + "xpack.enterpriseSearch.searchExperiences.guide.tutorialsTitle": "即刻开始使用教程", + "xpack.enterpriseSearch.searchExperiences.navTitle": "搜索体验", + "xpack.enterpriseSearch.searchExperiences.productDescription": "构建直观、具有吸引力的搜索体验,而无需浪费时间进行重复工作。", + "xpack.enterpriseSearch.searchExperiences.productName": "Enterprise Search", "xpack.enterpriseSearch.server.connectors.configuration.error": "无法找到文档", "xpack.enterpriseSearch.server.connectors.scheduling.error": "无法找到文档", + "xpack.enterpriseSearch.server.connectors.serviceType.error": "无法找到文档", + "xpack.enterpriseSearch.server.routes.addAnalyticsCollection.analyticsCollectionExistsError": "分析集合已存在", + "xpack.enterpriseSearch.server.routes.addAnalyticsCollection.analyticsCollectionNotFoundErrorMessage": "未找到分析集合", "xpack.enterpriseSearch.server.routes.addConnector.connectorExistsError": "连接器或索引已存在", "xpack.enterpriseSearch.server.routes.addCrawler.connectorExistsError": "此索引的连接器已存在", "xpack.enterpriseSearch.server.routes.addCrawler.crawlerExistsError": "此索引的网络爬虫已存在", "xpack.enterpriseSearch.server.routes.addCrawler.indexExistsError": "此索引已存在", + "xpack.enterpriseSearch.server.routes.configData.errorMessage": "从 Enterprise Search 中提取数据时出错", "xpack.enterpriseSearch.server.routes.createApiIndex.connectorExistsError": "此索引的连接器已存在", "xpack.enterpriseSearch.server.routes.createApiIndex.crawlerExistsError": "此索引的网络爬虫已存在", "xpack.enterpriseSearch.server.routes.createApiIndex.indexExistsError": "此索引已存在", + "xpack.enterpriseSearch.server.routes.indices.mlInference.pipelineProcessors.pipelineIsInUseError": "推理管道已用在不同索引的托管管道“{pipelineName}”中", + "xpack.enterpriseSearch.server.routes.unauthorizedError": "您的权限不足。", + "xpack.enterpriseSearch.server.routes.uncaughtExceptionError": "Enterprise Search 遇到错误。", "xpack.enterpriseSearch.setupGuide.cloud.step1.instruction1LinkText": "编辑您的部署", "xpack.enterpriseSearch.setupGuide.cloud.step1.title": "编辑您的部署的配置", "xpack.enterpriseSearch.setupGuide.cloud.step2.instruction1": "进入部署的“编辑部署”屏幕后,滚动到“企业搜索”配置,然后选择“启用”。", @@ -11875,8 +12802,10 @@ "xpack.enterpriseSearch.shared.flashMessages.defaultErrorMessage": "发生意外错误", "xpack.enterpriseSearch.shared.result.expandTooltip.allVisible": "所有字段均可见", "xpack.enterpriseSearch.shared.unsavedChangesMessage": "您的更改尚未更改。是否确定要离开?", + "xpack.enterpriseSearch.technicalPreviewLabel": "技术预览", "xpack.enterpriseSearch.trialCalloutLink": "详细了解 Elastic Stack 许可证。", "xpack.enterpriseSearch.troubleshooting.setup.documentationLinkLabel": "Enterprise Search 设置故障排除", + "xpack.enterpriseSearch.typeLabel": "类型", "xpack.enterpriseSearch.units.allDaysLabel": "所有日期", "xpack.enterpriseSearch.units.daysLabel": "天", "xpack.enterpriseSearch.units.daysOfWeekLabel.friday": "星期五", @@ -12181,6 +13110,12 @@ "xpack.enterpriseSearch.workplaceSearch.integrations.jiraCloudName": "Jira Cloud", "xpack.enterpriseSearch.workplaceSearch.integrations.jiraServerDescription": "通过 Workplace Search 搜索 Jira Server 上的项目工作流。", "xpack.enterpriseSearch.workplaceSearch.integrations.jiraServerName": "Jira Server", + "xpack.enterpriseSearch.workplaceSearch.integrations.mongoDBDescription": "使用 Enterprise Search 搜索您的 MongoDB 内容。", + "xpack.enterpriseSearch.workplaceSearch.integrations.mongoDBName": "MongoDB", + "xpack.enterpriseSearch.workplaceSearch.integrations.mysqlDescription": "使用 Enterprise Search 搜索您的 MySQL 内容。", + "xpack.enterpriseSearch.workplaceSearch.integrations.mysqlName": "MySQL", + "xpack.enterpriseSearch.workplaceSearch.integrations.nativeConnectorDescription": "使用本机 Enterprise Search 连接器搜索您的数据源。", + "xpack.enterpriseSearch.workplaceSearch.integrations.nativeConnectorName": "使用连接器", "xpack.enterpriseSearch.workplaceSearch.integrations.networkDriveDescription": "通过 Workplace Search 搜索您存储在网络驱动器上的文件和文件夹。", "xpack.enterpriseSearch.workplaceSearch.integrations.networkDriveName": "网络驱动器", "xpack.enterpriseSearch.workplaceSearch.integrations.onedriveDescription": "通过 Workplace Search 搜索存储在 OneDrive 上的文件。", @@ -12601,9 +13536,23 @@ "xpack.fileUpload.maxFileSizeUiSetting.name": "最大文件上传大小", "xpack.fileUpload.noFileNameError": "未提供文件名", "xpack.fileUpload.shapefile.sideCarFilePicker.promptText": "选择“{ext}”文件", + "xpack.fileUpload.smallChunks.switchLabel": "以更小的块上传文件", + "xpack.fileUpload.smallChunks.tooltip": "用于缓解请求超时失败。", "xpack.fleet.addAgentHelpPopover.popoverBody": "要使集成成功运行,请将 {elasticAgent}添加到主机,以便收集数据并将其发送到 Elastic Stack。{learnMoreLink}", "xpack.fleet.addIntegration.installAgentStepTitle": "这些步骤将在 Fleet 中配置和注册 Elastic 代理,以便自动部署更新并集中管理该代理。作为 Fleet 的替代方案,高级用户可以在 {standaloneLink} 中运行代理。", "xpack.fleet.addIntegration.standaloneWarning": "通过在独立模式下运行 Elastic 代理来设置集成为高级选项。如果可能,我们建议改用 {link}。", + "xpack.fleet.agentActivity.completedTitle": "{nbAgents} {agents} {completedText}", + "xpack.fleet.agentActivity.inProgressTitle": "{inProgressText} {nbAgents} {agents} {reassignText}{upgradeText}", + "xpack.fleet.agentActivityFlyout.cancelledDescription": "已于 {date}取消", + "xpack.fleet.agentActivityFlyout.cancelledTitle": "代理 {cancelledText} 已取消", + "xpack.fleet.agentActivityFlyout.completedDescription": "完成于 {date}", + "xpack.fleet.agentActivityFlyout.expiredDescription": "已于 {date}过期", + "xpack.fleet.agentActivityFlyout.expiredTitle": "代理 {expiredText} 已过期", + "xpack.fleet.agentActivityFlyout.reassignCompletedDescription": "已分配至 {policy}。", + "xpack.fleet.agentActivityFlyout.scheduleTitle": "{nbAgents} 个代理计划升级到版本 {version}", + "xpack.fleet.agentActivityFlyout.startedDescription": "已于 {date}启动。", + "xpack.fleet.agentActivityFlyout.upgradeDescription": "有关代理升级的{guideLink}。", + "xpack.fleet.agentBulkActions.requestDiagnostics": "请求诊断 {agentCount, plural, other {# 个代理}}", "xpack.fleet.agentBulkActions.scheduleUpgradeAgents": "计划升级 {agentCount, plural, other {# 个代理}}", "xpack.fleet.agentBulkActions.totalAgents": "正在显示 {count, plural, other {# 个代理}}", "xpack.fleet.agentBulkActions.totalAgentsWithLimit": "正在显示 {count} 个代理(共 {total} 个)", @@ -12613,22 +13562,25 @@ "xpack.fleet.agentEnrollment.agentAuthenticationSettings": "{agentPolicyName} 已选择。选择注册代理时要使用的注册令牌。", "xpack.fleet.agentEnrollment.agentsNotInitializedText": "注册代理前,请{link}。", "xpack.fleet.agentEnrollment.confirmation.title": "已注册 {agentCount} 个{agentCount, plural, other {代理}}。", + "xpack.fleet.agentEnrollment.instructionstFleetServer": "需要提供 Fleet 服务器,才能使用 Fleet 注册代理。按照下面的说明设置 Fleet 服务器。有关详细信息,请参阅{userGuideLink}", "xpack.fleet.agentEnrollment.loading.instructions": "代理启动后, Elastic Stack 将侦听代理,并在 Fleet 中确认注册。如果遇到连接问题,请参阅 {link}。", "xpack.fleet.agentEnrollment.missingFleetHostCalloutText": "需要 Fleet 服务器主机的 URL,才能使用 Fleet 注册代理。可以在“Fleet 设置”中添加此信息。有关更多信息,请参阅{link}。", "xpack.fleet.agentEnrollment.stepConfigureAgentDescription": "在安装 Elastic 代理的主机上将此策略复制到 {fileName}。在 {fileName} 的 {outputSection} 部分中修改 {ESUsernameVariable} 和 {ESPasswordVariable},以使用您的 Elasticsearch 凭据。", "xpack.fleet.agentEnrollment.stepConfigureAgentDescriptionk8s": "复制或下载 Kubernetes 集群内的 Kubernetes 清单。更新 Daemonset 中的 {ESUsernameVariable} 和 {ESPasswordVariable} 环境变量以匹配您的 Elasticsearch 凭据。", "xpack.fleet.agentFlyout.managedRadioOption": "{managed} – 在 Fleet 中注册 Elastic 代理,以便自动部署更新并集中管理该代理。", "xpack.fleet.agentFlyout.standaloneRadioOption": "{standaloneMessage} – 独立运行 Elastic 代理,以在安装代理的主机上手动配置和更新代理。", + "xpack.fleet.agentHealth.checkinMessageText": "上次签入消息:{lastCheckinMessage}", "xpack.fleet.agentHealth.checkInTooltipText": "上次签入时间 {lastCheckIn}", "xpack.fleet.agentList.noFilteredAgentsPrompt": "未找到任何代理。{clearFiltersLink}", "xpack.fleet.agentLogs.logDisabledCallOutDescription": "更新代理的策略 {settingsLink} 以启用日志收集。", "xpack.fleet.agentLogs.oldAgentWarningTitle": "“日志”视图需要 Elastic Agent 7.11 或更高版本。要升级代理,请前往“操作”菜单或{downloadLink}更新的版本。", "xpack.fleet.agentPolicy.confirmModalCalloutDescription": "Fleet 检测到您的部分代理已在使用选定代理策略 {policyName}。由于此操作,Fleet 会将更新部署到使用此策略的所有代理。", "xpack.fleet.agentPolicy.downloadSourcesOptions.defaultOutputText": "默认值(当前为 {defaultDownloadSourceName})", + "xpack.fleet.agentPolicy.fleetServerHostsOptions.defaultOutputText": "默认值(当前 {defaultFleetServerHostsName})", "xpack.fleet.agentPolicy.linkedAgentCountText": "{count, plural, other {# 个代理}}", "xpack.fleet.agentPolicy.outputOptions.defaultOutputText": "默认值(当前 {defaultOutputName})", "xpack.fleet.agentPolicy.postInstallAddAgentModal": "已添加 {packageName} 集成", - "xpack.fleet.agentPolicy.postInstallAddAgentModalDescription": "要完成此集成,请将 {elasticAgent}添加到主机,以便收集数据并将其发送到 Elastic Stack", + "xpack.fleet.agentPolicy.postInstallAddAgentModalDescription": "要完成此集成,请将 {elasticAgent}添加到主机,以便收集数据并将其发送到 Elastic Stack。", "xpack.fleet.agentPolicyForm.createAgentPolicyTypeOfHosts": "主机的类型受 {agentPolicy} 控制。创建新的代理策略以开始。", "xpack.fleet.agentPolicyForm.monitoringDescription": "收集监测日志和指标还会创建 {agent} 集成。监测数据将写入到上面指定的默认命名空间。", "xpack.fleet.agentPolicyForm.namespaceFieldDescription": "命名空间是用户可配置的任意分组,使搜索数据和管理用户权限更容易。策略命名空间用于命名其集成的数据流。{fleetUserGuide}。", @@ -12648,6 +13600,8 @@ "xpack.fleet.confirmIncomingDataWithPreview.loading": "数据可能需要几分钟才能到达 Elasticsearch。如果未看到任何数据,请尝试生成一些数据以进行验证。如果遇到连接问题,请参阅 {link}。", "xpack.fleet.confirmIncomingDataWithPreview.prePollingInstructions": "代理启动后, Elastic Stack 将侦听代理,并在 Fleet 中确认注册。如果遇到连接问题,请参阅 {link}。", "xpack.fleet.confirmIncomingDataWithPreview.title": "从 {numAgentsWithData} 个注册的{ numAgentsWithData, plural, other {代理}}接收到的传入数据。", + "xpack.fleet.ConfirmOpenUnverifiedModal.calloutBody": "此集成包含真实性未知的未签名软件包,并可能包含恶意文件。详细了解 {learnMoreLink}。", + "xpack.fleet.ConfirmOpenUnverifiedModal.calloutTitleWithPkg": "集成 {pkgName} 未通过验证", "xpack.fleet.copyAgentPolicy.confirmModal.defaultNewPolicyName": "{name}(副本)", "xpack.fleet.createPackagePolicy.multiPageTitle": "设置 {title} 集成", "xpack.fleet.createPackagePolicy.pageTitleWithPackageName": "添加 {packageName} 集成", @@ -12657,7 +13611,7 @@ "xpack.fleet.createPackagePolicy.stepConfigure.packagePolicyNamespaceHelpLabel": "更改从选定代理策略继承的默认命名空间。此设置将更改集成的数据流的名称。{learnMore}。", "xpack.fleet.createPackagePolicy.stepConfigure.showStreamsAriaLabel": "显示 {type} 输入", "xpack.fleet.createPackagePolicy.StepSelectPolicy.agentPolicyAgentsDescriptionText": "{count, plural, other {# 个代理}}已注册到选定代理策略。", - "xpack.fleet.currentUpgrade.confirmDescription": "此操作会中止升级 {nbAgents} 个代理", + "xpack.fleet.currentUpgrade.confirmDescription": "此操作会中止升级 {nbAgents, plural, other {# 个代理}}", "xpack.fleet.debug.agentPolicyDebugger.description": "使用其名称或 {codeId} 值搜索代理策略。使用以下代码块诊断策略配置出现的任何潜在问题。", "xpack.fleet.debug.dangerZone.description": "此页面提供了一个界面,用于直接管理 Fleet 的底层数据并诊断问题。请注意,这些故障排查工具在本质上可能{strongDestructive},并可能导致{strongLossOfData}。请谨慎操作。", "xpack.fleet.debug.integrationDebugger.reinstall.error": "重新安装 {integrationTitle} 时出错", @@ -12691,8 +13645,10 @@ "xpack.fleet.epm.install.packageInstallError": "安装 {pkgName} {pkgVersion} 时出错", "xpack.fleet.epm.install.packageUpdateError": "将 {pkgName} 更新到 {pkgVersion} 时出错", "xpack.fleet.epm.integrationPreference.title": "如果集成可用于 {link},显示:", + "xpack.fleet.epm.packageDetails.apiReference.description": "这会记录所有可用输入、流和变量,以通过 Fleet Kibana API 以编程方式使用此集成。{learnMore}", "xpack.fleet.epm.packageDetails.integrationList.packageVersion": "v{version}", "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutDescription": "要充分利用 Fleet,必须启用 Elasticsearch 和 Kibana 安全功能。请按照{guideLink}启用安全功能。", + "xpack.fleet.epm.prereleaseWarningCalloutTitle": "这是 {packageTitle} 集成的预发布版本。", "xpack.fleet.epm.screenshotAltText": "{packageName} 屏幕截图 #{imageNumber}", "xpack.fleet.epm.screenshotPaginationAriaLabel": "{packageName} 屏幕截图分页", "xpack.fleet.epm.verificationWarningCalloutIntroText": "此集成包含真实性未知的未签名软件包。详细了解 {learnMoreLink}。", @@ -12704,6 +13660,7 @@ "xpack.fleet.fleetServerFlyout.generateFleetServerPolicySuccessInstructions": "已生成 Fleet 服务器策略和服务令牌。已在 {hostUrl} 配置主机。您可以在{fleetSettingsLink}中编辑 Fleet 服务器主机。", "xpack.fleet.fleetServerFlyout.installFleetServerInstructions": "在集中式主机上安装 Fleet 服务器代理,以便您希望监测的其他主机与其建立连接。在生产环境中,我们建议使用一台或多台专用主机。如需其他指南,请参阅我们的 {installationLink}。", "xpack.fleet.fleetServerFlyout.instructions": "需要提供 Fleet 服务器,才能使用 Fleet 注册代理。按照下面的说明设置 Fleet 服务器。有关详细信息,请参阅{userGuideLink}", + "xpack.fleet.fleetServerLanding.instructions": "需要提供 Fleet 服务器,才能使用 Fleet 注册代理。按照下面的说明设置 Fleet 服务器。有关详细信息,请参阅{userGuideLink}", "xpack.fleet.fleetServerOnPremRequiredCallout.calloutDescription": "按照下面的说明设置 Fleet 服务器。有关详细信息,请参阅 {guideLink}。", "xpack.fleet.fleetServerOnPremUnhealthyCallout.calloutDescription": "在使用 Fleet 注册代理之前,需要提供运行正常的 Fleet 服务器。 有关详细信息,请参阅 {guideLink}。", "xpack.fleet.fleetServerSetup.addFleetServerHostStepDescription": "首先,设置代理将用于访问 Fleet 服务器的公共 IP 或主机名和端口。它默认使用端口 {port}。然后,将自动为您生成策略。", @@ -12711,6 +13668,7 @@ "xpack.fleet.fleetServerSetup.cloudSetupText": "需要提供 Fleet 服务器,才能使用 Fleet 注册代理。获取 Fleet 服务器的最简单方法是添加集成服务器,它会运行 Fleet 服务器集成。您可以在云控制台中将其添加到部署中。有关更多信息,请参阅{link}", "xpack.fleet.fleetServerSetup.deploymentModeProductionOption": "{production} – 提供您自己的证书。注册到 Fleet 时,此选项将需要代理指定证书密钥", "xpack.fleet.fleetServerSetup.deploymentModeQuickStartOption": "{quickStart} – Fleet 服务器将生成自签名证书。必须使用 --insecure 标志注册后续代理。不推荐用于生产用例。", + "xpack.fleet.fleetServerSetup.getStartedInstructions": "首先,设置代理将用于访问 Fleet 服务器的公共 IP 或主机名和端口。它默认使用端口 {port}。然后,将自动为您生成策略。", "xpack.fleet.fleetServerSetupPermissionDeniedErrorMessage": "需要设置 Fleet 服务器。这需要 {roleName} 集群权限。请联系您的管理员。", "xpack.fleet.homeIntegration.tutorialModule.noticeText": "{notePrefix} 此模块的较新版本为 {availableAsIntegrationLink}。要详细了解集成和新 Elastic 代理,请阅读我们的{blogPostLink}。", "xpack.fleet.integration.settings.versionInfo.updatesAvailableBody": "升级到版本 {latestVersion} 可获取最新功能", @@ -12767,6 +13725,10 @@ "xpack.fleet.preconfiguration.packageMissingError": "无法添加 [{agentPolicyName}]。[{pkgName}] 未安装,请将 [{pkgName}] 添加到 [{packagesConfigValue}] 或将其从 [{packagePolicyName}] 中移除。", "xpack.fleet.preconfiguration.packageRejectedError": "无法添加 [{agentPolicyName}]。无法安装 [{pkgName}],因为出现错误:[{errorMessage}]", "xpack.fleet.preconfiguration.policyDeleted": "预配置的策略 {id} 已删除;将跳过创建", + "xpack.fleet.requestDiagnostics.confirmMultipleButtonLabel": "请求诊断 {count} 个代理", + "xpack.fleet.requestDiagnostics.fatalErrorNotificationTitle": "请求诊断{count, plural, other {代理}}时出错", + "xpack.fleet.requestDiagnostics.multipleTitle": "请求诊断 {count} 个代理", + "xpack.fleet.requestDiagnostics.readyNotificationTitle": "代理诊断 {name} 就绪", "xpack.fleet.serverError.agentPolicyDoesNotExist": "代理策略 {agentPolicyId} 不存在", "xpack.fleet.serverError.enrollmentKeyDuplicate": "称作 {providedKeyName} 的注册密钥对于代理策略 {agentPolicyId} 已存在", "xpack.fleet.settings.deleteDowloadSource.agentPolicyCount": "{agentPolicyCount, plural, other {# 个代理策略}}", @@ -12780,7 +13742,7 @@ "xpack.fleet.settings.editOutputFlyout.defaultOutputSwitchLabel": "将此输出设为 {boldAgentIntegrations} 的默认值。", "xpack.fleet.settings.editOutputFlyout.logstashHostsInputDescription": "指定代理将用于连接到 Logstash 的地址。{guideLink}。", "xpack.fleet.settings.fleetServerHostSectionSubtitle": "指定代理用于连接 Fleet 服务器的 URL。如果存在多个 URL,Fleet 将显示提供的第一个 URL 用于注册。有关详细信息,请参阅 {guideLink}。", - "xpack.fleet.settings.fleetServerHostsFlyout.description": "指定代理用于连接 Fleet 服务器的 URL。如果多个 URL 存在,Fleet 显示提供的第一个 URL 用于注册。Fleet 服务器默认使用端口 8220。请参阅 {link}。", + "xpack.fleet.settings.fleetServerHostsFlyout.description": "指定多个 URL 以横向扩展您的部署并提供自动故障切换。如果多个 URL 存在,Fleet 显示提供的第一个 URL 用于注册。已注册的 Elastic 代理将以循环顺序连接到这些 RUL,直接成功连接。有关更多信息,请参阅{link}。", "xpack.fleet.settings.logstashInstructions.addPipelineStepDescription": "在 Logstash 配置目录中,打开 {pipelineFile} 文件并添加以下配置。替换您文件的路径。", "xpack.fleet.settings.logstashInstructions.description": "将 Elastic 代理管道配置添加到 Logstash,以从 Elastic 代理框架接收事件。{documentationLink}。", "xpack.fleet.settings.logstashInstructions.editPipelineStepDescription": "接下来,打开 {pipelineConfFile} 文件并插入以下内容:", @@ -12810,6 +13772,7 @@ "xpack.fleet.upgradeAgents.warningCalloutErrors": "升级选定的{count, plural, one {代理} other {{count} 个代理}}时出错", "xpack.fleet.upgradePackagePolicy.statusCallout.errorContent": "此集成在版本 {currentVersion} 和 {upgradeVersion} 之间有冲突字段。请复查配置并保存,以执行升级。您可以参考您的 {previousConfigurationLink}以进行比较。", "xpack.fleet.upgradePackagePolicy.statusCallout.successContent": "此集成准备好从版本 {currentVersion} 升级到 {upgradeVersion}。复查下面的更改,保存以升级。", + "xpack.fleet.actionStatus.fetchRequestError": "提取操作状态时出错", "xpack.fleet.addAgentButton": "添加代理", "xpack.fleet.addAgentHelpPopover.documentationLink": "深入了解 Elastic 代理。", "xpack.fleet.addAgentHelpPopover.footActionButton": "了解", @@ -12828,6 +13791,19 @@ "xpack.fleet.addIntegration.errorTitle": "添加集成时出错", "xpack.fleet.addIntegration.noAgentPolicy": "创建代理策略时出错。", "xpack.fleet.addIntegration.switchToManagedButton": "改为在 Fleet 中注册(建议)", + "xpack.fleet.agentActivityButton.tourContent": "随时在此处查看正在进行、已完成和已计划的代理操作活动历史记录。", + "xpack.fleet.agentActivityButton.tourTitle": "代理活动历史记录", + "xpack.fleet.agentActivityFlyout.abortUpgradeButtom": "中止升级", + "xpack.fleet.agentActivityFlyout.activityLogText": "将在此处显示 Elastic 代理操作的活动日志。", + "xpack.fleet.agentActivityFlyout.closeBtn": "关闭", + "xpack.fleet.agentActivityFlyout.failureDescription": " 执行此操作期间出现问题。", + "xpack.fleet.agentActivityFlyout.guideLink": "了解详情", + "xpack.fleet.agentActivityFlyout.inProgressTitle": "进行中", + "xpack.fleet.agentActivityFlyout.noActivityDescription": "重新分配、升级或取消注册代理时,活动源将在此处显示。", + "xpack.fleet.agentActivityFlyout.noActivityText": "没有可显示的活动", + "xpack.fleet.agentActivityFlyout.scheduledDescription": "计划进行 ", + "xpack.fleet.agentActivityFlyout.title": "代理活动", + "xpack.fleet.agentActivityFlyout.todayTitle": "今日", "xpack.fleet.agentBulkActions.actions": "操作", "xpack.fleet.agentBulkActions.addRemoveTags": "添加/移除标签", "xpack.fleet.agentBulkActions.agentsSelected": "已选择{count, plural, other { # 个代理} =all {所有代理}}", @@ -12842,6 +13818,7 @@ "xpack.fleet.agentDetails.hostNameLabel": "主机名", "xpack.fleet.agentDetails.integrationsSectionTitle": "集成", "xpack.fleet.agentDetails.lastActivityLabel": "上次活动", + "xpack.fleet.agentDetails.lastCheckinMessageLabel": "上次签入消息", "xpack.fleet.agentDetails.logLevel": "日志记录级别", "xpack.fleet.agentDetails.monitorLogsLabel": "监测日志", "xpack.fleet.agentDetails.monitorMetricsLabel": "监测指标", @@ -12850,6 +13827,7 @@ "xpack.fleet.agentDetails.releaseLabel": "代理发行版", "xpack.fleet.agentDetails.statusLabel": "状态", "xpack.fleet.agentDetails.subTabs.detailsTab": "代理详情", + "xpack.fleet.agentDetails.subTabs.diagnosticsTab": "诊断", "xpack.fleet.agentDetails.subTabs.logsTab": "日志", "xpack.fleet.agentDetails.tagsLabel": "标签", "xpack.fleet.agentDetails.unexceptedErrorTitle": "加载代理时出错", @@ -12870,11 +13848,13 @@ "xpack.fleet.agentEnrollment.confirmation.button": "查看注册的代理", "xpack.fleet.agentEnrollment.copyPolicyButton": "复制到剪贴板", "xpack.fleet.agentEnrollment.downloadDescriptionForK8s": "复制或下载 Kubernetes 清单。", + "xpack.fleet.agentEnrollment.downloadManifestButtonk8sClicked": "已下载", "xpack.fleet.agentEnrollment.downloadPolicyButton": "下载策略", "xpack.fleet.agentEnrollment.downloadPolicyButtonk8s": "下载清单", "xpack.fleet.agentEnrollment.enrollFleetTabLabel": "在 Fleet 中注册", "xpack.fleet.agentEnrollment.enrollStandaloneTabLabel": "独立运行", "xpack.fleet.agentEnrollment.fleetSettingsLink": "Fleet 设置", + "xpack.fleet.agentEnrollment.flyoutFleetServerTitle": "添加 Fleet 服务器", "xpack.fleet.agentEnrollment.flyoutTitle": "添加代理", "xpack.fleet.agentEnrollment.kubernetesCommandInstructions": "从下载清单的目录运行应用命令。", "xpack.fleet.agentEnrollment.loading.listening": "正在侦听代理……", @@ -12884,6 +13864,7 @@ "xpack.fleet.agentEnrollment.missingFleetHostCalloutTitle": "Fleet 服务器主机的 URL 缺失", "xpack.fleet.agentEnrollment.missingFleetHostGuideLink": "Fleet 和 Elastic 代理指南", "xpack.fleet.agentEnrollment.setUpAgentsLink": "为 Elastic 代理设置集中管理", + "xpack.fleet.agentEnrollment.setupGuideLink": "Fleet 和 Elastic 代理指南", "xpack.fleet.agentEnrollment.standaloneDescription": "独立运行 Elastic 代理,以在安装代理的主机上手动配置和更新代理。", "xpack.fleet.agentEnrollment.stepAgentEnrollmentConfirmation": "确认代理注册", "xpack.fleet.agentEnrollment.stepAgentEnrollmentConfirmationComplete": "已确认代理注册", @@ -12894,6 +13875,7 @@ "xpack.fleet.agentEnrollment.stepConfirmIncomingData.completed": "已确认传入数据", "xpack.fleet.agentEnrollment.stepEnrollAndRunAgentTitle": "在主机上安装 Elastic 代理", "xpack.fleet.agentEnrollment.stepInstallType": "在 Fleet 中注册?", + "xpack.fleet.agentEnrollment.stepKubernetesApplyManifest": "运行应用命令", "xpack.fleet.agentFlyout.managedMessage": "在 Fleet 中注册(建议)", "xpack.fleet.agentFlyout.standaloneMessage": "独立运行", "xpack.fleet.agentHealth.healthyStatusText": "运行正常", @@ -12908,8 +13890,10 @@ "xpack.fleet.agentList.addFleetServerButton": "添加 Fleet 服务器", "xpack.fleet.agentList.addFleetServerButton.tooltip": "Fleet 服务器是 Elastic Stack 用于集中管理 Elastic 代理的组件", "xpack.fleet.agentList.addRemoveTagsActionText": "添加/移除标签", + "xpack.fleet.agentList.agentActivityButton": "代理活动", "xpack.fleet.agentList.agentUpgradeLabel": "升级可用", "xpack.fleet.agentList.clearFiltersLinkText": "清除筛选", + "xpack.fleet.agentList.diagnosticsOneButton": "请求诊断 .zip", "xpack.fleet.agentList.errorFetchingDataTitle": "获取代理时出错", "xpack.fleet.agentList.forceUnenrollOneButton": "强制取消注册", "xpack.fleet.agentList.hostColumnTitle": "主机", @@ -12958,6 +13942,7 @@ "xpack.fleet.agentPolicy.postInstallAddAgentModalCancelButtonLabel": "稍后添加 Elastic 代理", "xpack.fleet.agentPolicy.postInstallAddAgentModalConfirmButtonLabel": "将 Elastic 代理添加到您的主机", "xpack.fleet.agentPolicy.saveIntegrationTooltip": "要保存集成策略,必须启用安全功能并具有集成的所有权限。请联系您的管理员。", + "xpack.fleet.agentPolicyActionMenu.addFleetServerActionText": "添加 Fleet 服务器", "xpack.fleet.agentPolicyActionMenu.buttonText": "操作", "xpack.fleet.agentPolicyActionMenu.copyPolicyActionText": "复制策略", "xpack.fleet.agentPolicyActionMenu.enrollAgentActionText": "添加代理", @@ -12978,6 +13963,8 @@ "xpack.fleet.agentPolicyForm.descriptionFieldPlaceholder": "可选描述", "xpack.fleet.agentPolicyForm.downloadSourceDescription": "签发升级操作时,代理将从此位置下载二进制文件。", "xpack.fleet.agentPolicyForm.downloadSourceLabel": "代理二进制文件下载", + "xpack.fleet.agentPolicyForm.fleetServerHostsDescripton": "选择此策略中的代理将与哪个 Fleet 服务器进行通信。", + "xpack.fleet.agentPolicyForm.fleetServerHostsLabel": "Fleet 服务器", "xpack.fleet.agentPolicyForm.monitoringLabel": "代理监测", "xpack.fleet.agentPolicyForm.monitoringLogsFieldLabel": "收集代理日志", "xpack.fleet.agentPolicyForm.monitoringLogsTooltipText": "从使用此策略的 Elastic 代理收集日志。", @@ -13013,7 +14000,7 @@ "xpack.fleet.agentReassignPolicy.flyoutTitle": "分配新代理策略", "xpack.fleet.agentReassignPolicy.packageBadgeFleetServerWarning": "在独立模式下将不会启用 Fleet 服务器。", "xpack.fleet.agentReassignPolicy.selectPolicyLabel": "代理策略", - "xpack.fleet.agentReassignPolicy.successSingleNotificationTitle": "代理策略已重新分配", + "xpack.fleet.agentReassignPolicy.successSingleNotificationTitle": "正在重新分配代理策略", "xpack.fleet.agentsInitializationErrorMessageTitle": "无法为 Elastic 代理初始化集中管理", "xpack.fleet.agentStandaloneBottomBar.backButton": "返回", "xpack.fleet.agentStandaloneBottomBar.viewIncomingDataBtn": "查看传入数据", @@ -13022,6 +14009,9 @@ "xpack.fleet.agentStatus.offlineLabel": "脱机", "xpack.fleet.agentStatus.unhealthyLabel": "运行不正常", "xpack.fleet.agentStatus.updatingLabel": "正在更新", + "xpack.fleet.apiRequestFlyout.description": "针对 Kibana 执行这些请求", + "xpack.fleet.apiRequestFlyout.openFlyoutButton": "预览 API 请求", + "xpack.fleet.apiRequestFlyout.title": "Kibana API 请求", "xpack.fleet.appNavigation.agentsLinkText": "代理", "xpack.fleet.appNavigation.dataStreamsLinkText": "数据流", "xpack.fleet.appNavigation.enrollmentTokensText": "注册令牌", @@ -13051,6 +14041,7 @@ "xpack.fleet.ConfirmForceInstallModal.confirmButtonLabel": "仍然安装", "xpack.fleet.ConfirmForceInstallModal.learnMoreLink": "软件包签名", "xpack.fleet.ConfirmForceInstallModal.title": "安装未验证的集成?", + "xpack.fleet.confirmIncomingData. '": "查看 Kubernetes 指标仪表板", "xpack.fleet.confirmIncomingData.APMsubtitle": "接下来,在主机上安装 APM 代理以从应用程序和服务收集数据。", "xpack.fleet.confirmIncomingData.installApmAgentButtonText": "安装 APM 代理", "xpack.fleet.confirmIncomingData.subtitle": "然后,使用我们的集成资产(如策展视图、仪表板等)来分析数据。", @@ -13063,6 +14054,10 @@ "xpack.fleet.confirmIncomingDataStandalone.troubleshootingLink": "故障排除指南", "xpack.fleet.confirmIncomingDataWithPreview.listening": "正在侦听来自已注册代理的传入数据……", "xpack.fleet.confirmIncomingDataWithPreview.previewTitle": "传入数据预览:", + "xpack.fleet.ConfirmOpenUnverifiedModal.cancelButtonLabel": "取消", + "xpack.fleet.ConfirmOpenUnverifiedModal.confirmButtonLabel": "仍要查看", + "xpack.fleet.ConfirmOpenUnverifiedModal.learnMoreLink": "软件包签名", + "xpack.fleet.ConfirmOpenUnverifiedModal.title": "查看未验证的集成?", "xpack.fleet.copyAgentPolicy.confirmModal.cancelButtonLabel": "取消", "xpack.fleet.copyAgentPolicy.confirmModal.confirmButtonLabel": "复制策略", "xpack.fleet.copyAgentPolicy.confirmModal.copyPolicyPrompt": "为您的新代理策略选择名称和描述。", @@ -13072,6 +14067,7 @@ "xpack.fleet.copyAgentPolicy.fatalErrorNotificationTitle": "复制代理策略时出错", "xpack.fleet.copyAgentPolicy.successNotificationTitle": "已复制代理策略", "xpack.fleet.createAgentPolicy.cancelButtonLabel": "取消", + "xpack.fleet.createAgentPolicy.devtoolsRequestDescription": "此 Kibana 请求将创建新的代理策略。", "xpack.fleet.createAgentPolicy.errorNotificationTitle": "无法创建代理策略", "xpack.fleet.createAgentPolicy.flyoutTitle": "创建代理策略", "xpack.fleet.createAgentPolicy.flyoutTitleDescription": "代理策略用于管理一组代理的设置。您可以将集成添加到代理策略,以指定代理收集的数据。编辑代理策略时,可以使用 Fleet 将更新部署到一组指定代理。", @@ -13090,6 +14086,8 @@ "xpack.fleet.createPackagePolicy.agentPolicyNameLabel": "代理策略", "xpack.fleet.createPackagePolicy.cancelButton": "取消", "xpack.fleet.createPackagePolicy.cancelLinkText": "取消", + "xpack.fleet.createPackagePolicy.devtoolsRequestDescription": "此 Kibana 请求将创建新的软件包策略。", + "xpack.fleet.createPackagePolicy.devtoolsRequestWithAgentPolicyDescription": "这些 Kibana 请求将创建新的代理策略和新的软件包策略。", "xpack.fleet.createPackagePolicy.errorLoadingPackageTitle": "加载软件包信息时出错", "xpack.fleet.createPackagePolicy.errorOnSaveText": "您的集成策略有错误。请在保存前修复这些错误。", "xpack.fleet.createPackagePolicy.firstAgentPolicyNameText": "我的首个代理策略", @@ -13128,6 +14126,7 @@ "xpack.fleet.createPackagePolicyBottomBar.addAnotherIntegration": "添加其他集成", "xpack.fleet.createPackagePolicyBottomBar.backButton": "返回", "xpack.fleet.createPackagePolicyBottomBar.loading": "正在加载……", + "xpack.fleet.createPackagePolicyBottomBar.skipAddAgentButton": "仅添加集成(跳过代理安装)", "xpack.fleet.currentUpgrade.abortRequestError": "中止升级时发生错误", "xpack.fleet.currentUpgrade.confirmTitle": "是否中止升级?", "xpack.fleet.dataStreamList.actionsColumnTitle": "操作", @@ -13234,12 +14233,14 @@ "xpack.fleet.disabledSecurityDescription": "必须在 Kibana 和 Elasticsearch 启用安全性,才能使用 Elastic Fleet。", "xpack.fleet.disabledSecurityTitle": "安全性未启用", "xpack.fleet.editAgentPolicy.cancelButtonText": "取消", + "xpack.fleet.editAgentPolicy.devtoolsRequestDescription": "此 Kibana 请求将更新代理策略。", "xpack.fleet.editAgentPolicy.errorNotificationTitle": "无法更新代理策略", "xpack.fleet.editAgentPolicy.saveButtonText": "保存更改", "xpack.fleet.editAgentPolicy.savingButtonText": "正在保存……", "xpack.fleet.editAgentPolicy.successNotificationTitle": "已成功更新“{name}”设置", "xpack.fleet.editAgentPolicy.unsavedChangesText": "您有未保存的更改", "xpack.fleet.editPackagePolicy.cancelButton": "取消", + "xpack.fleet.editPackagePolicy.devtoolsRequestDescription": "此 Kibana 请求将更新软件包策略。", "xpack.fleet.editPackagePolicy.errorLoadingDataMessage": "加载此集成信息时出错", "xpack.fleet.editPackagePolicy.errorLoadingDataTitle": "加载数据时出错", "xpack.fleet.editPackagePolicy.failedConflictNotificationMessage": "数据已过时。刷新页面以获取最新策略。", @@ -13267,9 +14268,13 @@ "xpack.fleet.enrollmentInstructions.callout": "建议使用安装程序 (TAR/ZIP),而非系统软件包 (RPM/DEB),因为它们允许使用 Fleet 来升级代理。", "xpack.fleet.enrollmentInstructions.copyButton": "复制到剪贴板", "xpack.fleet.enrollmentInstructions.copyButtonClicked": "已复制", + "xpack.fleet.enrollmentInstructions.copyPolicyButton": "复制到剪贴板", + "xpack.fleet.enrollmentInstructions.copyPolicyButtonClicked": "已复制", "xpack.fleet.enrollmentInstructions.downloadLink": "下载页面", + "xpack.fleet.enrollmentInstructions.downloadManifestButtonk8s": "下载清单", "xpack.fleet.enrollmentInstructions.installationMessage.link": "安装文档", "xpack.fleet.enrollmentInstructions.k8sCallout": "我们建议将 Kubernetes 集成添加到您的代理策略,以从 Kubernetes 集群中获取有用的指标和日志。", + "xpack.fleet.enrollmentInstructions.k8sInstallationMessage": "已自动生成以下清单,并在其中包括此 Elastic 代理实例的凭据,一旦该实例在您的 Kubernetes 集群中运行,将使用 Fleet 对其进行集中管理。", "xpack.fleet.enrollmentInstructions.platformButtons.kubernetes": "Kubernetes", "xpack.fleet.enrollmentInstructions.platformButtons.linux": "Linux Tar", "xpack.fleet.enrollmentInstructions.platformButtons.linux.deb": "DEB", @@ -13325,6 +14330,7 @@ "xpack.fleet.epm.categoryLabel": "类别", "xpack.fleet.epm.detailsTitle": "详情", "xpack.fleet.epm.elasticAgentBadgeLabel": "Elastic 代理", + "xpack.fleet.epm.errorLoadingLicense": "加载许可证信息时出错", "xpack.fleet.epm.errorLoadingNotice": "加载 NOTICE.txt 时出错", "xpack.fleet.epm.featuresLabel": "功能", "xpack.fleet.epm.integrationPreference.beatsLabel": "仅限 Beats", @@ -13333,9 +14339,22 @@ "xpack.fleet.epm.integrationPreference.recommendedTooltip": "如果 Elastic Agent 集成正式发布,我们建议使用这些集成。", "xpack.fleet.epm.integrationPreference.titleLink": "Elastic 代理和 Beats", "xpack.fleet.epm.licenseLabel": "许可证", + "xpack.fleet.epm.licenseModalCloseBtn": "关闭", "xpack.fleet.epm.loadingIntegrationErrorTitle": "加载集成详情时出错", "xpack.fleet.epm.noticeModalCloseBtn": "关闭", + "xpack.fleet.epm.packageDetails.apiReference.columnKeyName": "钥匙", + "xpack.fleet.epm.packageDetails.apiReference.columnMultidName": "多", + "xpack.fleet.epm.packageDetails.apiReference.columnRequiredName": "必需", + "xpack.fleet.epm.packageDetails.apiReference.columnTitleName": "标题", + "xpack.fleet.epm.packageDetails.apiReference.columnTypeName": "类型", + "xpack.fleet.epm.packageDetails.apiReference.globalVariablesTitle": "软件包变量", + "xpack.fleet.epm.packageDetails.apiReference.inputsTitle": "输入", + "xpack.fleet.epm.packageDetails.apiReference.learnMoreLink": "了解详情", + "xpack.fleet.epm.packageDetails.apiReference.streamsTitle": "流计数", + "xpack.fleet.epm.packageDetails.apiReference.variableTableTitle": "变量", "xpack.fleet.epm.packageDetails.assets.assetsNotAvailableInCurrentSpace": "已安装此集成,但该工作区中没有资产可用", + "xpack.fleet.epm.packageDetails.assets.assetsPermissionError": "您无权检索该集成的 Kibana 已保存对象。请联系您的管理员。", + "xpack.fleet.epm.packageDetails.assets.assetsPermissionErrorTitle": "权限错误", "xpack.fleet.epm.packageDetails.assets.fetchAssetsErrorTitle": "加载资产时出错", "xpack.fleet.epm.packageDetails.assets.noAssetsFoundLabel": "未找到资产", "xpack.fleet.epm.packageDetails.integrationList.actions": "操作", @@ -13348,6 +14367,7 @@ "xpack.fleet.epm.packageDetails.integrationList.updatedAt": "上次更新时间", "xpack.fleet.epm.packageDetails.integrationList.updatedBy": "最后更新者", "xpack.fleet.epm.packageDetails.integrationList.version": "版本", + "xpack.fleet.epm.packageDetailsNav.documentationLinkText": "API 参考", "xpack.fleet.epm.packageDetailsNav.overviewLinkText": "概览", "xpack.fleet.epm.packageDetailsNav.packageAssetsLinkText": "资产", "xpack.fleet.epm.packageDetailsNav.packageCustomLinkText": "高级", @@ -13356,10 +14376,16 @@ "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutDescriptionGuideLink": "此指南中的步骤", "xpack.fleet.epm.packageDetailsSecurityRequiredCalloutTitle": "需要启用安全功能才能添加 Elastic 代理集成", "xpack.fleet.epm.pageSubtitle": "选择集成以开始收集并分析数据。", + "xpack.fleet.epm.prereleaseWarningCalloutSwitchToGAButton": "切换到最新 GA 版本", "xpack.fleet.epm.releaseBadge.betaDescription": "在生产环境中不推荐使用此集成。", "xpack.fleet.epm.releaseBadge.betaLabel": "公测版", + "xpack.fleet.epm.releaseBadge.releaseCandidateDescription": "在生产环境中不推荐使用此集成。", + "xpack.fleet.epm.releaseBadge.releaseCandidateLabel": "候选发布版本", + "xpack.fleet.epm.releaseBadge.technicalPreviewDescription": "此功能处于技术预览状态,在未来版本中可能会更改或完全移除。Elastic 将尽最大努力来修复任何问题,但处于技术预览状态的功能不受正式 GA 功能支持 SLA 的约束。", + "xpack.fleet.epm.releaseBadge.technicalPreviewLabel": "技术预览", "xpack.fleet.epm.screenshotErrorText": "无法加载此屏幕截图", "xpack.fleet.epm.screenshotsTitle": "屏幕截图", + "xpack.fleet.epm.subscriptionLabel": "订阅", "xpack.fleet.epm.updateAvailableTooltip": "有可用更新", "xpack.fleet.epm.usedByLabel": "代理策略", "xpack.fleet.epm.verificationWarningCalloutLearnMoreLink": "软件包签名", @@ -13389,27 +14415,38 @@ "xpack.fleet.fleetServerFlyout.confirmConnectionTitle": "确认连接", "xpack.fleet.fleetServerFlyout.connectionSuccessful": "现在,您可以继续使用 Fleet 注册代理。", "xpack.fleet.fleetServerFlyout.continueEnrollingButton": "继续注册 Elastic 代理", + "xpack.fleet.fleetServerFlyout.continueFleetServerPolicyButton": "继续", "xpack.fleet.fleetServerFlyout.generateFleetServerPolicyButton": "生成 Fleet 服务器策略", "xpack.fleet.fleetServerFlyout.generateFleetServerPolicySuccessTitle": "已创建 Fleet 服务器策略。", "xpack.fleet.fleetServerFlyout.getStartedTitle": "开始使用 Fleet 服务器", "xpack.fleet.fleetServerFlyout.installFleetServerTitle": "将 Fleet 服务器安装到集中式主机", "xpack.fleet.fleetServerFlyout.title": "添加 Fleet 服务器", + "xpack.fleet.fleetServerLanding.addFleetServerButton": "添加 Fleet 服务器", + "xpack.fleet.fleetServerLanding.addFleetServerButton.tooltip": "Fleet 服务器是 Elastic Stack 用于集中管理 Elastic 代理的组件", + "xpack.fleet.fleetServerLanding.title": "添加 Fleet 服务器", "xpack.fleet.fleetServerOnPremRequiredCallout.calloutTitle": "在使用 Fleet 注册代理之前,需要提供 Fleet 服务器。", "xpack.fleet.fleetServerOnPremRequiredCallout.guideLink": "Fleet 和 Elastic 代理指南", "xpack.fleet.fleetServerOnPremUnhealthyCallout.addFleetServerButtonLabel": "添加 Fleet 服务器", "xpack.fleet.fleetServerOnPremUnhealthyCallout.calloutTitle": "Fleet 服务器未正常运行", "xpack.fleet.fleetServerOnPremUnhealthyCallout.guideLink": "Fleet 和 Elastic 代理指南", + "xpack.fleet.fleetServerSetup.addFleetServerHostBtn": "添加新的 Fleet 服务器主机", "xpack.fleet.fleetServerSetup.addFleetServerHostButton": "添加主机", "xpack.fleet.fleetServerSetup.addFleetServerHostStepTitle": "添加您的 Fleet 服务器主机", "xpack.fleet.fleetServerSetup.addFleetServerHostSuccessTitle": "已添加 Fleet 服务器主机", + "xpack.fleet.fleetServerSetup.calloutTitle": "代理诊断", "xpack.fleet.fleetServerSetup.cloudDeploymentLink": "编辑部署", "xpack.fleet.fleetServerSetup.cloudSetupTitle": "启用 Fleet 服务器", "xpack.fleet.fleetServerSetup.errorAddingFleetServerHostTitle": "添加 Fleet 服务器主机时出错", "xpack.fleet.fleetServerSetup.errorGeneratingTokenTitleText": "生成令牌时出错", "xpack.fleet.fleetServerSetup.errorRefreshingFleetServerStatus": "刷新 Fleet 服务器状态时出错", + "xpack.fleet.fleetServerSetup.fleetServerHostsInputPlaceholder": "指定主机 URL", + "xpack.fleet.fleetServerSetup.fleetServerHostsLabel": "Fleet 服务器主机", "xpack.fleet.fleetServerSetup.fleetSettingsLink": "Fleet 设置", "xpack.fleet.fleetServerSetup.generateServiceTokenButton": "生成服务令牌", "xpack.fleet.fleetServerSetup.generateServiceTokenDescription": "服务令牌授予 Fleet 服务器向 Elasticsearch 写入的权限。", + "xpack.fleet.fleetServerSetup.hostUrlLabel": "URL", + "xpack.fleet.fleetServerSetup.nameInputLabel": "名称", + "xpack.fleet.fleetServerSetup.nameInputPlaceholder": "指定名称", "xpack.fleet.fleetServerSetup.productionText": "生产", "xpack.fleet.fleetServerSetup.quickStartText": "快速启动", "xpack.fleet.fleetServerSetup.saveServiceTokenDescription": "保存服务令牌信息。其仅显示一次。", @@ -13424,6 +14461,15 @@ "xpack.fleet.fleetServerSetupPermissionDeniedErrorTitle": "权限被拒绝", "xpack.fleet.fleetServerUnhealthy.requestError": "提取 Fleet 服务器状态时出错", "xpack.fleet.genericActionsMenuText": "打开", + "xpack.fleet.guidedOnboardingTour.agentModalButton.tourDescription": "要继续进行设置,请立即将 Elastic 代理添加到您的主机。", + "xpack.fleet.guidedOnboardingTour.agentModalButton.tourTitle": "添加 Elastic 代理", + "xpack.fleet.guidedOnboardingTour.endpointButton.description": "只需几个步骤,即可使用我们推荐的默认值配置您的数据。您稍后可以更改此项。", + "xpack.fleet.guidedOnboardingTour.endpointButton.title": "添加 Elastic Defend", + "xpack.fleet.guidedOnboardingTour.endpointCard.description": "在 SIEM 中快速获取数据的最佳方式。", + "xpack.fleet.guidedOnboardingTour.endpointCard.title": "选择 Elastic Defend", + "xpack.fleet.guidedOnboardingTour.kubernetesButton.tourDescription": "只需几个步骤,即可使用我们推荐的默认值配置您的数据。您稍后可以更改此项。", + "xpack.fleet.guidedOnboardingTour.kubernetesButton.tourTitle": "添加 Kubernetes", + "xpack.fleet.guidedOnboardingTour.nextButtonLabel": "了解", "xpack.fleet.homeIntegration.tutorialDirectory.fleetAppButtonText": "试用集成", "xpack.fleet.homeIntegration.tutorialModule.noticeText.blogPostLink": "公告博客", "xpack.fleet.homeIntegration.tutorialModule.noticeText.integrationLink": "将作为 Elastic 代理集成来提供", @@ -13494,6 +14540,7 @@ "xpack.fleet.packagePolicyEditor.datastreamMappings.inspectBtn": "检查映射", "xpack.fleet.packagePolicyEditor.datastreamMappings.learnMoreLink": "了解详情", "xpack.fleet.packagePolicyEditor.datastreamMappings.title": "映射", + "xpack.fleet.packagePolicyEditor.experimentalSettings.title": "索引设置(实验性)", "xpack.fleet.packagePolicyEdotpr.datastreamIngestPipelines.learnMoreLink": "了解详情", "xpack.fleet.packagePolicyField.yamlCodeEditor": "YAML 代码编辑器", "xpack.fleet.packagePolicyValidation.boolValueError": "布尔值必须为 true 或 false", @@ -13543,6 +14590,14 @@ "xpack.fleet.policyForm.generalSettingsGroupTitle": "常规设置", "xpack.fleet.renameAgentTags.errorNotificationTitle": "标签重命名失败", "xpack.fleet.renameAgentTags.successNotificationTitle": "标签已重命名", + "xpack.fleet.requestDiagnostics.calloutText": "诊断文件存储在 Elasticsearch 中,因此可能产生存储成本。Fleet 会在 30 天后自动移除旧有的诊断文件。", + "xpack.fleet.requestDiagnostics.cancelButtonLabel": "取消", + "xpack.fleet.requestDiagnostics.confirmSingleButtonLabel": "请求诊断", + "xpack.fleet.requestDiagnostics.description": "诊断文件存储在 Elasticsearch 中,因此可能产生存储成本。Fleet 会在 30 天后自动移除旧有的诊断文件。", + "xpack.fleet.requestDiagnostics.errorLoadingUploadsNotificationTitle": "加载诊断上传项时出错", + "xpack.fleet.requestDiagnostics.generatingText": "正在生成诊断文件......", + "xpack.fleet.requestDiagnostics.singleTitle": "请求诊断", + "xpack.fleet.requestDiagnostics.successSingleNotificationTitle": "已提交请求诊断", "xpack.fleet.serverError.returnedIncorrectKey": "find enrollmentKeyById 返回错误的密钥", "xpack.fleet.serverError.unableToCreateEnrollmentKey": "无法创建注册 api 密钥", "xpack.fleet.serverPlugin.privilegesTooltip": "访问 Fleet 需要所有工作区。", @@ -13551,6 +14606,10 @@ "xpack.fleet.settings.deleteDowloadSource.confirmModalTitle": "删除并部署更改?", "xpack.fleet.settings.deleteDownloadSource.confirmButtonLabel": "删除并部署", "xpack.fleet.settings.deleteDownloadSource.errorToastTitle": "删除代理二进制源时出错。", + "xpack.fleet.settings.deleteFleetServerHosts.confirmButtonLabel": "删除并部署更改", + "xpack.fleet.settings.deleteFleetServerHosts.confirmModalText": "此操作将更改当前在该 Fleet 服务器中注册的代理策略,以改为在默认 Fleet 服务器中注册。是否确定要继续?", + "xpack.fleet.settings.deleteFleetServerHosts.confirmModalTitle": "删除并部署更改?", + "xpack.fleet.settings.deleteFleetServerHosts.errorToastTitle": "删除 Fleet 服务器主机时出错", "xpack.fleet.settings.deleteOutput.confirmModalTitle": "删除并部署更改?", "xpack.fleet.settings.deleteOutputs.confirmButtonLabel": "删除并部署", "xpack.fleet.settings.deleteOutputs.errorToastTitle": "删除输出时出错", @@ -13568,9 +14627,9 @@ "xpack.fleet.settings.downloadSourcesTable.hostColumnTitle": "主机", "xpack.fleet.settings.downloadSourcesTable.nameColumnTitle": "名称", "xpack.fleet.settings.editDownloadSourcesFlyout.cancelButtonLabel": "取消", - "xpack.fleet.settings.editDownloadSourcesFlyout.createTitle": "添加新的代理下载二进制主机", + "xpack.fleet.settings.editDownloadSourcesFlyout.createTitle": "添加新的代理二进制源", "xpack.fleet.settings.editDownloadSourcesFlyout.defaultSwitchLabel": "将此主机设为所有代理策略的默认主机。", - "xpack.fleet.settings.editDownloadSourcesFlyout.editTitle": "编辑代理下载二进制主机", + "xpack.fleet.settings.editDownloadSourcesFlyout.editTitle": "编辑代理二进制源", "xpack.fleet.settings.editDownloadSourcesFlyout.hostInputLabel": "主机", "xpack.fleet.settings.editDownloadSourcesFlyout.hostsInputPlaceholder": "指定主机", "xpack.fleet.settings.editDownloadSourcesFlyout.nameInputLabel": "名称", @@ -13600,19 +14659,35 @@ "xpack.fleet.settings.editOutputFlyout.typeInputPlaceholder": "指定类型", "xpack.fleet.settings.editOutputFlyout.yamlConfigInputLabel": "高级 YAML 配置", "xpack.fleet.settings.editOutputFlyout.yamlConfigInputPlaceholder": "此处的 # 个 YAML 设置将添加到每个代理策略的输出部分。", + "xpack.fleet.settings.fleetServerHost.nameIsRequiredErrorMessage": "“名称”必填", + "xpack.fleet.settings.fleetServerHostCreateButtonLabel": "添加 Fleet 服务器", "xpack.fleet.settings.fleetServerHostsDifferentPathOrProtocolError": "对于每个 URL,协议和路径必须相同", "xpack.fleet.settings.fleetServerHostsDuplicateError": "复制 URL", "xpack.fleet.settings.fleetServerHostSectionTitle": "Fleet 服务器主机", "xpack.fleet.settings.fleetServerHostsEmptyError": "至少需要一个 URL", - "xpack.fleet.settings.fleetServerHostsError": "URL 无效", + "xpack.fleet.settings.fleetServerHostsError": "URL 无效(必须为 https URL)", + "xpack.fleet.settings.fleetServerHostsFlyout.addTitle": "添加 Fleet 服务器", "xpack.fleet.settings.fleetServerHostsFlyout.cancelButtonLabel": "取消", + "xpack.fleet.settings.fleetServerHostsFlyout.confirmModalText": "此操作将更新在该 Fleet 服务器中注册的代理策略。此操作无法撤消。是否确定要继续?", "xpack.fleet.settings.fleetServerHostsFlyout.confirmModalTitle": "保存并部署更改?", - "xpack.fleet.settings.fleetServerHostsFlyout.errorToastTitle": "保存设置时出错", + "xpack.fleet.settings.fleetServerHostsFlyout.defaultOutputSwitchLabel": "将此 Fleet 服务器设为默认服务器。", + "xpack.fleet.settings.fleetServerHostsFlyout.editTitle": "编辑 Fleet 服务器", + "xpack.fleet.settings.fleetServerHostsFlyout.errorToastTitle": "保存 Fleet 服务器主机时出错", "xpack.fleet.settings.fleetServerHostsFlyout.fleetServerHostsInputPlaceholder": "指定主机 URL", + "xpack.fleet.settings.fleetServerHostsFlyout.hostUrlLabel": "URL", + "xpack.fleet.settings.fleetServerHostsFlyout.nameInputLabel": "名称", + "xpack.fleet.settings.fleetServerHostsFlyout.nameInputPlaceholder": "指定名称", "xpack.fleet.settings.fleetServerHostsFlyout.saveButton": "保存并应用设置", - "xpack.fleet.settings.fleetServerHostsFlyout.successToastTitle": "设置已保存", + "xpack.fleet.settings.fleetServerHostsFlyout.successToastTitle": "已保存 Fleet 服务器主机", "xpack.fleet.settings.fleetServerHostsFlyout.userGuideLink": "Fleet 和 Elastic 代理指南", "xpack.fleet.settings.fleetServerHostsRequiredError": "主机 URL 必填", + "xpack.fleet.settings.fleetServerHostsTable.actionsColumnTitle": "操作", + "xpack.fleet.settings.fleetServerHostsTable.defaultColumnTitle": "默认", + "xpack.fleet.settings.fleetServerHostsTable.deleteButtonTitle": "删除", + "xpack.fleet.settings.fleetServerHostsTable.editButtonTitle": "编辑", + "xpack.fleet.settings.fleetServerHostsTable.hostUrlsColumnTitle": "主机 URL", + "xpack.fleet.settings.fleetServerHostsTable.managedTooltip": "此 Fleet 服务器主机在 Fleet 外部进行管理。请参阅 Kibana 配置文件了解详情。", + "xpack.fleet.settings.fleetServerHostsTable.nameColumnTitle": "名称", "xpack.fleet.settings.fleetSettingsLink": "了解详情", "xpack.fleet.settings.fleetUserGuideLink": "Fleet 和 Elastic 代理指南", "xpack.fleet.settings.logstashInstructions.apiKeyStepDescription": "建议授权 Logstash 以 Elastic 代理的最低权限输出到 Elasticsearch。", @@ -13692,6 +14767,7 @@ "xpack.fleet.upgradeAgents.noVersionsText": "没有任何选定的代理符合升级条件。请选择一个或多个符合条件的代理。", "xpack.fleet.upgradeAgents.scheduleUpgradeMultipleTitle": "计划升级{count, plural, one {代理} other {{count} 个代理} =true {所有选定代理}}", "xpack.fleet.upgradeAgents.startTimeLabel": "计划日期和时间", + "xpack.fleet.upgradeAgents.successNotificationTitle": "正在升级代理", "xpack.fleet.upgradeAgents.upgradeMultipleTitle": "升级{count, plural, one {代理} other { {count} 个代理} =true {所有选定代理}}", "xpack.fleet.upgradeAgents.upgradeSingleTitle": "升级代理", "xpack.fleet.upgradePackagePolicy.pageDescriptionFromUpgrade": "升级此集成并将更改部署到选定代理策略", @@ -13710,7 +14786,7 @@ "xpack.globalSearchBar.searchBar.noResultsHeading": "找不到结果", "xpack.globalSearchBar.searchBar.noResultsImageAlt": "黑洞的图示", "xpack.globalSearchBar.searchBar.optionTagListAriaLabel": "标签", - "xpack.globalSearchBar.searchBar.placeholder": "查找应用、内容等。例如:Discover", + "xpack.globalSearchBar.searchBar.placeholder": "查找应用、内容等。", "xpack.globalSearchBar.searchBar.shortcutDescription.macCommandDescription": "Command + /", "xpack.globalSearchBar.searchBar.shortcutDescription.shortcutInstructionDescription": "快捷方式", "xpack.globalSearchBar.searchBar.shortcutDescription.windowsCommandDescription": "Control + /", @@ -13815,6 +14891,10 @@ "xpack.graph.icon.tachometer": "转速表", "xpack.graph.icon.user": "用户", "xpack.graph.icon.users": "用户", + "xpack.graph.inspectAdapter.graphExploreRequest.dataView.description": "连接到 Elasticsearch 索引的数据视图。", + "xpack.graph.inspectAdapter.graphExploreRequest.dataView.description.label": "数据视图", + "xpack.graph.inspectAdapter.graphExploreRequest.description": "此请求将查询 Elasticsearch 以获取该图表的数据。", + "xpack.graph.inspectAdapter.graphExploreRequest.name": "数据", "xpack.graph.leaveWorkspace.confirmButtonLabel": "离开", "xpack.graph.leaveWorkspace.confirmText": "如果现在离开,将丢失未保存的更改。", "xpack.graph.leaveWorkspace.modalTitle": "未保存的更改", @@ -13872,6 +14952,7 @@ "xpack.graph.settings.advancedSettings.timeoutInputLabel": "超时", "xpack.graph.settings.advancedSettings.timeoutUnit": "ms", "xpack.graph.settings.advancedSettingsTitle": "高级设置", + "xpack.graph.settings.ariaLabel": "设置", "xpack.graph.settings.blocklist.blocklistHelpText": "不允许在图表中使用这些词。", "xpack.graph.settings.blocklist.clearButtonLabel": "全部删除", "xpack.graph.settings.blocklistTitle": "阻止列表", @@ -13884,6 +14965,7 @@ "xpack.graph.settings.drillDowns.removeButtonLabel": "移除", "xpack.graph.settings.drillDowns.resetButtonLabel": "重置", "xpack.graph.settings.drillDowns.toolbarIconPickerLabel": "工具栏图标", + "xpack.graph.settings.drillDowns.toolbarIconPickerSelectionAriaLabel": "工具栏图标选择", "xpack.graph.settings.drillDowns.updateSaveButtonLabel": "更新向下钻取", "xpack.graph.settings.drillDowns.urlDescriptionInputLabel": "标题", "xpack.graph.settings.drillDowns.urlDescriptionInputPlaceholder": "在 Google 上搜索", @@ -13926,6 +15008,7 @@ "xpack.graph.templates.addLabel": "新向下钻取", "xpack.graph.templates.newTemplateFormLabel": "添加向下钻取", "xpack.graph.topNavMenu.inspectAriaLabel": "检查", + "xpack.graph.topNavMenu.inspectButton.disabledTooltip": "执行搜索或展开节点以启用检查", "xpack.graph.topNavMenu.inspectLabel": "检查", "xpack.graph.topNavMenu.newWorkspaceAriaLabel": "新建工作空间", "xpack.graph.topNavMenu.newWorkspaceLabel": "新建", @@ -15024,6 +16107,9 @@ "xpack.indexLifecycleMgmt.editPolicy.deletePhase.customPolicyMessage": "输入现有快照策略的名称,或使用此名称{link}。", "xpack.indexLifecycleMgmt.editPolicy.deletePhase.noPoliciesCreatedMessage": "{link}以自动创建和删除集群快照。", "xpack.indexLifecycleMgmt.editPolicy.dependenciesMessage": " 所做的更改将影响{count, plural, other {}}附加到此策略的{dependenciesLinks}。", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalColdPhaseHotError": "必须大于热阶段值 ({value}) 并且是它的倍数", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalColdPhaseWarmError": "必须大于温阶段值 ({value}) 并且是它的倍数", + "xpack.indexLifecycleMgmt.editPolicy.downsamplePreviousIntervalWarmPhaseError": "必须大于热阶段值 ({value}) 并且是它的倍数", "xpack.indexLifecycleMgmt.editPolicy.editPolicyMessage": "编辑策略 {originalPolicyName}", "xpack.indexLifecycleMgmt.editPolicy.frozenPhase.partiallyMountedSearchableSnapshotField.description": "转换为部分安装的索引,其缓存索引元数据。数据将根据需要从快照中进行检索以处理搜索请求。这会最小化索引占用,同时使您的所有数据都可搜索。{learnMoreLink}", "xpack.indexLifecycleMgmt.editPolicy.fullyMountedSearchableSnapshotField.description": "转换为完全安装的索引,其包含数据的完整副本,并由快照支持。您可以减少副本分片的数目并依赖快照的弹性。{learnMoreLink}", @@ -15075,6 +16161,9 @@ "xpack.indexLifecycleMgmt.deprecations.enabled.manualStepTwoMessage": "将“xpack.ilm.enabled”设置更改为“xpack.ilm.ui.enabled”。", "xpack.indexLifecycleMgmt.deprecations.enabledMessage": "要禁止用户访问索引生命周期策略 UI,请使用“xpack.ilm.ui.enabled”设置,而不是“xpack.ilm.enabled”。", "xpack.indexLifecycleMgmt.deprecations.enabledTitle": "设置“xpack.ilm.enabled”已过时", + "xpack.indexLifecycleMgmt.downsampleFieldLabel": "启用下采样", + "xpack.indexLifecycleMgmt.downsampleIntervalFieldLabel": "下采样时间间隔", + "xpack.indexLifecycleMgmt.downsampleIntervalFieldUnitsLabel": "下采样时间间隔单位", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.bytesLabel": "字节", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.gigabytesLabel": "千兆字节", "xpack.indexLifecycleMgmt.editPolicy.byteSizeUnits.kilobytesLabel": "千字节", @@ -15128,6 +16217,8 @@ "xpack.indexLifecycleMgmt.editPolicy.deletePhase.waitForSnapshotTitle": "等候快照策略", "xpack.indexLifecycleMgmt.editPolicy.differentPolicyNameRequiredError": "策略名称必须不同。", "xpack.indexLifecycleMgmt.editPolicy.documentationLinkText": "文档", + "xpack.indexLifecycleMgmt.editPolicy.downsampleDescription": "将固定时间间隔内的文档汇总/打包到单个摘要文档。通过以减小的粒度存储时序数据来减少索引占用。", + "xpack.indexLifecycleMgmt.editPolicy.downsampleTitle": "下采样", "xpack.indexLifecycleMgmt.editPolicy.editingExistingPolicyMessage": "您正在编辑现有策略。", "xpack.indexLifecycleMgmt.editPolicy.errors.integerRequiredError": "仅允许使用整数。", "xpack.indexLifecycleMgmt.editPolicy.errors.maximumAgeMissingError": "最大存在时间必填。", @@ -15212,6 +16303,7 @@ "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.repositoryHelpText": "每个阶段使用相同的快照存储库。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.storageHelpText": "为可搜索快照安装的快照类型。这是高级选项。只有了解此功能时才能更改。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshot.storageLabel": "存储", + "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotCalloutBody": "在此阶段将数据转换为完全安装的索引时,不允许执行强制合并、缩小、下采样和只读操作。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotLicenseCalloutBody": "要创建可搜索快照,需要企业许可证。", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotLicenseCalloutTitle": "需要企业许可证", "xpack.indexLifecycleMgmt.editPolicy.searchableSnapshotRepoFieldLabel": "快照存储库", @@ -15374,6 +16466,7 @@ "xpack.infra.deprecations.tiebreakerAdjustIndexing": "调整索引以将“{field}”用作决胜属性。", "xpack.infra.deprecations.timestampAdjustIndexing": "调整索引以将“{field}”用作时间戳。", "xpack.infra.homePage.toolbar.showingLastOneMinuteDataText": "选定时间过去 {duration}的数据", + "xpack.infra.hostsTable.errorOnCreateOrLoadDataview": "尝试加载或创建以下数据视图时出错:{metricAlias}", "xpack.infra.inventoryTimeline.header": "平均值 {metricLabel}", "xpack.infra.kibanaMetrics.cloudIdMissingErrorMessage": "{metricId} 的模型需要云 ID,但没有为 {nodeId} 提供。", "xpack.infra.kibanaMetrics.invalidInfraMetricErrorMessage": "{id} 不是有效的 InfraMetric", @@ -15421,7 +16514,6 @@ "xpack.infra.logSourceConfiguration.missingDataViewsLabel": "缺少数据视图 {indexPatternId}", "xpack.infra.logSourceConfiguration.missingMessageFieldErrorMessage": "数据视图必须包含 {messageField} 字段。", "xpack.infra.logSourceErrorPage.savedObjectNotFoundErrorMessage": "无法找到该{savedObjectType}:{savedObjectId}", - "xpack.infra.metricDetailPage.documentTitleError": "啊哦", "xpack.infra.metrics.alertFlyout.alertPerRedundantFilterError": "此规则可能针对低于预期的 {matchedGroups} 告警,因为筛选查询包含{groupCount, plural, one {此字段} other {这些字段}}的匹配项。有关更多信息,请参阅 {filteringAndGroupingLink}。", "xpack.infra.metrics.alertFlyout.ofExpression.helpTextDetail": "找不到指标?{documentationLink}。", "xpack.infra.metrics.alerting.anomaly.summaryHigher": "高 {differential} 倍", @@ -15514,6 +16606,7 @@ "xpack.infra.analysisSetup.steps.setupProcess.viewResultsButton": "查看结果", "xpack.infra.analysisSetup.timeRangeDescription": "默认情况下,Machine Learning 分析日志索引中不超过 4 周的日志消息,并无限持续下去。您可以指定不同的开始日期或/和结束日期。", "xpack.infra.analysisSetup.timeRangeTitle": "选择时间范围", + "xpack.infra.appName": "基础架构日志", "xpack.infra.chartSection.missingMetricDataBody": "此图表的数据缺失。", "xpack.infra.chartSection.missingMetricDataText": "缺失数据", "xpack.infra.chartSection.notEnoughDataPointsToRenderText": "没有足够的数据点来呈现图表,请尝试增大时间范围。", @@ -15577,21 +16670,22 @@ "xpack.infra.hideHistory": "隐藏历史记录", "xpack.infra.homePage.inventoryTabTitle": "库存", "xpack.infra.homePage.metricsExplorerTabTitle": "指标浏览器", + "xpack.infra.homePage.metricsHostsTabTitle": "主机", "xpack.infra.homePage.noMetricsIndicesInstructionsActionLabel": "查看设置说明", "xpack.infra.homePage.settingsTabTitle": "设置", "xpack.infra.homePage.toolbar.kqlSearchFieldPlaceholder": "搜索基础设施数据……(例如 host.name:host-1)", "xpack.infra.hostsPage.experimentalBadgeDescription": "此功能处于技术预览状态,在未来版本中可能会更改或完全移除。Elastic 将尽最大努力来修复任何问题,但处于技术预览状态的功能不受正式 GA 功能支持 SLA 的约束。", "xpack.infra.hostsPage.experimentalBadgeLabel": "技术预览", "xpack.infra.hostsPage.giveFeedbackLink": "反馈", - "xpack.infra.hostsTable.averageMemoryTotalColumnHeader": "内存合计 (平均值)", + "xpack.infra.hostsTable.averageMemoryTotalColumnHeader": "内存合计(平均值)", "xpack.infra.hostsTable.averageMemoryUsageColumnHeader": "内存使用率(平均值)", - "xpack.infra.hostsTable.averageRxColumnHeader": "", - "xpack.infra.hostsTable.averageTxColumnHeader": "", - "xpack.infra.hostsTable.diskLatencyColumnHeader": "", + "xpack.infra.hostsTable.averageRxColumnHeader": "RX(平均值)", + "xpack.infra.hostsTable.averageTxColumnHeader": "TX(平均值)", + "xpack.infra.hostsTable.diskLatencyColumnHeader": "磁盘延迟(平均值)", "xpack.infra.hostsTable.nameColumnHeader": "名称", "xpack.infra.hostsTable.numberOfCpusColumnHeader": "# 个 CPU", "xpack.infra.hostsTable.operatingSystemColumnHeader": "操作系统", - "xpack.infra.hostsTable.servicesOnHostColumnHeader": "", + "xpack.infra.hostsTable.servicesOnHostColumnHeader": "主机上的服务", "xpack.infra.infra.nodeDetails.apmTabLabel": "APM", "xpack.infra.infra.nodeDetails.createAlertLink": "创建库存规则", "xpack.infra.infra.nodeDetails.openAsPage": "以页面形式打开", @@ -15837,6 +16931,8 @@ "xpack.infra.logsPage.noLoggingIndicesInstructionsActionLabel": "查看设置说明", "xpack.infra.logsPage.noLoggingIndicesTitle": "似乎您没有任何日志索引。", "xpack.infra.logsPage.toolbar.kqlSearchFieldPlaceholder": "搜索日志条目……(例如 host.name:host-1)", + "xpack.infra.logsPage.toolbar.logFilterErrorToastTitle": "日志筛选错误", + "xpack.infra.logsPage.toolbar.logFilterUnsupportedLanguageError": "不支持 SQL", "xpack.infra.logStream.kqlErrorTitle": "KQL 表达式无效", "xpack.infra.logStream.unknownErrorTitle": "发生错误", "xpack.infra.logStreamEmbeddable.description": "添加实时流式传输日志的表。", @@ -15878,7 +16974,8 @@ "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.memoryUsageSeriesLabel": "内存利用率", "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.outboundTXSeriesLabel": "出站 (TX)", "xpack.infra.metricDetailPage.containerMetricsLayout.overviewSection.sectionLabel": "容器概览", - "xpack.infra.metricDetailPage.ec2MetricsLayout.cpuUsageSection.sectionLabel": "CPU 使用", + "xpack.infra.metricDetailPage.documentTitleError": "啊哦", + "xpack.infra.metricDetailPage.ec2MetricsLayout.cpuUsageSection.sectionLabel": "CPU 使用率", "xpack.infra.metricDetailPage.ec2MetricsLayout.diskIOBytesSection.readLabel": "读取数", "xpack.infra.metricDetailPage.ec2MetricsLayout.diskIOBytesSection.sectionLabel": "磁盘 IO(字节)", "xpack.infra.metricDetailPage.ec2MetricsLayout.diskIOBytesSection.writeLabel": "写入数", @@ -16021,6 +17118,7 @@ "xpack.infra.metrics.alertFlyout.removeCondition": "删除条件", "xpack.infra.metrics.alertFlyout.removeWarningThreshold": "移除警告阈值", "xpack.infra.metrics.alertFlyout.warningThreshold": "警告", + "xpack.infra.metrics.alerting.alertDetailUrlActionVariableDescription": "Elastic 内视图的链接,显示与此告警相关的进一步详细信息和上下文", "xpack.infra.metrics.alerting.alertStateActionVariableDescription": "告警的当前状态", "xpack.infra.metrics.alerting.anomaly.defaultActionMessage": "\\{\\{alertName\\}\\} 处于 \\{\\{context.alertState\\}\\} 状态\n\n\\{\\{context.metric\\}\\} 在 \\{\\{context.timestamp\\}\\}比正常\\{\\{context.summary\\}\\}\n\n典型值:\\{\\{context.typical\\}\\}\n实际值:\\{\\{context.actual\\}\\}\n", "xpack.infra.metrics.alerting.anomaly.fired": "已触发", @@ -16034,12 +17132,18 @@ "xpack.infra.metrics.alerting.anomalySummaryDescription": "异常的描述,例如“高 2 倍”。", "xpack.infra.metrics.alerting.anomalyTimestampDescription": "检测到异常时的时间戳。", "xpack.infra.metrics.alerting.anomalyTypicalDescription": "在发生异常时受监测指标的典型值。", + "xpack.infra.metrics.alerting.cloudActionVariableDescription": "ECS 定义的云对象(如果在源中可用)。", + "xpack.infra.metrics.alerting.containerActionVariableDescription": "ECS 定义的容器对象(如果在源中可用)。", "xpack.infra.metrics.alerting.groupActionVariableDescription": "报告数据的组名称", + "xpack.infra.metrics.alerting.hostActionVariableDescription": "ECS 定义的主机对象(如果在源中可用)。", "xpack.infra.metrics.alerting.inventory.noDataFormattedValue": "[无数据]", "xpack.infra.metrics.alerting.inventory.threshold.defaultActionMessage": "\\{\\{alertName\\}\\} - \\{\\{context.group\\}\\} 处于 \\{\\{context.alertState\\}\\} 状态\n\n原因:\n\\{\\{context.reason\\}\\}\n", "xpack.infra.metrics.alerting.inventory.threshold.fired": "告警", + "xpack.infra.metrics.alerting.labelsActionVariableDescription": "与在其上触发此告警的实体关联的标签列表。", "xpack.infra.metrics.alerting.metricActionVariableDescription": "指定条件中的指标名称。用法:(ctx.metric.condition0, ctx.metric.condition1, 诸如此类)。", + "xpack.infra.metrics.alerting.orchestratorActionVariableDescription": "ECS 定义的 Orchestrator 对象(如果在源中可用)。", "xpack.infra.metrics.alerting.reasonActionVariableDescription": "告警原因的简洁描述", + "xpack.infra.metrics.alerting.tagsActionVariableDescription": "与在其上触发此告警的实体关联的标记列表。", "xpack.infra.metrics.alerting.threshold.aboveRecovery": "高于", "xpack.infra.metrics.alerting.threshold.alertState": "告警", "xpack.infra.metrics.alerting.threshold.belowRecovery": "低于", @@ -16057,13 +17161,14 @@ "xpack.infra.metrics.alerting.thresholdActionVariableDescription": "指定条件中的指标阈值。用法:(ctx.threshold.condition0, ctx.threshold.condition1, 诸如此类)。", "xpack.infra.metrics.alerting.timestampDescription": "检测到告警时的时间戳。", "xpack.infra.metrics.alerting.valueActionVariableDescription": "指定条件中的指标值。用法:(ctx.value.condition0, ctx.value.condition1, 诸如此类)。", - "xpack.infra.metrics.alerting.viewInAppUrlActionVariableDescription": "Elastic 中可用于进一步调查告警及其上下文的视图或功能的链接", + "xpack.infra.metrics.alerting.viewInAppUrlActionVariableDescription": "Elastic 中可帮助进一步调查的视图或功能的链接", "xpack.infra.metrics.alertName": "指标阈值", "xpack.infra.metrics.anomaly.alertFlyout.alertDescription": "当异常分数超过定义的阈值时告警。", "xpack.infra.metrics.anomaly.alertName": "基础架构异常", "xpack.infra.metrics.emptyViewDescription": "尝试调整您的时间或筛选。", "xpack.infra.metrics.emptyViewTitle": "没有可显示的数据。", "xpack.infra.metrics.expressionItems.components.closablePopoverTitle.closeLabel": "关闭", + "xpack.infra.metrics.hostsTitle": "主机", "xpack.infra.metrics.invalidNodeErrorDescription": "反复检查您的配置", "xpack.infra.metrics.inventory.alertFlyout.alertDescription": "当库存超过定义的阈值时告警。", "xpack.infra.metrics.inventory.alertName": "库存", @@ -16150,6 +17255,7 @@ "xpack.infra.metricsHeaderAddDataButtonLabel": "添加数据", "xpack.infra.metricsTable.container.averageCpuUsagePercentColumnHeader": "CPU 使用率(平均值)", "xpack.infra.metricsTable.container.averageMemoryUsageMegabytesColumnHeader": "内存使用率(平均值)", + "xpack.infra.metricsTable.container.idColumnHeader": "ID", "xpack.infra.metricsTable.container.paginationAriaLabel": "容器指标分页", "xpack.infra.metricsTable.container.tableCaption": "容器的基础架构指标", "xpack.infra.metricsTable.emptyIndicesPromptQueryHintDescription": "尝试搜索不同的词组合。", @@ -17168,6 +18274,7 @@ "xpack.lens.editorFrame.expressionFailureMessageWithContext": "请求错误:{type},{context} 中的 {reason}", "xpack.lens.editorFrame.expressionMissingDataView": "找不到{count, plural, other {数据视图}}:{ids}", "xpack.lens.editorFrame.requiresTwoOrMoreFieldsWarningLabel": "需要 {requiredMinDimensionCount} 个字段", + "xpack.lens.editorFrame.tooManyDimensionsSingularWarningLabel": "请移除{dimensionsTooMany, plural, one {一个维度} other {{dimensionsTooMany} 个维度}}", "xpack.lens.formula.optionalArgument": "可选。默认值为 {defaultValue}", "xpack.lens.formulaErrorCount": "{count} 个{count, plural, other {错误}}", "xpack.lens.formulaWarningCount": "{count} 个{count, plural, other {警告}}", @@ -17175,6 +18282,7 @@ "xpack.lens.heatmapVisualization.arrayValuesWarningMessage": "{label} 包含数组值。您的可视化可能无法正常渲染。", "xpack.lens.indexPattern.addColumnAriaLabel": "将字段添加或拖放到 {groupLabel}", "xpack.lens.indexPattern.addColumnAriaLabelClick": "添加标注到 {groupLabel}", + "xpack.lens.indexPattern.annotationsDimensionEditorLabel": "{groupLabel} 标注", "xpack.lens.indexPattern.ascendingCountPrecisionErrorWarning": "由于数据的索引方式,此可视化的 {name} 可能为近似值。尝试按稀有度排序,而不是采用升序记录计数。有关此限制的详情,{link}。", "xpack.lens.indexPattern.autoIntervalLabel": "自动 ({interval})", "xpack.lens.indexPattern.avgOf": "{name} 的平均值", @@ -17183,7 +18291,7 @@ "xpack.lens.indexPattern.cardinalityOf": "{name} 的唯一计数", "xpack.lens.indexPattern.CounterRateOf": "{name} 的计数率", "xpack.lens.indexPattern.cumulativeSumOf": "{name} 的累计和", - "xpack.lens.indexPattern.dateHistogram.autoLongerExplanation": "要选择时间间隔,Lens 按 {targetBarSetting} 设置分割指定的时间范围。Lens 为您的数据计算最佳时间间隔。例如 30m、1h 和 12。最大条形数由 {maxBarSetting} 值设置。", + "xpack.lens.indexPattern.dateHistogram.autoLongerExplanation": "要选择时间间隔,Lens 会按 {targetBarSetting} 高级设置分割指定的时间范围,并为您的数据计算最佳时间间隔。例如,当时间间隔为 4 天时,数据将分割为每小时存储桶。要配置最大条形数,请使用 {maxBarSetting} 高级设置。", "xpack.lens.indexPattern.dateHistogram.restrictedInterval": "由于聚合限制,时间间隔固定为 {intervalValue}。", "xpack.lens.indexPattern.dateHistogramTimeShift": "在单个图层中,您无法组合上一时间范围偏移与 Date Histogram。在“{column}”中使用显式时间偏移持续时间,或替换 Date Histogram。", "xpack.lens.indexPattern.derivativeOf": "{name} 的差异", @@ -17196,19 +18304,20 @@ "xpack.lens.indexPattern.formulaExpressionNotHandled": "公式中的运算 {operation} 缺失以下参数:{params}", "xpack.lens.indexPattern.formulaExpressionParseError": "公式 {expression} 无法解析", "xpack.lens.indexPattern.formulaExpressionWrongType": "公式中运算 {operation} 的参数的类型不正确:{params}", + "xpack.lens.indexPattern.formulaExpressionWrongTypeArgument": "公式中运算 {operation} 的 {name} 参数的类型不正确:{type} 而非 {expectedType}", "xpack.lens.indexPattern.formulaFieldNotFound": "找不到{variablesLength, plural, other {字段}} {variablesList}", "xpack.lens.indexPattern.formulaFieldNotRequired": "运算 {operation} 不接受任何字段作为参数", "xpack.lens.indexPattern.formulaMathMissingArgument": "公式中的运算 {operation} 缺失 {count} 个参数:{params}", "xpack.lens.indexPattern.formulaOperationDuplicateParams": "运算 {operation} 的参数已声明多次:{params}", - "xpack.lens.indexPattern.formulaOperationFiltersTypeConflicts": "“{outerType}”类型的公式筛选与 {operation} 运算中“{innerType}”类型的内部筛选不兼容。", + "xpack.lens.indexPattern.formulaOperationFiltersTypeConflicts": "“{outerType}”类型的公式筛选与 {operation} 运算中“{innerType}”类型的内部筛选不兼容", "xpack.lens.indexPattern.formulaOperationQueryError": "{rawQuery} 的 {language}='' 需要单引号", "xpack.lens.indexPattern.formulaOperationTooManyFirstArguments": "公式中的运算 {operation} 需要{supported, plural, one {单个} other {支持的}} {type},发现了:{text}", "xpack.lens.indexPattern.formulaOperationwrongArgument": "公式中的运算 {operation} 不支持 {type} 参数,发现了:{text}", "xpack.lens.indexPattern.formulaOperationWrongFirstArgument": "{operation} 的第一个参数应为 {type} 名称。找到了 {argument}", - "xpack.lens.indexPattern.formulaOperationWrongReturnedType": "公式中不支持运算 {text} 的返回值类型。", + "xpack.lens.indexPattern.formulaOperationWrongReturnedType": "公式中不支持运算 {text} 的返回值类型", "xpack.lens.indexPattern.formulaParameterNotRequired": "运算 {operation} 不接受任何参数", "xpack.lens.indexPattern.formulaPartLabel": "{label} 的一部分", - "xpack.lens.indexPattern.formulaUseAlternative": "此公式中的操作 {operation} 缺少 {params} 参数:请改用 {alternativeFn} 操作。", + "xpack.lens.indexPattern.formulaUseAlternative": "公式中运算 {operation} 缺失 {params} 参数:请改用 {alternativeFn} 运算", "xpack.lens.indexPattern.formulaWithTooManyArguments": "运算 {operation} 的参数过多", "xpack.lens.indexPattern.invalidReferenceConfiguration": "维度“{dimensionLabel}”配置不正确", "xpack.lens.indexPattern.lastValue.invalidTypeSortField": "字段 {invalidField} 不是日期字段,不能用于排序", @@ -17236,6 +18345,9 @@ "xpack.lens.indexPattern.precisionErrorWarning.accuracyEnabled": "{name} 可能为近似值。要获得更精确的结果,请尝试增加 {topValues} 的数目或改用 {filters}。{learnMoreLink}", "xpack.lens.indexPattern.ranges.granularityPopoverExplanation": "时间间隔的大小是“好”值。滑块的粒度更改时,如果“好的”时间间隔不变,时间间隔也不变。最小粒度为 1,最大值为 {setting}。要更改最大粒度,请前往“高级设置”。", "xpack.lens.indexPattern.rareTermsOf": "{name} 的稀有值", + "xpack.lens.indexPattern.reducedTimeRangeWithDateHistogram": "仅在没有 Date Histogram 时才可以使用缩小的时间范围。移除 Date Histogram 维度,或从 {column} 中移除缩小的时间范围。", + "xpack.lens.indexPattern.reducedTimeRangeWithoutTimefield": "只能将缩小的时间范围用于数据视图上的指定默认时间字段。使用具有默认时间字段的不同数据视图,或从 {column} 中移除缩小的时间范围。", + "xpack.lens.indexPattern.referenceLineDimensionEditorLabel": "{groupLabel} 参考线", "xpack.lens.indexPattern.removeColumnLabel": "从“{groupLabel}”中删除配置", "xpack.lens.indexPattern.standardDeviationOf": "{name} 的标准偏差", "xpack.lens.indexPattern.staticValueError": "{value} 的静态值不是有效数字", @@ -17252,18 +18364,27 @@ "xpack.lens.indexPattern.termsWithMultipleTermsAndScriptedFields": "使用多个字段时不支持脚本字段,找到 {fields}", "xpack.lens.indexPattern.timeShiftMultipleWarning": "{label} 使用的时间偏移 {columnTimeShift} 不是 Date Histogram 时间间隔 {interval} 的倍数。要防止数据不匹配,请使用 {interval} 的倍数作为时间偏移。", "xpack.lens.indexPattern.timeShiftSmallWarning": "{label} 使用的时间偏移 {columnTimeShift} 小于 Date Histogram 时间间隔 {interval} 。要防止数据不匹配,请使用 {interval} 的倍数作为时间偏移。", + "xpack.lens.indexPattern.tsdbRollupWarning": "{label} 使用的函数不受汇总/打包数据支持。请选择其他函数,或更改时间范围。", "xpack.lens.indexPattern.uniqueLabel": "{label} [{num}]", + "xpack.lens.indexPattern.useFieldExistenceSamplingBody": "字段存在采样已过时,将在 Kibana {version} 中移除。您可以在 {link} 中禁用此功能。", "xpack.lens.indexPattern.valueCountOf": "{name} 的计数", "xpack.lens.indexPatternSuggestion.removeLayerLabel": "仅显示 {indexPatternTitle}", "xpack.lens.indexPatternSuggestion.removeLayerPositionLabel": "仅显示图层 {layerNumber}", - "xpack.lens.pie.arrayValues": "{label} 包含数组值。您的可视化可能无法正常渲染。", + "xpack.lens.pie.arrayValues": "以下维度包含数组值:{label}。您的可视化可能无法正常渲染。", + "xpack.lens.pie.multiMetricAccessorLabel": "{number} 个指标", "xpack.lens.pie.suggestionLabel": "为 {chartName}", + "xpack.lens.reducedTimeRangeSuffix": "上一个 {reducedTimeRange}", "xpack.lens.shared.legend.filterOptionsLegend": "{legendDataLabel}, 筛选选项", "xpack.lens.table.tableCellFilter.filterForValueAriaLabel": "筛留值:{cellContent}", "xpack.lens.table.tableCellFilter.filterOutValueAriaLabel": "筛除值:{cellContent}", "xpack.lens.uniqueLabel": "{label} [{num}]", "xpack.lens.unknownVisType.longMessage": "无法解析可视化类型 {visType}。", "xpack.lens.visualizeGeoFieldMessage": "Lens 无法可视化 {fieldType} 字段", + "xpack.lens.xyChart.annotationError": "标注 {annotationName} 包含错误:{errorMessage}", + "xpack.lens.xyChart.annotationError.textFieldNotFound": "在数据视图 {dataView} 中未找到文本字段 {textField}", + "xpack.lens.xyChart.annotationError.timeFieldNotFound": "在数据视图 {dataView} 中未找到时间字段 {timeField}", + "xpack.lens.xyChart.annotationError.tooltipFieldNotFound": "在数据视图 {dataView} 中未找到工具提示{missingFields, plural, other {字段}} {missingTooltipFields}", + "xpack.lens.xyChart.randomSampling.help": "较低采样百分比会提高速度,但会降低准确性。作为最佳做法,请仅将较低采样用于大型数据集。{link}", "xpack.lens.xySuggestions.dateSuggestion": "{yTitle} / {xTitle}", "xpack.lens.xySuggestions.nonDateSuggestion": "{xTitle}的{yTitle}", "xpack.lens.xyVisualization.arrayValues": "{label} 包含数组值。您的可视化可能无法正常渲染。", @@ -17271,6 +18392,7 @@ "xpack.lens.xyVisualization.dataFailureSplitShort": "缺少 {axis}。", "xpack.lens.xyVisualization.dataFailureYLong": "{layers, plural, other {图层}} {layersList} {layers, plural, other {需要}}一个针对{axis}的字段。", "xpack.lens.xyVisualization.dataFailureYShort": "缺少 {axis}。", + "xpack.lens.xyVisualization.dataTypeFailureXLong": "图层 {firstLayer} 中的 {axis} 数据与图层 {secondLayer} 中的数据不兼容。为 {axis} 选择一个新函数。", "xpack.lens.xyVisualization.dataTypeFailureXShort": "{axis} 的数据类型错误。", "xpack.lens.xyVisualization.dataTypeFailureYLong": "为 {axis} 提供的维度 {label} 具有错误的数据类型。应为数字,但却为 {dataType}", "xpack.lens.xyVisualization.dataTypeFailureYShort": "{axis} 的数据类型错误。", @@ -17280,11 +18402,18 @@ "xpack.lens.formula.ceilFunction.markdown": "\n值的上限,向上舍入。\n\n例如:向上舍入价格\n`ceil(sum(price))`\n ", "xpack.lens.formula.clampFunction.markdown": "\n将值限制在最小值到最大值之间。\n\n例如:确保捕获离群值\n```\nclamp(\n average(bytes),\n percentile(bytes, percentile=5),\n percentile(bytes, percentile=95)\n)\n```\n", "xpack.lens.formula.cubeFunction.markdown": "\n计算数值的立方。\n\n例如:从边长计算体积\n`cube(last_value(length))`\n ", + "xpack.lens.formula.defaultFunction.markdown": "\n值为 Null 时返回默认数值。\n\n例如:字段不包含数据时返回 -1\n`defaults(average(bytes), -1)`\n", "xpack.lens.formula.divideFunction.markdown": "\n将第一个数字除以第二个数字。\n还可以使用 `/` 符号\n\n例如:计算利润率\n`sum(profit) / sum(revenue)`\n\n例如:`divide(sum(bytes), 2)`\n ", + "xpack.lens.formula.eqFunction.markdown": "\n在两个值之间执行相等比较。\n将用作 `ifelse` 比较函数的条件。\n还可以使用 `==` 符号。\n\n例如:如果平均字节数与平均内存容量完全相同,则返回 true\n`average(bytes) == average(memory)`\n\n示例:`eq(sum(bytes), 1000000)`\n ", "xpack.lens.formula.expFunction.markdown": "\n计算 *e* 的 n 次幂。\n\n例如:计算自然指数函数\n\n`exp(last_value(duration))`\n ", "xpack.lens.formula.fixFunction.markdown": "\n对于正值,取下限。对于负值,取上限。\n\n例如:正在向零舍入\n`fix(sum(profit))`\n ", "xpack.lens.formula.floorFunction.markdown": "\n向下舍入到最近整数值\n\n例如:向下舍入价格\n`floor(sum(price))`\n ", + "xpack.lens.formula.gteFunction.markdown": "\n在两个值之间执行大于比较。\n将用作 `ifelse` 比较函数的条件。\n还可以使用 `>=` 符号。\n\n例如:如果平均字节数大于或等于平均内存容量,则返回 true\n`average(bytes) >= average(memory)`\n\n示例:`gte(average(bytes), 1000)`\n ", + "xpack.lens.formula.gtFunction.markdown": "\n在两个值之间执行大于比较。\n将用作 `ifelse` 比较函数的条件。\n还可以使用 `>` 符号。\n\n例如:如果平均字节数大于平均内存容量,则返回 true\n`average(bytes) > average(memory)`\n\n示例:`gt(average(bytes), 1000)`\n ", + "xpack.lens.formula.ifElseFunction.markdown": "\n返回某个值,取决于条件的元素是 true 还是 false。\n\n例如:每名客户的平均收入,但在某些情况下不提供客户 ID,这会计数为其他客户\n`sum(total)/(unique_count(customer_id) + ifelse( count() > count(kql='customer_id:*'), 1, 0))`\n ", "xpack.lens.formula.logFunction.markdown": "\n底数可选的对数。自然底数 *e* 用作默认值。\n\n例如:计算存储值所需的位数\n```\nlog(sum(bytes))\nlog(sum(bytes), 2)\n```\n ", + "xpack.lens.formula.lteFunction.markdown": "\n在两个值之间执行小于或等于比较。\n将用作 `ifelse` 比较函数的条件。\n还可以使用 `<=` 符号。\n\n例如:如果平均字节数小于或等于平均内存容量,则返回 true\n`average(bytes) <= average(memory)`\n\n示例:`lte(average(bytes), 1000)`\n ", + "xpack.lens.formula.ltFunction.markdown": "\n在两个值之间执行小于比较。\n将用作 `ifelse` 比较函数的条件。\n还可以使用 `<` 符号。\n\n例如:如果平均字节数小于平均内存容量,则返回 true\n`average(bytes) <= average(memory)`\n\n示例:`lt(average(bytes), 1000)`\n ", "xpack.lens.formula.maxFunction.markdown": "\n查找两个数字间的最大值。\n\n例如:查找两个字段平均值间的最大值\n`pick_max(average(bytes), average(memory))`\n ", "xpack.lens.formula.minFunction.markdown": "\n查找两个数字间的最小值。\n\n例如:查找两个字段平均值间的最小值\n`pick_min(average(bytes), average(memory))`\n ", "xpack.lens.formula.modFunction.markdown": "\n将函数除以数值后的余数\n\n例如:计算值的后三位数\n`mod(sum(price), 1000)`\n ", @@ -17295,11 +18424,12 @@ "xpack.lens.formula.squareFunction.markdown": "\n计算该值的 2 次幂\n\n例如:基于边长计算面积\n`square(last_value(length))`\n ", "xpack.lens.formula.subtractFunction.markdown": "\n从第二个数值减去第一个数值。\n还可以使用 `-` 符号。\n\n例如:计算字段的范围\n`subtract(max(bytes), min(bytes))`\n ", "xpack.lens.formulaDocumentation.filterRatioDescription.markdown": "### 筛选比:\n\n使用 `kql=''` 筛选一个文档集,然后将其与相同分组中的其他文档进行比较。\n例如,要查看错误率随时间的推移如何变化:\n\n```\ncount(kql='response.status_code > 400') / count()\n```\n ", - "xpack.lens.formulaDocumentation.markdown": "## 工作原理\n\nLens 公式允许您使用 Elasticsearch 聚合和\n数学函数的组合进行数学计算。主要有三种类型的函数:\n\n* Elasticsearch 指标,如 `sum(bytes)`\n* 时间序列函数使用 Elasticsearch 指标作为输入,如 `cumulative_sum()`\n* 数学函数,如 `round()`\n\n使用所有这些函数的公式示例:\n\n```\nround(100 * moving_average(\n average(cpu.load.pct),\n window=10,\n kql='datacenter.name: east*'\n))\n```\n\nElasticsearch 函数取可以用引号引起的字段名称。`sum(bytes)` 同于\nas `sum('bytes')`.\n\n一些函数取已命名参数,如 `moving_average(count(), window=5)`。\n\nElasticsearch 指标可以使用 KQL 或 Lucene 语法筛选。要添加筛选,请使用已命名\n参数 `kql='field: value'` 或 `lucene=''`。编写 KQL 或 Lucene 查询时,应始终使用\n单引号。如果您的搜索包含单引号,请使用反斜杠转义,如:`kql='Women's''\n\n数学函数可以取位置参数,如 pow(count(), 3) 与 count() * count() * count() 相同\n\n使用符号 +、-、/ 和 * 执行基本数学运算。\n ", + "xpack.lens.formulaDocumentation.markdown": "## 工作原理\n\nLens 公式允许您使用 Elasticsearch 聚合和\n数学函数的组合进行数学计算。主要有三种类型的函数:\n\n* Elasticsearch 指标,如 `sum(bytes)`\n* 时间序列函数使用 Elasticsearch 指标作为输入,如 `cumulative_sum()`\n* 数学函数,如 `round()`\n\n使用所有这些函数的公式示例:\n\n```\nround(100 * moving_average(\naverage(cpu.load.pct),\nwindow=10,\nkql='datacenter.name: east*'\n))\n```\n\nElasticsearch 函数取可以用引号引起的字段名称。`sum(bytes)` 同于\nas `sum('bytes')`.\n\n一些函数取已命名参数,如 `moving_average(count(), window=5)`。\n\nElasticsearch 指标可以使用 KQL 或 Lucene 语法筛选。要添加筛选,请使用已命名\n参数 `kql='field: value'` 或 `lucene=''`。编写 KQL 或 Lucene 查询时,应始终使用\n单引号。如果您的搜索包含单引号,请使用反斜杠转义,如:`kql='Women's''\n\n数学函数可以取位置参数,如 pow(count(), 3) 与 count() * count() * count() 相同\n\n使用符号 +、-、/ 和 * 执行基本数学运算。\n ", "xpack.lens.formulaDocumentation.percentOfTotalDescription.markdown": "### 总计的百分比\n\n公式可以计算所有分组的 `overall_sum`,\n其允许您将每个分组转成总计的百分比:\n\n```\nsum(products.base_price) / overall_sum(sum(products.base_price))\n```\n ", + "xpack.lens.formulaDocumentation.recentChangeDescription.markdown": "### 最近更改\n\n使用 `reducedTimeRange='30m'` 在与全局时间范围末尾相一致的指标时间范围上添加其他筛选。这可用于计算某个值在最近更改的幅度。\n\n```\nmax(system.network.in.bytes, reducedTimeRange=\"30m\")\n - min(system.network.in.bytes, reducedTimeRange=\"30m\")\n```\n ", "xpack.lens.formulaDocumentation.weekOverWeekDescription.markdown": "### 周环比:\n\n使用 `shift='1w'` 以获取上一周每个分组\n的值。时间偏移不应与*排名最前值*函数一起使用。\n\n```\npercentile(system.network.in.bytes, percentile=99) /\npercentile(system.network.in.bytes, percentile=99, shift='1w')\n```\n ", "xpack.lens.indexPattern.cardinality.documentation.markdown": "\n计算指定字段的唯一值数目。适用于数字、字符串、日期和布尔值。\n\n例如:计算不同产品的数目:\n`unique_count(product.name)`\n\n例如:计算“clothes”组中不同产品的数目:\n`unique_count(product.name, kql='product.group=clothes')`\n ", - "xpack.lens.indexPattern.count.documentation.markdown": "\n文档总数。提供字段作为第一个参数时,将计算字段值的总数。请将计数函数用于单个文档中具有多个值的字段。\n\n#### 示例\n\n要计算文档总数,请使用 `count()`。\n\n要计算所有订单中产品的数量,请使用 `count(products.id)`。\n\n要计算与特定筛选匹配的文档数量,请使用 `count(kql='price > 500')`。\n ", + "xpack.lens.indexPattern.count.documentation.markdown": "\n文档总数。提供字段时,将计算字段值的总数。将计数函数用于单个文档中具有多个值的字段时,将对所有值计数。\n\n#### 示例\n\n要计算文档总数,请使用 `count()`。\n\n要计算所有订单中产品的数量,请使用 `count(products.id)`。\n\n要计算与特定筛选匹配的文档数量,请使用 `count(kql='price > 500')`。\n ", "xpack.lens.indexPattern.counterRate.documentation.markdown": "\n计算不断增大的计数器的速率。此函数将仅基于计数器指标字段生成有帮助的结果,包括随着时间的推移度量某种单调递增。\n如果值确实变小,则其将此解析为计数器重置。要获取很精确的结果,应基于字段的 `max`计算 `counter_rate`。\n\n筛选或排名最前值维度定义的不同序列将分别执行此计算。\n用于公式中时,其使用当前时间间隔。\n\n例如:可视化随着时间的推移 Memcached 服务器接收的字节速率:\n`counter_rate(max(memcached.stats.read.bytes))`\n ", "xpack.lens.indexPattern.cumulativeSum.documentation.markdown": "\n计算随着时间的推移指标的累计和,即序列的所有以前值相加得出每个值。要使用此函数,您还需要配置 Date Histogram 维度。\n\n筛选或排名最前值维度定义的不同序列将分别执行此计算。\n\n例如:可视化随着时间的推移累计接收的字节:\n`cumulative_sum(sum(bytes))`\n ", "xpack.lens.indexPattern.differences.documentation.markdown": "\n计算随着时间的推移与指标最后一个值的差异。要使用此函数,您还需要配置 Date Histogram 维度。\n差异需要数据是顺序的。如果使用差异时数据为空,请尝试增加 Date Histogram 时间间隔。\n\n筛选或排名最前值维度定义的不同序列将分别执行此计算。\n\n例如:可视化随着时间的推移接收的字节的变化:\n`differences(sum(bytes))`\n ", @@ -17314,6 +18444,7 @@ "xpack.lens.indexPattern.percentileRanks.documentation.markdown": "\n返回小于某个值的值的百分比。例如,如果某个值大于或等于 95% 的观察值,则称它处于第 95 个百分位等级\n\n例如:获取小于 100 的值的百分比:\n`percentile_rank(bytes, value=100)`\n ", "xpack.lens.indexPattern.standardDeviation.documentation.markdown": "\n返回字段的变量或差量数量。此函数仅适用于数字字段。\n\n#### 示例\n\n要获取价格的标准偏差,请使用 `standard_deviation(price)`。\n\n要获取来自英国的订单的价格方差,请使用 `square(standard_deviation(price, kql='location:UK'))`。\n ", "xpack.lens.indexPattern.time_scale.documentation.markdown": "\n\n此高级函数用于将计数和总和标准化为特定时间间隔。它允许集成所存储的已标准化为特定时间间隔的指标。\n\n此函数只能在当前图表中使用了日期直方图函数时使用。\n\n例如:将已标准化指标与其他需要标准化的指标进行比较的比率。\n`normalize_by_unit(counter_rate(max(system.diskio.write.bytes)), unit='s') / last_value(apache.status.bytes_per_second)`\n ", + "xpack.lens.AggBasedLabel": "基于聚合的可视化", "xpack.lens.app.addToLibrary": "保存到库", "xpack.lens.app.cancel": "取消", "xpack.lens.app.cancelButtonAriaLabel": "返回到上一个应用而不保存更改", @@ -17362,6 +18493,7 @@ "xpack.lens.chartSwitch.dataLossLabel": "警告", "xpack.lens.chartSwitch.experimentalLabel": "技术预览", "xpack.lens.chartTitle.unsaved": "未保存的可视化", + "xpack.lens.cloneLayerAriaLabel": "复制图层", "xpack.lens.collapse.avg": "平均值", "xpack.lens.collapse.infoIcon": "不在可视化中显示此维度,并将该维度的所有值相同的指标值聚合到单个数字中。", "xpack.lens.collapse.label": "折叠方式", @@ -17372,7 +18504,7 @@ "xpack.lens.configPanel.addLayerButton": "添加图层", "xpack.lens.configPanel.color.tooltip.auto": "Lens 自动为您选取颜色,除非您指定定制颜色。", "xpack.lens.configPanel.color.tooltip.custom": "清除定制颜色以返回到“自动”模式。", - "xpack.lens.configPanel.color.tooltip.disabled": "当图层包括“细分依据”,各个系列无法定制颜色。", + "xpack.lens.configPanel.color.tooltip.disabled": "图层包括“细分方式”字段时,无法将定制颜色应用于各个序列。", "xpack.lens.configPanel.experimentalLabel": "技术预览", "xpack.lens.configPanel.selectLayerType": "选择图层类型", "xpack.lens.configPanel.selectVisualization": "选择可视化", @@ -17386,29 +18518,36 @@ "xpack.lens.confirmModal.cancelButtonLabel": "取消", "xpack.lens.customBucketContainer.dragToReorder": "拖动以重新排序", "xpack.lens.datatable.addLayer": "可视化", - "xpack.lens.datatable.breakdownColumns": "列", + "xpack.lens.datatable.breakdownColumn": "指标拆分依据", + "xpack.lens.datatable.breakdownColumns": "指标拆分依据", "xpack.lens.datatable.breakdownColumns.description": "按字段拆分指标列。建议减少列数目以避免水平滚动。", + "xpack.lens.datatable.breakdownRow": "行", "xpack.lens.datatable.breakdownRows": "行", "xpack.lens.datatable.breakdownRows.description": "按字段拆分表行。建议将其用于高基数分解。", "xpack.lens.datatable.column.help": "数据表列", "xpack.lens.datatable.conjunctionSign": " & ", "xpack.lens.datatable.expressionHelpLabel": "数据表呈现器", "xpack.lens.datatable.groupLabel": "表格", + "xpack.lens.datatable.headingLabel": "值", "xpack.lens.datatable.label": "表", + "xpack.lens.datatable.metric": "指标", "xpack.lens.datatable.metrics": "指标", "xpack.lens.datatable.suggestionLabel": "作为表", "xpack.lens.datatable.titleLabel": "标题", "xpack.lens.datatable.visualizationName": "数据表", - "xpack.lens.datatypes.boolean": "布尔值", + "xpack.lens.datatypes.boolean": "布尔型", + "xpack.lens.datatypes.counter": "计数器指标", "xpack.lens.datatypes.date": "日期", - "xpack.lens.datatypes.geoPoint": "geo_point", - "xpack.lens.datatypes.geoShape": "geo_shape", + "xpack.lens.datatypes.gauge": "仪表盘指标", + "xpack.lens.datatypes.geoPoint": "地理点", + "xpack.lens.datatypes.geoShape": "地理形状", "xpack.lens.datatypes.histogram": "直方图", - "xpack.lens.datatypes.ipAddress": "IP", + "xpack.lens.datatypes.ipAddress": "IP 地址", "xpack.lens.datatypes.murmur3": "murmur3", "xpack.lens.datatypes.number": "数字", "xpack.lens.datatypes.record": "记录", - "xpack.lens.datatypes.string": "字符串", + "xpack.lens.datatypes.string": "文本字符串", + "xpack.lens.deleteLayerAriaLabel": "删除图层", "xpack.lens.dimensionContainer.close": "关闭", "xpack.lens.dimensionContainer.closeConfiguration": "关闭配置", "xpack.lens.discover.visualizeFieldLegend": "可视化字段", @@ -17441,6 +18580,7 @@ "xpack.lens.editorFrame.expressionMissingVisualizationType": "找不到可视化类型。", "xpack.lens.editorFrame.goToForums": "提出请求并提供反馈", "xpack.lens.editorFrame.invisibleIndicatorLabel": "此维度当前在图表中不可见", + "xpack.lens.editorFrame.layerSettingsTitle": "图层设置", "xpack.lens.editorFrame.networkErrorMessage": "网络错误,请稍后重试或联系管理员。", "xpack.lens.editorFrame.noColorIndicatorLabel": "此维度没有单独的颜色", "xpack.lens.editorFrame.optionalDimensionLabel": "可选", @@ -17471,7 +18611,10 @@ "xpack.lens.fieldFormats.suffix.m": "/m", "xpack.lens.fieldFormats.suffix.s": "/s", "xpack.lens.fieldFormats.suffix.title": "后缀", - "xpack.lens.fieldPicker.fieldPlaceholder": "字段", + "xpack.lens.fieldPicker.fieldPlaceholder": "选择字段", + "xpack.lens.fieldsBucketContainer.deleteButtonDisabled": "至少需要一个项目。", + "xpack.lens.fieldsBucketContainer.dragHandleDisabled": "重新排序需要多个项目。", + "xpack.lens.fieldsBucketContainer.dragToReorder": "拖动以重新排序", "xpack.lens.fittingFunctionsDescription.carry": "使用最后一个值填充空距", "xpack.lens.fittingFunctionsDescription.linear": "使用线填充空距", "xpack.lens.fittingFunctionsDescription.lookahead": "使用下一个值填充空距", @@ -17483,7 +18626,10 @@ "xpack.lens.fittingFunctionsTitle.none": "隐藏", "xpack.lens.fittingFunctionsTitle.zero": "零", "xpack.lens.formula.base": "底数", + "xpack.lens.formula.boolean": "布尔值", + "xpack.lens.formula.condition": "条件", "xpack.lens.formula.decimals": "小数", + "xpack.lens.formula.defaultValue": "默认值", "xpack.lens.formula.disableWordWrapLabel": "禁用自动换行", "xpack.lens.formula.editorHelpInlineHideLabel": "隐藏函数引用", "xpack.lens.formula.editorHelpInlineHideToolTip": "隐藏函数引用", @@ -17495,6 +18641,7 @@ "xpack.lens.formula.max": "最大值", "xpack.lens.formula.min": "最小值", "xpack.lens.formula.number": "数字", + "xpack.lens.formula.reducedTimeRangeExtraArguments": "[reducedTimeRange]?: 字符串", "xpack.lens.formula.requiredArgument": "必需", "xpack.lens.formula.right": "右", "xpack.lens.formula.shiftExtraArguments": "[shift]?: string", @@ -17503,12 +18650,15 @@ "xpack.lens.formulaCommonFormulaDocumentation": "最常见的公式是将两个值相除以得到百分比。要精确显示,请将“value format”设置为“percent”。", "xpack.lens.formulaDocumentation.columnCalculationSection": "列计算", "xpack.lens.formulaDocumentation.columnCalculationSectionDescription": "每行都执行这些函数,但系统会为这些函数提供整列作为上下文。这也称作窗口函数。", + "xpack.lens.formulaDocumentation.comparisonSection": "对比", + "xpack.lens.formulaDocumentation.comparisonSectionDescription": "这些函数用于执行值比较。", "xpack.lens.formulaDocumentation.elasticsearchSection": "Elasticsearch", "xpack.lens.formulaDocumentation.elasticsearchSectionDescription": "在原始文档上结果列表的每行都将执行这些函数,从而将匹配分解维度的所有文档聚合成单值。", "xpack.lens.formulaDocumentation.filterRatio": "筛选比", "xpack.lens.formulaDocumentation.mathSection": "数学", "xpack.lens.formulaDocumentation.mathSectionDescription": "结果表的每行使用相同行中使用其他函数计算的单值执行这些函数。", "xpack.lens.formulaDocumentation.percentOfTotal": "总计的百分比", + "xpack.lens.formulaDocumentation.recentChange": "最近更改", "xpack.lens.formulaDocumentation.weekOverWeek": "周环比", "xpack.lens.formulaDocumentationHeading": "运作方式", "xpack.lens.formulaEnableWordWrapLabel": "启用自动换行", @@ -17527,12 +18677,14 @@ "xpack.lens.functions.lastValue.missingSortField": "此数据视图不包含任何日期字段", "xpack.lens.functions.mapToColumns.help": "用于转换数据表以匹配 Lens 列定义的助手", "xpack.lens.functions.mapToColumns.idMap.help": "JSON 编码对象,其中的键为数据表列 ID,值为 的 Lens 列定义。将不映射 ID 映射中未提及的任何数据表列。", + "xpack.lens.functions.timeScale.timeBoundsMissingMessage": "无法解析“时间范围”", "xpack.lens.functions.timeScale.timeInfoMissingMessage": "无法获取日期直方图信息", "xpack.lens.gauge.addLayer": "可视化", "xpack.lens.gauge.appearanceLabel": "外观", "xpack.lens.gauge.dynamicColoring.label": "带颜色", "xpack.lens.gauge.gaugeLabel": "仪表盘", "xpack.lens.gauge.goalValueLabel": "目标值", + "xpack.lens.gauge.headingLabel": "值", "xpack.lens.gauge.maxValueLabel": "最大值", "xpack.lens.gauge.metricLabel": "指标", "xpack.lens.gauge.minValueLabel": "最小值", @@ -17549,6 +18701,7 @@ "xpack.lens.heatmap.addLayer": "可视化", "xpack.lens.heatmap.cellValueLabel": "单元格值", "xpack.lens.heatmap.groupLabel": "热图", + "xpack.lens.heatmap.headingLabel": "值", "xpack.lens.heatmap.heatmapLabel": "热图", "xpack.lens.heatmap.horizontalAxisDisabledHelpText": "此设置仅在启用水平轴时适用。", "xpack.lens.heatmap.horizontalAxisLabel": "水平轴", @@ -17561,14 +18714,18 @@ "xpack.lens.heatmapVisualization.missingXAccessorLongMessage": "水平轴配置缺失。", "xpack.lens.heatmapVisualization.missingXAccessorShortMessage": "缺失水平轴。", "xpack.lens.indexPattern.advancedSettings": "高级", + "xpack.lens.indexPattern.allFieldsForTextBasedLabelHelp": "将可用字段拖放到工作区并创建可视化。要更改可用字段,请编辑您的查询。", "xpack.lens.indexPattern.allFieldsLabelHelp": "将可用字段拖放到工作区并创建可视化。要更改可用字段,请选择不同数据视图,编辑您的查询或使用不同时间范围。一些字段类型无法在 Lens 中可视化,包括全文本字段和地理字段。", "xpack.lens.indexPattern.allFieldsSamplingLabelHelp": "可用字段包含与您的筛选匹配的前 500 个文档中的数据。要查看所有字段,请展开空字段。无法使用全文本、地理、扁平和对象字段创建可视化。", "xpack.lens.indexPattern.ascendingCountPrecisionErrorWarning.link": "访问文档", "xpack.lens.indexPattern.availableFieldsLabel": "可用字段", "xpack.lens.indexPattern.avg": "平均值", "xpack.lens.indexPattern.avg.description": "单值指标聚合,计算从聚合文档提取的数值的平均值", + "xpack.lens.indexPattern.avg.quickFunctionDescription": "一组数字字段的平均值。", + "xpack.lens.indexPattern.bitsFormatLabel": "位 (1000)", "xpack.lens.indexPattern.bytesFormatLabel": "字节 (1024)", "xpack.lens.indexPattern.cardinality": "唯一计数", + "xpack.lens.indexPattern.cardinality.documentation.quick": "\n指定数字、字符串、日期或布尔值字段的唯一值的数目。\n ", "xpack.lens.indexPattern.cardinality.signature": "field: string", "xpack.lens.indexPattern.changeDataViewTitle": "数据视图", "xpack.lens.indexPattern.chooseField": "字段", @@ -17577,37 +18734,50 @@ "xpack.lens.indexPattern.columnFormatLabel": "值格式", "xpack.lens.indexPattern.columnLabel": "名称", "xpack.lens.indexPattern.count": "计数", + "xpack.lens.indexPattern.count.documentation.quick": "\n文档总数。提供字段时,将计算字段值的总数。将计数函数用于单个文档中具有多个值的字段时,将对所有值计数。\n ", "xpack.lens.indexPattern.count.signature": "[字段:字符串]", "xpack.lens.indexPattern.counterRate": "计数率", + "xpack.lens.indexPattern.counterRate.documentation.quick": "\n 不断增长的时间序列指标一段时间的更改速率。\n ", "xpack.lens.indexPattern.counterRate.signature": "指标:数字", "xpack.lens.indexPattern.countOf": "记录计数", "xpack.lens.indexPattern.cumulative_sum.signature": "指标:数字", "xpack.lens.indexPattern.cumulativeSum": "累计和", + "xpack.lens.indexPattern.cumulativeSum.documentation.quick": "\n 随时间增长的所有值的总和。\n ", "xpack.lens.indexPattern.dataViewLoadError": "加载数据视图时出错", "xpack.lens.indexPattern.dateHistogram": "Date Histogram", "xpack.lens.indexPattern.dateHistogram.autoAdvancedExplanation": "时间间隔遵循以下逻辑:", - "xpack.lens.indexPattern.dateHistogram.autoBasicExplanation": "自动日期直方图按时间间隔将数据字段拆分为桶。", + "xpack.lens.indexPattern.dateHistogram.autoBasicExplanation": "日期直方图会将数据分割为时间间隔。", "xpack.lens.indexPattern.dateHistogram.autoBoundHeader": "已度量目标时间间隔", "xpack.lens.indexPattern.dateHistogram.autoIntervalHeader": "已用时间间隔", "xpack.lens.indexPattern.dateHistogram.bindToGlobalTimePicker": "绑定到全局时间选取器", - "xpack.lens.indexPattern.dateHistogram.dropPartialBuckets": "丢弃部分存储桶", - "xpack.lens.indexPattern.dateHistogram.dropPartialBucketsHelp": "禁止丢弃部分存储桶,因为只可以为绑定到右上角的全局时间选取器的时间字段计算这些存储桶。", + "xpack.lens.indexPattern.dateHistogram.documentation.quick": "\n分布到时间间隔中的日期或日期范围值。\n ", + "xpack.lens.indexPattern.dateHistogram.dropPartialBuckets": "丢弃部分时间间隔", + "xpack.lens.indexPattern.dateHistogram.dropPartialBucketsHelp": "禁止丢弃部分时间间隔,因为只可以为绑定到右上角的全局时间选取器的时间字段计算这些时间间隔。", "xpack.lens.indexPattern.dateHistogram.globalTimePickerHelp": "按右上角的全局时间选取器筛选选定字段。不能对当前数据视图的默认时间字段关闭此设置。", "xpack.lens.indexPattern.dateHistogram.includeEmptyRows": "包括空行", "xpack.lens.indexPattern.dateHistogram.invalidInterval": "请选取有效时间间隔。不能将多个周、月或年用作时间间隔。", "xpack.lens.indexPattern.dateHistogram.minimumInterval": "最小时间间隔", "xpack.lens.indexPattern.dateHistogram.moreThanYear": "1 年以上", "xpack.lens.indexPattern.dateHistogram.selectIntervalPlaceholder": "选择时间间隔", - "xpack.lens.indexPattern.dateHistogram.selectOptionHelpText": "选择选项或创建定制值。示例:30s、20m、24h、2d、1w、1M", - "xpack.lens.indexPattern.dateHistogram.titleHelp": "自动日期直方图的工作原理", + "xpack.lens.indexPattern.dateHistogram.selectOptionExamplesHelpText": "示例:30s、20m、24h、2d、1w、1M", + "xpack.lens.indexPattern.dateHistogram.selectOptionHelpText": "选择选项或创建定制值。", + "xpack.lens.indexPattern.dateHistogram.titleHelp": "日期直方图的工作原理", "xpack.lens.indexPattern.dateHistogram.upTo": "最多", "xpack.lens.indexPattern.decimalPlacesLabel": "小数", "xpack.lens.indexPattern.defaultFormatLabel": "默认", "xpack.lens.indexPattern.derivative": "差异", + "xpack.lens.indexPattern.differences.documentation.quick": "\n 后续时间间隔中的值之间的更改情况。\n ", "xpack.lens.indexPattern.differences.signature": "指标:数字", + "xpack.lens.indexPattern.dimensionEditor.headingAppearance": "外观", + "xpack.lens.indexPattern.dimensionEditor.headingData": "数据", + "xpack.lens.indexPattern.dimensionEditor.headingFormula": "公式", + "xpack.lens.indexPattern.dimensionEditor.headingMethod": "方法", + "xpack.lens.indexPattern.dimensionEditor.headingSummary": "摘要", + "xpack.lens.indexPattern.dimensionEditorModes": "维度编辑器配置模式", "xpack.lens.indexPattern.emptyDimensionButton": "空维度", "xpack.lens.indexPattern.emptyFieldsLabel": "空字段", "xpack.lens.indexPattern.enableAccuracyMode": "启用准确性模式", + "xpack.lens.indexPattern.fieldExploreInDiscover": "浏览 Discover 中的值", "xpack.lens.indexPattern.fieldItemTooltip": "拖放以可视化。", "xpack.lens.indexPattern.fieldPlaceholder": "字段", "xpack.lens.indexPattern.fieldStatsButtonEmptyLabel": "此字段不包含任何数据,但您仍然可以拖放以进行可视化。", @@ -17620,9 +18790,11 @@ "xpack.lens.indexPattern.filters": "筛选", "xpack.lens.indexPattern.filters.addaFilter": "添加筛选", "xpack.lens.indexPattern.filters.clickToEdit": "单击以编辑", + "xpack.lens.indexPattern.filters.documentation.quick": "\n 将值划分为预定义的子集。\n ", "xpack.lens.indexPattern.filters.isInvalid": "此查询无效。", "xpack.lens.indexPattern.filters.label.placeholder": "所有记录", "xpack.lens.indexPattern.filters.removeFilter": "移除筛选", + "xpack.lens.indexPattern.formulaCanReduceTimeRangeHelpText": "应用到整个公式。", "xpack.lens.indexPattern.formulaFieldValue": "字段", "xpack.lens.indexPattern.formulaFilterableHelpText": "提供的筛选将应用于整个公式。", "xpack.lens.indexPattern.formulaLabel": "公式", @@ -17635,16 +18807,22 @@ "xpack.lens.indexPattern.formulaWarningStaticValueText": "要覆盖公式,请更改输入字段中的值", "xpack.lens.indexPattern.formulaWarningText": "要覆盖公式,请选择快速函数", "xpack.lens.indexPattern.functionsLabel": "函数", + "xpack.lens.indexPattern.functionTable.descriptionHeader": "描述", + "xpack.lens.indexPattern.functionTable.functionHeader": "函数", "xpack.lens.indexPattern.groupByDropdown": "分组依据", + "xpack.lens.indexPattern.helpIncompatibleFieldDotLabel": "此函数不兼容当前选定的字段", "xpack.lens.indexPattern.helpLabel": "函数帮助", + "xpack.lens.indexPattern.helpPartiallyApplicableFunctionLabel": "此函数可能只返回部分结果,因为它不支持整个时间范围的已汇总/打包历史数据。", "xpack.lens.indexPattern.hideZero": "隐藏零值", "xpack.lens.indexPattern.incompleteOperation": "(不完整)", "xpack.lens.indexPattern.intervals": "时间间隔", "xpack.lens.indexPattern.invalidFieldLabel": "字段无效。检查数据视图或选取其他字段。", "xpack.lens.indexPattern.invalidOperationLabel": "此字段不适用于选定函数。", + "xpack.lens.indexPattern.invalidReducedTimeRange": "缩小的时间范围无效。输入正整数数量,后跟以下单位之一:s、m、h、d、w、M、y。例如,3h 表示 3 小时", "xpack.lens.indexPattern.invalidTimeShift": "时间偏移无效。输入正整数数量,后跟以下单位之一:s、m、h、d、w、M、y。例如,3h 表示 3 小时", "xpack.lens.indexPattern.lastValue": "最后值", "xpack.lens.indexPattern.lastValue.disabled": "此功能要求数据视图中存在日期字段", + "xpack.lens.indexPattern.lastValue.documentation.quick": "\n最后一个文档的字段值,按数据视图的默认时间字段排序。\n ", "xpack.lens.indexPattern.lastValue.showArrayValues": "显示数组值", "xpack.lens.indexPattern.lastValue.showArrayValuesExplanation": "显示与最后每个文档中的此字段关联的所有值。", "xpack.lens.indexPattern.lastValue.showArrayValuesWithTopValuesWarning": "显示数组值时,无法使用此字段对排名最前值排名。", @@ -17653,16 +18831,20 @@ "xpack.lens.indexPattern.lastValue.sortFieldPlaceholder": "排序字段", "xpack.lens.indexPattern.max": "最大值", "xpack.lens.indexPattern.max.description": "单值指标聚合,返回从聚合文档提取的数值中的最大值。", + "xpack.lens.indexPattern.max.quickFunctionDescription": "数字字段的最大值。", "xpack.lens.indexPattern.median": "中值", "xpack.lens.indexPattern.median.description": "单值指标聚合,计算从聚合文档提取的中值。", + "xpack.lens.indexPattern.median.quickFunctionDescription": "数字字段的中值。", "xpack.lens.indexPattern.metaFieldsLabel": "元字段", "xpack.lens.indexPattern.metric.signature": "field: string", "xpack.lens.indexPattern.min": "最小值", "xpack.lens.indexPattern.min.description": "单值指标聚合,返回从聚合文档提取的数值中的最小值。", + "xpack.lens.indexPattern.min.quickFunctionDescription": "数字字段的最小值。", "xpack.lens.indexPattern.missingFieldLabel": "缺失字段", "xpack.lens.indexPattern.moving_average.signature": "指标:数字,[window]:数字", "xpack.lens.indexPattern.movingAverage": "移动平均值", "xpack.lens.indexPattern.movingAverage.basicExplanation": "移动平均值在数据上滑动时间窗并显示平均值。仅日期直方图支持移动平均值。", + "xpack.lens.indexPattern.movingAverage.documentation.quick": "\n 一段时间中移动窗口值的平均值。\n ", "xpack.lens.indexPattern.movingAverage.limitations": "第一个移动平均值开始于第二项。", "xpack.lens.indexPattern.movingAverage.longerExplanation": "要计算移动平均值,Lens 使用时间窗的平均值,并为缺口应用跳过策略。 对于缺失值,将跳过桶,计算将基于下一个值执行。", "xpack.lens.indexPattern.movingAverage.tableExplanation": "例如,如果数据为 [1, 2, 3, 4, 5, 6, 7, 8, 9, 10],则可以使用时间窗大小 5 计算简单移动平均值:", @@ -17681,17 +18863,21 @@ "xpack.lens.indexPattern.overallSum": "总和", "xpack.lens.indexPattern.percentFormatLabel": "百分比", "xpack.lens.indexPattern.percentile": "百分位数", + "xpack.lens.indexPattern.percentile.documentation.quick": "\n 小于所有文档中出现值的 n% 的最大值。\n ", "xpack.lens.indexPattern.percentile.errorMessage": "百分位数必须是介于 1 到 99 之间的整数", "xpack.lens.indexPattern.percentile.percentileRanksValue": "百分位等级值", "xpack.lens.indexPattern.percentile.percentileValue": "百分位数", "xpack.lens.indexPattern.percentile.signature": "field: string, [percentile]: number", "xpack.lens.indexPattern.percentileRank": "百分位等级", + "xpack.lens.indexPattern.percentileRanks.documentation.quick": "\n小于特定值的值的百分比。例如,如果某个值大于或等于 95% 的计算值,则该值处于第 95 个百分位等级。\n ", "xpack.lens.indexPattern.percentileRanks.errorMessage": "百分位等级值必须为数字", "xpack.lens.indexPattern.percentileRanks.signature": "字段:字符串,[值]:数字", "xpack.lens.indexPattern.precisionErrorWarning.filters": "筛选", "xpack.lens.indexPattern.precisionErrorWarning.link": "了解详情。", "xpack.lens.indexPattern.precisionErrorWarning.topValues": "排在前面的值", - "xpack.lens.indexPattern.quickFunctionsLabel": "快选函数", + "xpack.lens.indexPattern.quickFunctions.popoverTitle": "快选函数", + "xpack.lens.indexPattern.quickFunctions.tableTitle": "函数的描述", + "xpack.lens.indexPattern.quickFunctionsLabel": "快速函数", "xpack.lens.indexPattern.range.isInvalid": "此范围无效", "xpack.lens.indexPattern.ranges.addRange": "添加范围", "xpack.lens.indexPattern.ranges.customIntervalsToggle": "创建定制范围", @@ -17700,6 +18886,7 @@ "xpack.lens.indexPattern.ranges.customRangesRemoval": "移除定制范围", "xpack.lens.indexPattern.ranges.decreaseButtonLabel": "减小粒度", "xpack.lens.indexPattern.ranges.deleteRange": "删除范围", + "xpack.lens.indexPattern.ranges.documentation.quick": "\n 存储桶值及定义的数值范围。\n ", "xpack.lens.indexPattern.ranges.granularity": "时间间隔粒度", "xpack.lens.indexPattern.ranges.granularityHelpText": "运作方式", "xpack.lens.indexPattern.ranges.granularityPopoverAdvancedExplanation": "时间间隔按 10、5 或 2 递增。例如,时间间隔可以是 100 或 0.2。", @@ -17712,10 +18899,21 @@ "xpack.lens.indexPattern.ranges.lessThanPrepend": "<", "xpack.lens.indexPattern.ranges.lessThanTooltip": "小于", "xpack.lens.indexPattern.records": "记录", + "xpack.lens.indexPattern.reducedTimeRange.15m": "15 分钟 (15m)", + "xpack.lens.indexPattern.reducedTimeRange.1h": "1 小时 (1h)", + "xpack.lens.indexPattern.reducedTimeRange.1m": "1 分钟 (1m)", + "xpack.lens.indexPattern.reducedTimeRange.30s": "30 秒 (30s)", + "xpack.lens.indexPattern.reducedTimeRange.5m": "5 分钟 (5m)", + "xpack.lens.indexPattern.reducedTimeRange.genericInvalidHelp": "时间范围值无效。", + "xpack.lens.indexPattern.reducedTimeRange.help": "从全局时间筛选结尾缩小在全局时间筛选中指定的时间范围。", + "xpack.lens.indexPattern.reducedTimeRange.label": "缩小的时间范围", + "xpack.lens.indexPattern.reducedTimeRange.notApplicableHelp": "附加时间范围筛选不能与日期直方图一起使用,也不能在未在数据视图上指定默认时间字段的情况下使用", + "xpack.lens.indexPattern.reducedTimeRangePlaceholder": "键入定制值(如 12m)", "xpack.lens.indexPattern.referenceFunctionPlaceholder": "子函数", "xpack.lens.indexPattern.sortField.invalid": "字段无效。检查数据视图或选取其他字段。", "xpack.lens.indexPattern.standardDeviation": "标准偏差", "xpack.lens.indexPattern.standardDeviation.description": "单值指标聚合,计算从聚合文档提取的数值的标准偏差", + "xpack.lens.indexPattern.standardDeviation.quickFunctionDescription": "数字字段值的标准偏差,即字段值的变动幅度。", "xpack.lens.indexPattern.staticValue.label": "参考线值", "xpack.lens.indexPattern.staticValueLabel": "静态值", "xpack.lens.indexPattern.staticValueLabelDefault": "静态值", @@ -17725,6 +18923,7 @@ "xpack.lens.indexpattern.suggestions.overTimeLabel": "时移", "xpack.lens.indexPattern.sum": "求和", "xpack.lens.indexPattern.sum.description": "单值指标聚合,对从聚合文档提取的数值求和。", + "xpack.lens.indexPattern.sum.quickFunctionDescription": "数字字段值的总数。", "xpack.lens.indexPattern.switchToRare": "按稀有度排名", "xpack.lens.indexPattern.terms": "排名最前值", "xpack.lens.indexPattern.terms.accuracyModeDescription": "启用准确性模式", @@ -17733,13 +18932,14 @@ "xpack.lens.indexPattern.terms.addRegex": "使用正则表达式", "xpack.lens.indexPattern.terms.advancedSettings": "高级", "xpack.lens.indexPattern.terms.deleteButtonLabel": "删除", + "xpack.lens.indexPattern.terms.documentation.quick": "\n指定字段的排名最前值,按选定指标排名。\n ", "xpack.lens.indexPattern.terms.exclude": "排除值", "xpack.lens.indexPattern.terms.include": "包括值", "xpack.lens.indexPattern.terms.includeExcludePatternPlaceholder": "输入正则表达式以筛选值", "xpack.lens.indexPattern.terms.includeExcludePlaceholder": "选择值或创建新值", "xpack.lens.indexPattern.terms.lastValue.sortRankBy": "排名排序依据", "xpack.lens.indexPattern.terms.maxDocCount": "每个词的最大文档计数", - "xpack.lens.indexPattern.terms.missingBucketDescription": "包括没有此字段的文档", + "xpack.lens.indexPattern.terms.missingBucketDescription": "包括没有选定字段的文档", "xpack.lens.indexPattern.terms.missingLabel": "(缺失值)", "xpack.lens.indexPattern.terms.orderAgg.rankField": "排名字段", "xpack.lens.indexPattern.terms.orderAgg.rankFunction": "排名函数", @@ -17751,7 +18951,7 @@ "xpack.lens.indexPattern.terms.orderDescending": "降序", "xpack.lens.indexPattern.terms.orderDirection": "排名方向", "xpack.lens.indexPattern.terms.orderRare": "稀有度", - "xpack.lens.indexPattern.terms.otherBucketDescription": "将其他值分组为“其他”", + "xpack.lens.indexPattern.terms.otherBucketDescription": "将其余值分组为“其他”", "xpack.lens.indexPattern.terms.otherLabel": "其他", "xpack.lens.indexPattern.terms.percentile.": "百分位等级", "xpack.lens.indexPattern.terms.scriptedFieldErrorShort": "使用多个字段时不支持脚本字段", @@ -17776,19 +18976,23 @@ "xpack.lens.indexPattern.timeShift.label": "时间偏移", "xpack.lens.indexPattern.timeShift.month": "1 个月前 (1M)", "xpack.lens.indexPattern.timeShift.noMultipleHelp": "时间偏移应为 Date Histogram 时间间隔的倍数。调整时间偏移或 Date Histogram 时间间隔", + "xpack.lens.indexPattern.timeShift.none": "无", "xpack.lens.indexPattern.timeShift.previous": "上一时间范围", "xpack.lens.indexPattern.timeShift.tooSmallHelp": "时间偏移应大于 Date Histogram 时间间隔。增大时间偏移或在 Date Histogram 中指定较小的时间间隔", "xpack.lens.indexPattern.timeShift.week": "1 周前 (1w)", "xpack.lens.indexPattern.timeShift.year": "1 年前 (1y)", "xpack.lens.indexPattern.timeShiftPlaceholder": "键入定制值(如 8w)", - "xpack.lens.indexPattern.useAsTopLevelAgg": "先按此字段分组", + "xpack.lens.indexPattern.useAsTopLevelAgg": "首先按此维度聚合", + "xpack.lens.indexPattern.useFieldExistenceSampling.advancedSettings": "高级设置", "xpack.lens.indexPatterns.clearFiltersLabel": "清除名称和类型筛选", "xpack.lens.indexPatterns.filterByNameLabel": "搜索字段名称", + "xpack.lens.indexPatterns.filterByTypeAriaLabel": "按类型筛选", "xpack.lens.label.gauge.labelMajor.header": "标题", "xpack.lens.label.gauge.labelMinor.header": "子标题", "xpack.lens.label.header": "标签", "xpack.lens.label.shared.axisHeader": "轴标题", "xpack.lens.labelInput.label": "标签", + "xpack.lens.layer.actions.contextMenuAriaLabel": "图层操作", "xpack.lens.layer.cancelDelete": "取消", "xpack.lens.layer.confirmClear": "清除图层", "xpack.lens.layer.confirmDelete": "删除图层", @@ -17798,6 +19002,7 @@ "xpack.lens.layer.confirmModal.deleteRefLine": "删除此图层会移除参考线及其配置。", "xpack.lens.layer.confirmModal.deleteVis": "删除此图层会移除可视化及其配置。", "xpack.lens.layer.confirmModal.dontAskAgain": "不再询问我", + "xpack.lens.layerActions.layerSettingsAction": "图层设置", "xpack.lens.layerPanel.layerVisualizationType": "图层可视化类型", "xpack.lens.layerPanel.missingDataView": "找不到数据视图", "xpack.lens.legacyMetric.addLayer": "可视化", @@ -17833,17 +19038,33 @@ "xpack.lens.metric.colorMode.static": "静态", "xpack.lens.metric.dynamicColoring.label": "颜色模式", "xpack.lens.metric.groupLabel": "目标值和单值", + "xpack.lens.metric.headingLabel": "值", "xpack.lens.metric.label": "指标", "xpack.lens.metric.labels": "标签", + "xpack.lens.metric.layerType.trendLine": "趋势线", "xpack.lens.metric.max": "最大值", "xpack.lens.metric.maxColumns": "布局列", "xpack.lens.metric.maxTooltip": "如果指定了最大值,则最小值固定为零。", + "xpack.lens.metric.prefix.auto": "自动", + "xpack.lens.metric.prefix.custom": "定制", + "xpack.lens.metric.prefix.label": "前缀", + "xpack.lens.metric.prefix.none": "无", "xpack.lens.metric.prefixText.label": "前缀", "xpack.lens.metric.progressDirection.horizontal": "水平", "xpack.lens.metric.progressDirection.vertical": "垂直", "xpack.lens.metric.progressDirectionLabel": "条形图方向", "xpack.lens.metric.secondaryMetric": "次级指标", "xpack.lens.metric.subtitleLabel": "子标题", + "xpack.lens.metric.summportingVis.needMaxDimension": "条形图可视化需要定义一个最大值。", + "xpack.lens.metric.supportingVis.label": "支持可视化", + "xpack.lens.metric.supportingVis.metricHasReducedTimeRange": "将缩小的时间范围应用于主要指标时,无法使用折线图可视化。", + "xpack.lens.metric.supportingVis.needDefaultTimeField": "折线图可视化需要使用具有默认时间字段的数据视图。", + "xpack.lens.metric.supportingVis.secondaryMetricHasReducedTimeRange": "将缩小的时间范围应用于次要指标时,无法使用折线图可视化。", + "xpack.lens.metric.supportingVis.type": "类型", + "xpack.lens.metric.supportingVisualization.bar": "条形图", + "xpack.lens.metric.supportingVisualization.none": "无", + "xpack.lens.metric.supportingVisualization.trendline": "折线图", + "xpack.lens.metric.timeField": "时间字段", "xpack.lens.pageTitle": "Lens", "xpack.lens.paletteHeatmapGradient.customize": "编辑", "xpack.lens.paletteHeatmapGradient.customizeLong": "编辑调色板", @@ -17853,16 +19074,28 @@ "xpack.lens.paletteTableGradient.customize": "编辑", "xpack.lens.paletteTableGradient.label": "颜色", "xpack.lens.pie.addLayer": "可视化", + "xpack.lens.pie.collapsedDimensionsDontCount": "(折叠的维度不计入此限制。)", "xpack.lens.pie.donutLabel": "圆环图", "xpack.lens.pie.groupLabel": "比例", + "xpack.lens.pie.groupMetricLabel": "指标", + "xpack.lens.pie.groupMetricLabelSingular": "指标", + "xpack.lens.pie.headingLabel": "值", + "xpack.lens.pie.horizontalAxisDimensionLabel": "水平轴", + "xpack.lens.pie.horizontalAxisLabel": "水平轴", "xpack.lens.pie.mosaiclabel": "马赛克", "xpack.lens.pie.mosaicSuggestionLabel": "为马赛克", "xpack.lens.pie.pielabel": "饼图", + "xpack.lens.pie.sliceDimensionGroupLabel": "切片", "xpack.lens.pie.sliceGroupLabel": "切片依据", "xpack.lens.pie.smallValuesWarningMessage": "华夫饼图表无法有效显示较小的字段值。要显示所有字段值,请使用数据表或树状图。", + "xpack.lens.pie.tooManyDimensions": "您的可视化包含太多维度。", + "xpack.lens.pie.tooManyDimensionsLong": "您的可视化包含太多维度。请按照图层面板中的说明操作。", + "xpack.lens.pie.treemapDimensionGroupLabel": "组", "xpack.lens.pie.treemapGroupLabel": "分组依据", "xpack.lens.pie.treemaplabel": "树状图", "xpack.lens.pie.treemapSuggestionLabel": "为树状图", + "xpack.lens.pie.verticalAxisDimensionLabel": "垂直轴", + "xpack.lens.pie.verticalAxisLabel": "垂直轴", "xpack.lens.pie.wafflelabel": "华夫饼图", "xpack.lens.pie.waffleSuggestionLabel": "为华夫饼图", "xpack.lens.pieChart.categoriesInLegendLabel": "隐藏标签", @@ -17876,6 +19109,7 @@ "xpack.lens.pieChart.legendVisibility.auto": "自动", "xpack.lens.pieChart.legendVisibility.hide": "隐藏", "xpack.lens.pieChart.legendVisibility.show": "显示", + "xpack.lens.pieChart.multipleMetrics": "多个指标", "xpack.lens.pieChart.nestedLegendLabel": "嵌套", "xpack.lens.pieChart.numberLabels": "值", "xpack.lens.pieChart.percentDecimalsLabel": "百分比的最大小数位数", @@ -17885,9 +19119,14 @@ "xpack.lens.pieChart.showTreemapCategoriesLabel": "显示标签", "xpack.lens.pieChart.valuesLabel": "标签", "xpack.lens.pieChart.visualOptionsLabel": "视觉选项", + "xpack.lens.primaryMetric.headingLabel": "值", "xpack.lens.primaryMetric.label": "主要指标", + "xpack.lens.queryInput.appName": "Lens", + "xpack.lens.randomSampling.experimentalLabel": "技术预览", + "xpack.lens.resetLayerAriaLabel": "清除图层", "xpack.lens.saveDuplicateRejectedDescription": "已拒绝使用重复标题保存确认", "xpack.lens.searchTitle": "Lens:创建可视化", + "xpack.lens.section.bannerMessagesLabel": "过时消息", "xpack.lens.section.configPanelLabel": "配置面板", "xpack.lens.section.dataPanelLabel": "数据面板", "xpack.lens.section.workspaceLabel": "可视化工作区", @@ -17896,6 +19135,7 @@ "xpack.lens.shared.AppearanceLabel": "外观", "xpack.lens.shared.axisNameLabel": "轴标题", "xpack.lens.shared.chartValueLabelVisibilityLabel": "标签", + "xpack.lens.shared.chartValueLabelVisibilityTooltip": "如果没有足够的空间,可能会隐藏值标签", "xpack.lens.shared.curveLabel": "视觉选项", "xpack.lens.shared.legend.filterForValueButtonAriaLabel": "筛留值", "xpack.lens.shared.legend.filterOutValueButtonAriaLabel": "筛除值", @@ -17930,6 +19170,7 @@ "xpack.lens.shared.valueInLegendLabel": "显示值", "xpack.lens.shared.valueLabelsVisibility.auto": "隐藏", "xpack.lens.shared.valueLabelsVisibility.inside": "显示", + "xpack.lens.staticValue.headingLabel": "位置", "xpack.lens.sugegstion.refreshSuggestionLabel": "刷新", "xpack.lens.suggestion.refreshSuggestionTooltip": "基于选定可视化刷新建议。", "xpack.lens.suggestions.applyChangesLabel": "应用更改", @@ -17942,6 +19183,7 @@ "xpack.lens.table.alignment.right": "右", "xpack.lens.table.columnFilter.filterForValueText": "筛留列", "xpack.lens.table.columnFilter.filterOutValueText": "筛除列", + "xpack.lens.table.columnFilterClickLabel": "单击时直接筛选", "xpack.lens.table.columnVisibilityLabel": "隐藏列", "xpack.lens.table.defaultAriaLabel": "数据表可视化", "xpack.lens.table.dynamicColoring.cell": "单元格", @@ -17950,7 +19192,7 @@ "xpack.lens.table.dynamicColoring.text": "文本", "xpack.lens.table.hide.hideLabel": "隐藏", "xpack.lens.table.palettePanelContainer.back": "返回", - "xpack.lens.table.palettePanelTitle": "编辑颜色", + "xpack.lens.table.palettePanelTitle": "颜色", "xpack.lens.table.resize.reset": "重置宽度", "xpack.lens.table.rowHeight.auto": "自动适应", "xpack.lens.table.rowHeight.custom": "定制", @@ -17972,13 +19214,18 @@ "xpack.lens.table.visualOptionsHeaderRowHeightLabel": "标题行高", "xpack.lens.table.visualOptionsPaginateTable": "对表分页", "xpack.lens.table.visualOptionsPaginateTableTooltip": "如果小于 10 项,将隐藏分页", + "xpack.lens.textBasedLanguages.chooseField": "字段", + "xpack.lens.textBasedLanguages.missingField": "缺失字段", "xpack.lens.timeScale.normalizeNone": "无", + "xpack.lens.timeShift.none": "无", "xpack.lens.TSVBLabel": "TSVB", + "xpack.lens.uiErrors.unexpectedError": "发生意外错误。", "xpack.lens.unknownVisType.shortMessage": "可视化类型未知", "xpack.lens.visTypeAlias.description": "使用拖放编辑器创建可视化。随时在可视化类型之间切换。", "xpack.lens.visTypeAlias.note": "适合绝大多数用户。", "xpack.lens.visTypeAlias.title": "Lens", "xpack.lens.visTypeAlias.type": "Lens", + "xpack.lens.visualizeAggBasedLegend": "可视化基于聚合的图表", "xpack.lens.visualizeTSVBLegend": "可视化 TSVB 图表", "xpack.lens.xyChart.addAnnotationsLayerLabel": "标注", "xpack.lens.xyChart.addAnnotationsLayerLabelDisabledHelp": "标注需要基于时间的图表才能运行。添加日期直方图。", @@ -17987,9 +19234,24 @@ "xpack.lens.xyChart.addLayerTooltip": "使用多个图层以组合可视化类型或可视化不同的数据视图。", "xpack.lens.xyChart.addReferenceLineLayerLabel": "参考线", "xpack.lens.xyChart.addReferenceLineLayerLabelDisabledHelp": "添加一些数据以启用参考图层", + "xpack.lens.xyChart.annotation.hide": "隐藏标注", + "xpack.lens.xyChart.annotation.manual": "静态日期", + "xpack.lens.xyChart.annotation.query": "定制查询", + "xpack.lens.xyChart.annotation.queryField": "目标日期字段", + "xpack.lens.xyChart.annotation.queryInput": "标注查询", + "xpack.lens.xyChart.annotation.tooltip": "显示其他字段", + "xpack.lens.xyChart.annotation.tooltip.addField": "添加字段", + "xpack.lens.xyChart.annotation.tooltip.deleteButtonLabel": "删除", + "xpack.lens.xyChart.annotation.tooltip.noFields": "未选择任何内容", "xpack.lens.xyChart.annotationDate": "标注日期", "xpack.lens.xyChart.annotationDate.from": "自", + "xpack.lens.xyChart.annotationDate.placementType": "位置类型", "xpack.lens.xyChart.annotationDate.to": "至", + "xpack.lens.xyChart.annotationError.timeFieldEmpty": "缺少时间字段", + "xpack.lens.xyChart.annotations.ignoreGlobalFiltersDescription": "在此图层中配置的所有维度将忽略在 Kibana 级别定义的筛选。", + "xpack.lens.xyChart.annotations.ignoreGlobalFiltersLabel": "忽略全局筛选", + "xpack.lens.xyChart.annotations.keepGlobalFiltersDescription": "在此图层中配置的所有维度将采用在 Kibana 级别定义的筛选。", + "xpack.lens.xyChart.annotations.keepGlobalFiltersLabel": "保留全局筛选", "xpack.lens.xyChart.appearance": "外观", "xpack.lens.xyChart.applyAsRange": "应用为范围", "xpack.lens.xyChart.axisExtent.custom": "定制", @@ -18040,11 +19302,14 @@ "xpack.lens.xyChart.iconSelect.mapMarkerLabel": "地图标记", "xpack.lens.xyChart.iconSelect.mapPinLabel": "地图图钉", "xpack.lens.xyChart.iconSelect.noIconLabel": "无", + "xpack.lens.xyChart.iconSelect.starFilledLabel": "星形填充", "xpack.lens.xyChart.iconSelect.starLabel": "五角星", "xpack.lens.xyChart.iconSelect.tagIconLabel": "标签", "xpack.lens.xyChart.iconSelect.triangleIconLabel": "三角形", "xpack.lens.xyChart.inclusiveZero": "边界必须包括零。", + "xpack.lens.xyChart.layerAnnotation": "标注", "xpack.lens.xyChart.layerAnnotationsLabel": "标注", + "xpack.lens.xyChart.layerReferenceLine": "参考线", "xpack.lens.xyChart.layerReferenceLineLabel": "参考线", "xpack.lens.xyChart.leftAxisDisabledHelpText": "此设置仅在启用左轴时应用。", "xpack.lens.xyChart.leftAxisLabel": "左轴", @@ -18057,6 +19322,7 @@ "xpack.lens.xyChart.lineMarker.auto": "自动", "xpack.lens.xyChart.lineMarker.icon": "图标装饰", "xpack.lens.xyChart.lineMarker.position": "装饰位置", + "xpack.lens.xyChart.lineMarker.textVisibility.field": "字段", "xpack.lens.xyChart.lineMarker.textVisibility.name": "名称", "xpack.lens.xyChart.lineMarker.textVisibility.none": "无", "xpack.lens.xyChart.lineStyle.dashed": "虚线", @@ -18072,6 +19338,10 @@ "xpack.lens.xyChart.missingValuesStyle": "显示为虚线", "xpack.lens.xyChart.nestUnderRoot": "整个数据集", "xpack.lens.xyChart.placement": "位置", + "xpack.lens.xyChart.randomSampling.accuracyLabel": "准确性", + "xpack.lens.xyChart.randomSampling.label": "随机采样", + "xpack.lens.xyChart.randomSampling.learnMore": "查看文档", + "xpack.lens.xyChart.randomSampling.speedLabel": "速度", "xpack.lens.xyChart.rightAxisDisabledHelpText": "此设置仅在启用右轴时应用。", "xpack.lens.xyChart.rightAxisLabel": "右轴", "xpack.lens.xyChart.scaleLinear": "线性", @@ -18080,9 +19350,11 @@ "xpack.lens.xyChart.seriesColor.auto": "自动", "xpack.lens.xyChart.seriesColor.label": "系列颜色", "xpack.lens.xyChart.setScale": "轴刻度", + "xpack.lens.xyChart.showCurrenTimeMarker": "显示当前时间标记", "xpack.lens.xyChart.showEnzones": "显示部分数据标记", - "xpack.lens.xyChart.splitSeries": "细分方式", + "xpack.lens.xyChart.splitSeries": "细目", "xpack.lens.xyChart.tickLabels": "刻度标签", + "xpack.lens.xyChart.tooltip": "工具提示", "xpack.lens.xyChart.topAxisDisabledHelpText": "此设置仅在启用顶轴时应用。", "xpack.lens.xyChart.topAxisLabel": "顶轴", "xpack.lens.xyChart.valuesHistogramDisabledHelpText": "不能在直方图上更改此设置。", @@ -18215,6 +19487,7 @@ "xpack.lists.exceptions.builder.fieldLabel": "字段", "xpack.lists.exceptions.builder.operatorLabel": "运算符", "xpack.lists.exceptions.builder.valueLabel": "值", + "xpack.lists.exceptions.comboBoxCustomOptionText": "从列表中选择字段。如果您的字段不可用,请创建定制字段。", "xpack.lists.exceptions.orDescription": "OR", "xpack.logstash.addRoleAlert.grantAdditionalPrivilegesDescription": "在 Kibana“管理”中,将 {role} 角色分配给您的 Kibana 用户。", "xpack.logstash.confirmDeleteModal.deletedPipelinesConfirmButtonLabel": "删除 {numPipelinesSelected} 个管道", @@ -18305,6 +19578,7 @@ "xpack.logstash.workersTooltip": "将并行执行管道的筛选和输出阶段的工作线程数目。如果您发现事件出现积压或 CPU 未饱和,请考虑增大此数值,以更好地利用机器处理能力。\n\n默认值:主机的 CPU 核心数", "xpack.maps.blendedVectorLayer.clusteredLayerName": "集群 {displayName}", "xpack.maps.common.esSpatialRelation.clusterFilterLabel": "相交集群 {gridId}", + "xpack.maps.deleteLayerConfirmModal.multiLayerWarning": "移除此图层还会移除 {numChildren} 个嵌套{numChildren, plural, other {图层}}。", "xpack.maps.embeddable.boundsFilterLabel": "地图边界内的 {geoFieldsLabel}", "xpack.maps.es_geo_utils.convert.unsupportedGeometryTypeErrorMessage": "无法将 {geometryType} 几何图形转换成 geojson,不支持", "xpack.maps.es_geo_utils.distanceFilterAlias": "{pointLabel} {distanceKm}km 内", @@ -18344,6 +19618,7 @@ "xpack.maps.sescurity.destinationLayerLabel": "{indexPatternTitle} | 目标点", "xpack.maps.sescurity.lineLayerLabel": "{indexPatternTitle} | 线", "xpack.maps.sescurity.sourceLayerLabel": "{indexPatternTitle} | 源点", + "xpack.maps.setViewControl.outOfRangeErrorMsg": "必须介于 {min} 和 {max} 之间", "xpack.maps.source.ems_xyzDescription": "使用 {z}/{x}/{y} url 模式的 Raster 图像磁贴地图服务。", "xpack.maps.source.ems.noOnPremConnectionDescription": "无法连接到 {host}。", "xpack.maps.source.emsFile.unableToFindFileIdErrorMessage": "找不到 ID {id} 的 EMS 矢量形状。{info}", @@ -18357,12 +19632,14 @@ "xpack.maps.source.esGrid.compositeInspectorDescription": "Elasticsearch 地理网格聚合请求:{requestId}", "xpack.maps.source.esGrid.compositePaginationErrorMessage": "{layerName} 正导致过多的请求。降低“网格分辨率”和/或减少热门词“指标”的数量。", "xpack.maps.source.esGrid.resolutionParamErrorMessage": "无法识别网格分辨率参数:{resolution}", + "xpack.maps.source.esJoin.countLabel": "{indexPatternLabel} 的计数", "xpack.maps.source.esJoin.joinDescription": "Elasticsearch 词聚合请求,左源:{leftSource},右源:{rightSource}", "xpack.maps.source.esSearch.clusterScalingLabel": "结果超过 {maxResultWindow} 个时显示集群", "xpack.maps.source.esSearch.convertToGeoJsonErrorMsg": "无法将搜索响应转换成 geoJson 功能集合,错误:{errorMsg}", "xpack.maps.source.esSearch.limitScalingLabel": "将结果数限制到 {maxResultWindow}", "xpack.maps.source.esSearch.loadTooltipPropertiesErrorMsg": "找不到文档,_id:{docId}", "xpack.maps.source.esSearch.mvtScalingJoinMsg": "矢量磁贴支持一个词联接。您的图层具有 {numberOfJoins} 个词联接。切换到矢量磁贴会保留第一个词联接,并从图层配置中移除所有其他词联接。", + "xpack.maps.source.esSource.noGeoFieldErrorMessage": "数据视图“{indexPatternLabel}”不再包含地理字段“{geoField}”", "xpack.maps.source.esSource.requestFailedErrorMessage": "Elasticsearch 搜索请求失败,错误:{message}", "xpack.maps.source.esSource.stylePropsMetaRequestName": "{layerName} - 元数据", "xpack.maps.source.MVTSingleLayerVectorSourceEditor.urlHelpMessage": ".mvt 矢量磁帖服务的 URL。例如 {url}", @@ -18439,6 +19716,10 @@ "xpack.maps.dataView.notFoundMessage": "找不到数据视图“{id}”", "xpack.maps.dataView.selectPlacholder": "选择数据视图", "xpack.maps.deleteBtnTitle": "删除", + "xpack.maps.deleteLayerConfirmModal.cancelButtonText": "取消", + "xpack.maps.deleteLayerConfirmModal.confirmButtonText": "移除图层", + "xpack.maps.deleteLayerConfirmModal.title": "移除图层?", + "xpack.maps.deleteLayerConfirmModal.unrecoverableWarning": "无法恢复已移除图层。", "xpack.maps.discover.visualizeFieldLabel": "在 Maps 中可视化", "xpack.maps.distanceFilterForm.filterLabelLabel": "筛选标签", "xpack.maps.drawFeatureControl.invalidGeometry": "检测到无效的几何形状", @@ -18526,10 +19807,12 @@ "xpack.maps.layer.loadWarningAriaLabel": "加载警告", "xpack.maps.layerControl.addLayerButtonLabel": "添加图层", "xpack.maps.layerControl.closeLayerTOCButtonAriaLabel": "折叠图层面板", + "xpack.maps.layerControl.hideAllLayersButton": "隐藏所有图层", "xpack.maps.layerControl.layersTitle": "图层", "xpack.maps.layerControl.layerTocActions.editFeaturesButtonLabel": "编辑特征", "xpack.maps.layerControl.layerTocActions.layerSettingsButtonLabel": "编辑图层设置", "xpack.maps.layerControl.openLayerTOCButtonAriaLabel": "展开图层面板", + "xpack.maps.layerControl.showAllLayersButton": "显示所有图层", "xpack.maps.layerControl.tocEntry.EditFeatures": "编辑特征", "xpack.maps.layerControl.tocEntry.exitEditModeAriaLabel": "退出", "xpack.maps.layerControl.tocEntry.grabButtonAriaLabel": "重新排序图层", @@ -18538,6 +19821,9 @@ "xpack.maps.layerControl.tocEntry.hideDetailsButtonTitle": "隐藏图层详情", "xpack.maps.layerControl.tocEntry.showDetailsButtonAriaLabel": "显示图层详情", "xpack.maps.layerControl.tocEntry.showDetailsButtonTitle": "显示图层详情", + "xpack.maps.layerGroup.defaultName": "图层组", + "xpack.maps.layerGroupWizard.description": "在层次结构中组织相关图层", + "xpack.maps.layerGroupWizard.title": "图层组", "xpack.maps.layerPanel.filterEditor.addFilterButtonLabel": "设置筛选", "xpack.maps.layerPanel.filterEditor.editFilterButtonLabel": "编辑筛选", "xpack.maps.layerPanel.filterEditor.emptyState.description": "添加筛选以缩小图层数据范围。", @@ -18571,12 +19857,17 @@ "xpack.maps.layerPanel.metricsExpression.helpText": "配置右源的指标。这些值已添加到图层功能。", "xpack.maps.layerPanel.metricsExpression.joinMustBeSetErrorMessage": "必须设置联接", "xpack.maps.layerPanel.metricsExpression.metricsPopoverTitle": "指标", + "xpack.maps.layerPanel.settingsPanel.DisableTooltips": "显示工具提示", "xpack.maps.layerPanel.settingsPanel.fittableFlagLabel": "在数据边界契合计算中包括图层", "xpack.maps.layerPanel.settingsPanel.fittableFlagTooltip": "数据边界契合将调整您的地图范围以显示您的所有数据。图层可以提供参考数据,不应包括在数据边界契合计算中。使用此选项可从数据边界契合计算中排除图层。", "xpack.maps.layerPanel.settingsPanel.labelLanguageAutoselectDropDown": "基于 Kibana 区域设置自动选择", "xpack.maps.layerPanel.settingsPanel.labelLanguageLabel": "标签语言", "xpack.maps.layerPanel.settingsPanel.labelLanguageNoneDropDown": "无", "xpack.maps.layerPanel.settingsPanel.labelsOnTop": "在顶部显示标签", + "xpack.maps.layerPanel.settingsPanel.layerGroupAddToFront": "要添加首个图层,请将其拖动到组名称上。", + "xpack.maps.layerPanel.settingsPanel.layerGroupAddToPosition": "要添加其他图层,请将其拖动到组中最后一个图层上的任何位置。", + "xpack.maps.layerPanel.settingsPanel.layerGroupCalloutTitle": "将图层拖入和拖出组", + "xpack.maps.layerPanel.settingsPanel.layerGroupRemove": "要移除图层,请将其拖动到组的上方或下方。", "xpack.maps.layerPanel.settingsPanel.layerNameLabel": "名称", "xpack.maps.layerPanel.settingsPanel.layerTransparencyLabel": "图层透明度", "xpack.maps.layerPanel.settingsPanel.percentageLabel": "%", @@ -18601,6 +19892,7 @@ "xpack.maps.layerTocActions.removeLayerTitle": "移除图层", "xpack.maps.layerTocActions.showLayerTitle": "显示图层", "xpack.maps.layerTocActions.showThisLayerOnlyTitle": "仅显示此图层", + "xpack.maps.layerTocActions.ungroupLayerTitle": "对图层取消分组", "xpack.maps.layerWizardSelect.allCategories": "全部", "xpack.maps.layerWizardSelect.elasticsearchCategoryLabel": "Elasticsearch", "xpack.maps.layerWizardSelect.referenceCategoryLabel": "参考", @@ -18730,6 +20022,8 @@ "xpack.maps.security.desc": "安全层", "xpack.maps.security.disabledDesc": "找不到安全数据视图。要开始使用“安全性”,请前往“安全性”>“概览”。", "xpack.maps.security.title": "安全", + "xpack.maps.setViewControl.changeCoordinateSystemButtonLabel": "坐标系统", + "xpack.maps.setViewControl.decimalDegreesLabel": "十进制度", "xpack.maps.setViewControl.goToButtonLabel": "前往", "xpack.maps.setViewControl.latitudeLabel": "纬度", "xpack.maps.setViewControl.longitudeLabel": "经度", @@ -18806,6 +20100,7 @@ "xpack.maps.source.esSearch.clusterScalingJoinMsg": "与集群一起缩放不支持词联接。切换到集群将从您的图层配置中移除所有词联接。", "xpack.maps.source.esSearch.descendingLabel": "降序", "xpack.maps.source.esSearch.extentFilterLabel": "在可见地图区域中动态筛留数据", + "xpack.maps.source.esSearch.fieldNotFoundMsg": "在索引模式“{indexPatternName}”中找不到“{fieldName}”。", "xpack.maps.source.esSearch.geofieldLabel": "地理空间字段", "xpack.maps.source.esSearch.geoFieldLabel": "地理空间字段", "xpack.maps.source.esSearch.geoFieldTypeLabel": "地理空间字段类型", @@ -18872,6 +20167,8 @@ "xpack.maps.style.customColorPaletteLabel": "定制调色板", "xpack.maps.style.customColorRampLabel": "定制颜色渐变", "xpack.maps.style.field.unsupportedWithVectorTileMsg": "“{styleLabel}”不支持这个具有矢量磁贴的字段。要通过此字段为“{styleLabel}”提供样式,请在“缩放”中选择“限制结果”。", + "xpack.maps.style.revereseColorsLabel": "反转颜色", + "xpack.maps.style.revereseSizeLabel": "反转大小", "xpack.maps.styles.categorical.otherCategoryLabel": "其他", "xpack.maps.styles.categoricalDataMapping.isEnabled.local": "禁用后,从本地数据计算类别,并在数据更改时重新计算类别。在用户平移、缩放和筛选时,样式可能不一致。", "xpack.maps.styles.categoricalDataMapping.isEnabled.server": "从整个数据集计算类别。在用户平移、缩放和筛选时,样式保持一致。", @@ -18990,6 +20287,8 @@ "xpack.maps.tooltipSelector.togglePopoverLabel": "添加", "xpack.maps.tooltipSelector.trashButtonAriaLabel": "移除属性", "xpack.maps.tooltipSelector.trashButtonTitle": "移除属性", + "xpack.maps.topNav.cancel": "取消", + "xpack.maps.topNav.cancelButtonAriaLabel": "返回到上一个应用而不保存更改", "xpack.maps.topNav.fullScreenButtonLabel": "全屏", "xpack.maps.topNav.fullScreenDescription": "全屏", "xpack.maps.topNav.openInspectorButtonLabel": "检查", @@ -19053,6 +20352,8 @@ "xpack.ml.anomaliesTable.anomalyDetails.multivariateDescription": "{sourceByFieldName} 中找到多变量关联;如果{sourceCorrelatedByFieldValue},{sourceByFieldValue} 将被视为有异常", "xpack.ml.anomaliesTable.anomalyDetails.regexDescriptionTooltip": "用于搜索匹配该类别的值(可能已截短至最大字符限制 {maxChars})的正则表达式", "xpack.ml.anomaliesTable.anomalyDetails.termsDescriptionTooltip": "该类别的值(可能已截短至最大字符限制({maxChars})中匹配的常见令牌的空格分隔列表", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.anomalyType.dip": "{anomalyLength, plural, other {# 个存储桶}}上出现谷值", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.anomalyType.spike": "{anomalyLength, plural, other {# 个存储桶}}上出现峰值", "xpack.ml.anomaliesTable.influencersCell.moreInfluencersLinkText": "及另外 {othersCount} 个", "xpack.ml.anomaliesTable.linksMenu.loadingDetailsErrorMessage": "无法查看示例,因为加载有关类别 ID {categoryId} 的详细信息时出错", "xpack.ml.anomaliesTable.linksMenu.noMappingCouldBeFoundErrorMessage": "无法查看 mlcategory 为 {categoryId} 的文档的示例,因为找不到分类字段 {categorizationFieldName} 的映射", @@ -19080,6 +20381,8 @@ "xpack.ml.controls.selectSeverity.scoreDetailsDescription": "{value} 及以上分数", "xpack.ml.dataframe.analytics.classificationExploration.generalizationDocsCount": "{docsCount, plural, other {个文档}}已评估", "xpack.ml.dataframe.analytics.classificationExploration.tableJobIdTitle": "分类作业 ID {jobId} 的目标索引", + "xpack.ml.dataframe.analytics.cloneAction.dataViewPromptLink": "{linkToDataViewManagement}", + "xpack.ml.dataframe.analytics.cloneAction.dataViewPromptLinkText": "为 {sourceIndex} 创建数据视图", "xpack.ml.dataframe.analytics.create.advancedEditor.errorCheckingJobIdExists": "检查作业 ID 是否存在时发生以下错误:{error}", "xpack.ml.dataframe.analytics.create.advancedEditorMessage.numTopFeatureImportanceValuesInvalid": "num_top_feature_importance_values 的值必须是 {min} 或更高的整数。", "xpack.ml.dataframe.analytics.create.advancedEditorMessage.trainingPercentInvalid": "训练百分比必须是介于 {min} 和 {max} 之间的数字。", @@ -19104,7 +20407,7 @@ "xpack.ml.dataframe.analytics.create.UseResultsFieldDefaultLabel": "使用结果字段默认值“{defaultValue}”", "xpack.ml.dataframe.analytics.create.zeroClassesMessage": "要评估 {wikiLink},请选择所有类,或者大于类总数的值。", "xpack.ml.dataframe.analytics.creationPageSourceIndexTitle": "源数据视图:{dataViewTitle}", - "xpack.ml.dataframe.analytics.dataViewPromptLink": "{destIndex} 的 {linkToDataViewManagement}。", + "xpack.ml.dataframe.analytics.dataViewPromptLink": "{linkToDataViewManagement}{destIndex}。", "xpack.ml.dataframe.analytics.dataViewPromptMessage": "对于索引 {destIndex},不存在数据视图。", "xpack.ml.dataframe.analytics.explorationResults.decisionPathPlotHelpText": "SHAP 决策图使用 {linkedFeatureImportanceValues} 说明模型如何达到“{predictionFieldName}”的预测值。", "xpack.ml.dataframe.analytics.explorationResults.decisionPathXAxisTitle": "“{predictionFieldName}”的 {xAxisLabel}", @@ -19132,6 +20435,7 @@ "xpack.ml.dataframe.analyticsList.errorWithCheckingIfUserCanDeleteIndexNotificationErrorMessage": "检查用户是否能够删除 {destinationIndex} 时发生错误:{error}", "xpack.ml.dataframe.analyticsList.fetchSourceDataViewForCloneErrorMessage": "检查数据视图 {dataView} 是否存在时发生错误:{error}", "xpack.ml.dataframe.analyticsList.forceStopModalBody": "{analyticsId} 处于失败状态。您必须停止该作业并修复失败问题。", + "xpack.ml.dataframe.analyticsList.noSourceDataViewForClone": "无法克隆分析作业。对于索引 {sourceIndex},不存在数据视图。", "xpack.ml.dataframe.analyticsList.progressOfPhase": "阶段 {currentPhase} 的进度:{progress}%", "xpack.ml.dataframe.analyticsList.rowCollapse": "隐藏 {analyticsId} 的详情", "xpack.ml.dataframe.analyticsList.rowExpand": "显示 {analyticsId} 的详情", @@ -19163,12 +20467,14 @@ "xpack.ml.deleteSpaceAwareItemCheckModal.unTagSuccessTitle": "成功更新 {id}", "xpack.ml.editModelSnapshotFlyout.calloutText": "这是作业 {jobId} 当前正在使用的快照,因此无法删除。", "xpack.ml.editModelSnapshotFlyout.title": "编辑快照 {ssId}", + "xpack.ml.embeddables.lensLayerFlyout.secondTitle": "从可视化 {title} 中选择兼容的图层以创建异常检测作业。", "xpack.ml.entityFilter.addFilterAriaLabel": "添加 {influencerFieldName} {influencerFieldValue} 的筛选", "xpack.ml.entityFilter.removeFilterAriaLabel": "移除 {influencerFieldName} {influencerFieldValue} 的筛选", "xpack.ml.explorer.annotationsOutOfTotalCountTitle": "前 {visibleCount} 个,共 {totalCount} 个", "xpack.ml.explorer.annotationsTitle": "标注 {badge}", "xpack.ml.explorer.annotationsTitleTotalCount": "总计:{count}", "xpack.ml.explorer.anomaliesMap.anomaliesCount": "异常计数:{jobId}", + "xpack.ml.explorer.attachViewBySwimLane": "按 {viewByField} 查看", "xpack.ml.explorer.charts.detectorLabel": "{detectorLabel}{br}y 轴事件分布按 “{fieldName}”分割", "xpack.ml.explorer.charts.infoTooltip.chartEventDistributionDescription": "灰点表示 {byFieldValuesParam} 的样例随时间发生的近似分布情况,其中顶部的事件类型较频繁,底部的事件类型较少。", "xpack.ml.explorer.charts.infoTooltip.chartPopulationDistributionDescription": "灰点表示 {overFieldValuesParam} 样例的值随时间的近似分布。", @@ -19330,6 +20636,7 @@ "xpack.ml.models.jobValidation.validateJobObject.jobIsNotObjectErrorMessage": "无效的 {invalidParamName}:需要是对象。", "xpack.ml.models.jobValidation.validateJobObject.timeFieldIsNotStringErrorMessage": "无效的 {invalidParamName}:需要是字符串。", "xpack.ml.newJob.fromLens.createJob.error.incorrectFunction": "异常检测检测工具不支持选定函数 {operationType}", + "xpack.ml.newJob.fromLens.createJob.namedUrlDashboard": "打开 {dashboardName}", "xpack.ml.newJob.page.createJob.dataViewName": "正在使用数据视图 {dataViewName}", "xpack.ml.newJob.recognize.createJobButtonLabel": "创建{numberOfJobs, plural, other {作业}}", "xpack.ml.newJob.recognize.dataViewPageTitle": "数据视图 {dataViewName}", @@ -19376,6 +20683,9 @@ "xpack.ml.newJob.wizard.validateJob.modelMemoryLimitRangeInvalidErrorMessage": "模型内存限制不能高于最大值 {maxModelMemoryLimit}", "xpack.ml.newJob.wizard.validateJob.modelMemoryLimitUnitsInvalidErrorMessage": "无法识别模型内存限制数据单元。必须为 {str}", "xpack.ml.notFoundPage.bannerText": "Machine Learning 应用程序无法识别此路由:{route}。已将您重定向到“概览”页面。", + "xpack.ml.notifications.newNotificationsMessage": "自 {sinceDate}以来有 {newNotificationsCount, plural, other {# 个通知}}。刷新页面以查看更新。", + "xpack.ml.notificationsIndicator.errorsAndWarningLabel": "自 {lastCheckedAt} 以来有 {count, plural, other {# 个通知}}包含错误或警告级别", + "xpack.ml.notificationsIndicator.unreadLabel": "自 {lastCheckedAt} 以来您有未读通知", "xpack.ml.overview.analyticsList.emptyPromptHelperText": "构建数据帧分析作业之前,请使用 {transforms} 构造一个 {sourcedata}。", "xpack.ml.overview.feedbackSectionText": "如果您在体验方面有任何意见或建议,请提交{feedbackLink}。", "xpack.ml.overview.gettingStartedSectionText": "欢迎使用 Machine Learning。首先查看我们的{docs}或创建新作业。", @@ -19432,6 +20742,7 @@ "xpack.ml.timeSeriesExplorer.dataNotChartableDescription": "没有为选定{entityCount, plural, other {实体}}收集模型绘图\n,无法为此检测工具绘制源数据。", "xpack.ml.timeSeriesExplorer.forecastDataErrorMessage": "加载预测 ID {forecastId} 的预测数据时出错", "xpack.ml.timeSeriesExplorer.forecastingModal.dataContainsMorePartitionsMessage": "注意,此数据包含 {warnNumPartitions} 个以上分区,因此运行预测可能会花费很长时间,并消耗大量的资源", + "xpack.ml.timeSeriesExplorer.forecastingModal.errorRunningForecastMessage": "运行预测时出错:{errorMessage}", "xpack.ml.timeSeriesExplorer.forecastingModal.forecastDurationMustNotBeGreaterThanMaximumErrorMessage": "预测持续时间不得大于 {maximumForecastDurationDays} 天", "xpack.ml.timeSeriesExplorer.forecastingModal.forecastingOnlyAvailableForJobsCreatedInSpecifiedVersionMessage": "预测仅可用于在版本 {minVersion} 或更高版本中创建的作业", "xpack.ml.timeSeriesExplorer.forecastingModal.noProgressReportedForNewForecastErrorMessage": "有 {WarnNoProgressMs}ms 未报告新预测的进度。运行预测时可能发生了错误。", @@ -19462,7 +20773,11 @@ "xpack.ml.trainedModels.modelsList.stopFailed": "无法停止“{modelId}”", "xpack.ml.trainedModels.modelsList.stopSuccess": "已成功停止“{modelId}”的部署。", "xpack.ml.trainedModels.modelsList.successfullyDeletedMessage": "{modelsCount, plural, one {模型 {modelIds}} other {# 个模型}}{modelsCount, plural, other {已}}成功删除", + "xpack.ml.trainedModels.modelsList.updateDeployment.modalTitle": "更新 {modelId} 部署", + "xpack.ml.trainedModels.modelsList.updateFailed": "无法更新“{modelId}”", + "xpack.ml.trainedModels.modelsList.updateSuccess": "已成功更新“{modelId}”的部署。", "xpack.ml.trainedModels.testModelsFlyout.langIdent.output.title": "这像是 {lang}", + "xpack.ml.trainedModels.testModelsFlyout.langIdent.output.titleUnknown": "语言代码未知:{langCode}", "xpack.ml.validateJob.modal.linkToJobTipsText": "有关更多信息,请参阅 {mlJobTipsLink}。", "xpack.ml.validateJob.modal.validateJobTitle": "验证作业 {title}", "xpack.ml.accessDenied.description": "您无权查看 Machine Learning 插件。要访问该插件,需要 Machine Learning 功能在此工作区中可见。", @@ -19479,9 +20794,16 @@ "xpack.ml.advancedSettings.anomalyDetectionDefaultTimeRangeName": "异常检测结果的时间筛选默认值", "xpack.ml.advancedSettings.enableAnomalyDetectionDefaultTimeRangeDesc": "使用 Single Metric Viewer 和 Anomaly Explorer 中的默认时间筛选。如果未启用,则将显示作业的整个时间范围的结果。", "xpack.ml.advancedSettings.enableAnomalyDetectionDefaultTimeRangeName": "对异常检测结果启用时间筛选默认值", + "xpack.ml.aiops.changePointDetection.docTitle": "更改点检测", + "xpack.ml.aiops.changePointDetectionBreadcrumbLabel": "更改点检测", "xpack.ml.aiops.explainLogRateSpikes.docTitle": "解释日志速率峰值", - "xpack.ml.aiopsBreadcrumbLabel": "AIOps", + "xpack.ml.aiops.explainLogRateSpikesBreadcrumbLabel": "解释日志速率峰值", + "xpack.ml.aiops.logCategorization.docTitle": "日志模式分析", + "xpack.ml.aiops.logPatternAnalysisBreadcrumbLabel": "日志模式分析", + "xpack.ml.aiopsBreadcrumbLabel": "AIOps 实验室", + "xpack.ml.aiopsBreadcrumbs.changePointDetectionLabel": "更改点检测", "xpack.ml.aiopsBreadcrumbs.explainLogRateSpikesLabel": "解释日志速率峰值", + "xpack.ml.aiopsBreadcrumbs.selectDataViewLabel": "选择数据视图", "xpack.ml.alertConditionValidation.title": "告警条件包含以下问题:", "xpack.ml.alertContext.anomalyExplorerUrlDescription": "要在 Anomaly Explorer 中打开的 URL", "xpack.ml.alertContext.isInterimDescription": "表示排名靠前的命中是否包含中间结果", @@ -19573,6 +20895,26 @@ "xpack.ml.anomaliesTable.anomalyDetails.actualTitle": "实际", "xpack.ml.anomaliesTable.anomalyDetails.anomalyDescriptionShowLessLinkText": "显示更少", "xpack.ml.anomaliesTable.anomalyDetails.anomalyDetailsTitle": "异常详情", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristics": "异常特征影响", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.high": "相对于历史平均值,检测到的异常的持续时间和级别产生较大影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.low": "相对于历史平均值,检测到的异常的持续时间和级别产生适度影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyCharacteristicsTooltip.medium": "相对于历史平均值,检测到的异常的持续时间和级别产生重大影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.anomalyType": "异常类型", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.highVariance": "高方差时间间隔", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.highVarianceTooltip": "表示具有较大置信区间的存储桶的异常分数减少。如果存储桶具有较大置信区间,分数将减少。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.incompleteBucket": "不完整的存储桶", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.incompleteBucketTooltip": "如果存储桶包含的样例数少于预期,分数会降低。如果存储桶包含的样例数少于预期,分数会降低。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucket": "多存储桶影响", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.high": "过去 12 个存储桶中的实际值与典型值之间的差异会产生较大影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.low": "过去 12 个存储桶中的实际值与典型值之间的差异会产生适度影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.multiBucketTooltip.medium": "过去 12 个存储桶中的实际值与典型值之间的差异会产生重大影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.recordScore": "记录分数降低", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.recordScoreTooltip": "基于后续数据分析,初始记录分数已降低。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucket": "单存储桶影响", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.high": "此存储桶中的实际值与典型值之间的差异会产生较大影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.low": "此存储桶中的实际值与典型值之间的差异会产生适度影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationDetails.singleBucketTooltip.medium": "此存储桶中的实际值与典型值之间的差异会产生重大影响。", + "xpack.ml.anomaliesTable.anomalyDetails.anomalyExplanationTitle": "异常解释", "xpack.ml.anomaliesTable.anomalyDetails.categoryExamplesTitle": "类别示例", "xpack.ml.anomaliesTable.anomalyDetails.descriptionTitle": "描述", "xpack.ml.anomaliesTable.anomalyDetails.detailsOnHighestSeverityAnomalyTitle": "有关最高严重性异常的详情", @@ -19580,11 +20922,13 @@ "xpack.ml.anomaliesTable.anomalyDetails.examplesTitle": "示例", "xpack.ml.anomaliesTable.anomalyDetails.fieldNameTitle": "字段名称", "xpack.ml.anomaliesTable.anomalyDetails.functionTitle": "函数", + "xpack.ml.anomaliesTable.anomalyDetails.impactOnScoreTitle": "对初始分数的影响", "xpack.ml.anomaliesTable.anomalyDetails.influencersTitle": "影响因素", "xpack.ml.anomaliesTable.anomalyDetails.initialRecordScoreTitle": "初始记录分数", "xpack.ml.anomaliesTable.anomalyDetails.initialRecordScoreTooltip": "介于 0-100 之间的标准化分数,表示初始处理存储桶时异常记录的相对意义。", "xpack.ml.anomaliesTable.anomalyDetails.interimResultLabel": "中间结果", "xpack.ml.anomaliesTable.anomalyDetails.jobIdTitle": "作业 ID", + "xpack.ml.anomaliesTable.anomalyDetails.lowerBoundsTitle": "下边界", "xpack.ml.anomaliesTable.anomalyDetails.probabilityTitle": "可能性", "xpack.ml.anomaliesTable.anomalyDetails.recordScoreTitle": "记录分数", "xpack.ml.anomaliesTable.anomalyDetails.recordScoreTooltip": "介于 0-100 之间的标准化分数,表示异常记录结果的相对意义。在分析新数据时,该值可能会更改。", @@ -19594,6 +20938,9 @@ "xpack.ml.anomaliesTable.anomalyDetails.termsTitle": "词", "xpack.ml.anomaliesTable.anomalyDetails.timeTitle": "时间", "xpack.ml.anomaliesTable.anomalyDetails.typicalTitle": "典型", + "xpack.ml.anomaliesTable.anomalyDetails.upperBoundsTitle": "上边界", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.no": "否", + "xpack.ml.anomaliesTable.anomalyExplanationDetails.yes": "是", "xpack.ml.anomaliesTable.categoryExamplesColumnName": "类别示例", "xpack.ml.anomaliesTable.detectorCell.rulesConfiguredTooltip": "个规则已为此检测工具配置", "xpack.ml.anomaliesTable.detectorColumnName": "检测工具", @@ -19617,6 +20964,7 @@ "xpack.ml.anomaliesTable.linksMenu.viewInDiscover": "在 Discover 中查看", "xpack.ml.anomaliesTable.linksMenu.viewInMapsLabel": "在 Maps 中查看", "xpack.ml.anomaliesTable.linksMenu.viewSeriesLabel": "查看序列", + "xpack.ml.anomaliesTable.linksMenu.viewSourceIndexInMapsLabel": "在 Maps 中查看源索引", "xpack.ml.anomaliesTable.metricDescriptionSortColumnName": "描述", "xpack.ml.anomaliesTable.noMatchingAnomaliesFoundTitle": "未找到任何匹配的异常", "xpack.ml.anomaliesTable.severityColumnName": "严重性", @@ -19702,6 +21050,17 @@ "xpack.ml.calendarsList.table.idColumnName": "ID", "xpack.ml.calendarsList.table.jobsColumnName": "作业", "xpack.ml.calendarsList.table.newButtonLabel": "新建", + "xpack.ml.cases.anomalyCharts.description.jobIdsLabel": "作业 ID", + "xpack.ml.cases.anomalyCharts.description.timeRangeLabel": "时间范围", + "xpack.ml.cases.anomalyCharts.displayName": "异常图表", + "xpack.ml.cases.anomalyCharts.embeddableAddedEvent": "已添加异常图表", + "xpack.ml.cases.anomalySwimLane.description.jobIdsLabel": "作业 ID", + "xpack.ml.cases.anomalySwimLane.description.queryLabel": "查询", + "xpack.ml.cases.anomalySwimLane.description.timeRangeLabel": "时间范围", + "xpack.ml.cases.anomalySwimLane.description.viewByLabel": "查看方式", + "xpack.ml.cases.anomalySwimLane.displayName": "异常泳道", + "xpack.ml.cases.anomalySwimLane.embeddableAddedEvent": "已添加异常泳道", + "xpack.ml.changePointDetection.pageHeader": "更改点检测", "xpack.ml.checkLicense.licenseHasExpiredMessage": "您的 Machine Learning 许可证已过期。", "xpack.ml.chrome.help.appName": "Machine Learning", "xpack.ml.common.learnMoreQuestion": "希望了解详情?", @@ -20233,8 +21592,23 @@ "xpack.ml.editModelSnapshotFlyout.saveErrorTitle": "模型快照更新失败", "xpack.ml.editModelSnapshotFlyout.useDefaultButton": "删除", "xpack.ml.embeddables.lensLayerFlyout.closeButton": "关闭", - "xpack.ml.embeddables.lensLayerFlyout.createJobButton": "从此图层创建作业", + "xpack.ml.embeddables.lensLayerFlyout.createJobButton": "使用向导创建作业", + "xpack.ml.embeddables.lensLayerFlyout.createJobButton.saving": "创建作业", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.realTime": "离开为新数据运行的作业", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.start": "在保存后开始作业", + "xpack.ml.embeddables.lensLayerFlyout.createJobCallout.additionalSettings.title": "其他设置", + "xpack.ml.embeddables.lensLayerFlyout.createJobCalloutTitle.multiMetric": "此图层可用于创建多指标作业", + "xpack.ml.embeddables.lensLayerFlyout.createJobCalloutTitle.singleMetric": "此图层可用于创建单指标作业", + "xpack.ml.embeddables.lensLayerFlyout.creatingJob": "正在创建作业", "xpack.ml.embeddables.lensLayerFlyout.defaultLayerError": "此图层无法用于创建异常检测作业", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.datafeedCreated": "已创建作业,但无法创建数据馈送。", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.datafeedStarted": "已创建作业和数据馈送,但无法启动数据馈送。", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.jobCreated": "无法创建作业。", + "xpack.ml.embeddables.lensLayerFlyout.jobCreateError.jobOpened": "已创建作业和数据馈送,但无法打开作业。", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess": "已创建作业", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.jobList": "在作业管理页面中查看", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.multiMetric": "在 Anomaly Explorer 中查看结果", + "xpack.ml.embeddables.lensLayerFlyout.saveSuccess.resultsLink.singleMetric": "在 Single Metric Viewer 中查看结果", "xpack.ml.embeddables.lensLayerFlyout.title": "创建异常检测作业", "xpack.ml.entityFilter.addFilterTooltip": "添加筛选", "xpack.ml.entityFilter.removeFilterTooltip": "移除筛选", @@ -20249,7 +21623,8 @@ "xpack.ml.explorer.annotationsErrorCallOutTitle": "加载注释时发生错误:", "xpack.ml.explorer.annotationsErrorTitle": "标注", "xpack.ml.explorer.anomalies.actionsAriaLabel": "操作", - "xpack.ml.explorer.anomalies.addToDashboardLabel": "将异常图表添加到仪表板", + "xpack.ml.explorer.anomalies.actionsPopoverLabel": "异常图表", + "xpack.ml.explorer.anomalies.addToDashboardLabel": "添加到仪表板", "xpack.ml.explorer.anomaliesTitle": "异常", "xpack.ml.explorer.anomalyTimelinePopoverAdvancedExplanation": "在 Anomaly Explorer 的每个部分中看到的异常分数可能略微不同。这种差异之所以发生,是因为每个作业都有存储桶结果、总体存储桶结果、影响因素结果和记录结果。每个结果类型都会生成异常分数。总体泳道显示每个块的最大总体存储桶分数。按作业查看泳道时,其在每个块中显示最大存储桶分数。按影响因素查看泳道时,其在每个块中显示最大影响因素分数。", "xpack.ml.explorer.anomalyTimelinePopoverBasicExplanation": "泳道提供已在选定时间段内分析的数据存储桶的概览。您可以查看总体泳道或按作业或影响因素查看。", @@ -20257,6 +21632,8 @@ "xpack.ml.explorer.anomalyTimelinePopoverSelectionExplanation": "选择泳道中的一个或多个块时,异常列表和排名最前的影响因素进行相应的筛选,以提供与该选择相关的信息。", "xpack.ml.explorer.anomalyTimelinePopoverTitle": "异常时间线", "xpack.ml.explorer.anomalyTimelineTitle": "异常时间线", + "xpack.ml.explorer.attachOverallSwimLane": "总体", + "xpack.ml.explorer.attachToCaseLabel": "添加到案例", "xpack.ml.explorer.charts.dashboardTooManyBucketsDescription": "此选择包含太多存储桶,因此无法显示。应缩小视图的时间范围。", "xpack.ml.explorer.charts.infoTooltip.aggregationIntervalTitle": "聚合时间间隔", "xpack.ml.explorer.charts.infoTooltip.chartFunctionTitle": "图表功能", @@ -20385,6 +21762,7 @@ "xpack.ml.inference.modelsList.startModelDeploymentActionLabel": "开始部署", "xpack.ml.inference.modelsList.stopModelDeploymentActionLabel": "停止部署", "xpack.ml.inference.modelsList.testModelActionLabel": "测试模型", + "xpack.ml.inference.modelsList.updateModelDeploymentActionLabel": "更新部署", "xpack.ml.influencerResultType.description": "时间范围中最异常的实体是什么?", "xpack.ml.influencerResultType.title": "影响因素", "xpack.ml.influencersList.noInfluencersFoundTitle": "找不到影响因素", @@ -20416,7 +21794,7 @@ "xpack.ml.jobsBreadcrumbs.multiMetricLabel": "多指标", "xpack.ml.jobsBreadcrumbs.populationLabel": "填充", "xpack.ml.jobsBreadcrumbs.rareLabel": "极少", - "xpack.ml.jobsBreadcrumbs.selectDateViewLabel": "数据视图", + "xpack.ml.jobsBreadcrumbs.selectDateViewLabel": "选择数据视图", "xpack.ml.jobsBreadcrumbs.selectIndexOrSearchLabelRecognize": "识别的索引", "xpack.ml.jobsBreadcrumbs.selectJobType": "创建作业", "xpack.ml.jobsBreadcrumbs.singleMetricLabel": "单一指标", @@ -20464,7 +21842,7 @@ "xpack.ml.jobsList.datafeedChart.annotationLineSeriesId": "标注线条结果", "xpack.ml.jobsList.datafeedChart.annotationRectSeriesId": "标注矩形结果", "xpack.ml.jobsList.datafeedChart.applyQueryDelayLabel": "应用", - "xpack.ml.jobsList.datafeedChart.bucketSeriesId": "作业结果", + "xpack.ml.jobsList.datafeedChart.bucketSeriesId": "数据馈送文档计数", "xpack.ml.jobsList.datafeedChart.cancelQueryDelayUpdateLabel": "取消", "xpack.ml.jobsList.datafeedChart.chartIntervalEndTime": "图表时间间隔结束时间", "xpack.ml.jobsList.datafeedChart.chartIntervalLeftArrow": "上一时间窗口", @@ -20480,11 +21858,12 @@ "xpack.ml.jobsList.datafeedChart.messagesTableTitle": "作业消息", "xpack.ml.jobsList.datafeedChart.messagesTabName": "消息", "xpack.ml.jobsList.datafeedChart.modelSnapshotsLineSeriesId": "模块快照", + "xpack.ml.jobsList.datafeedChart.notAvailableMessage": "不可用", "xpack.ml.jobsList.datafeedChart.queryDelayLabel": "查询延迟", "xpack.ml.jobsList.datafeedChart.revertSnapshotMessage": "单击以恢复到此模型快照。", "xpack.ml.jobsList.datafeedChart.showAnnotationsCheckboxLabel": "显示标注", "xpack.ml.jobsList.datafeedChart.showModelSnapshotsCheckboxLabel": "显示模型快照", - "xpack.ml.jobsList.datafeedChart.sourceSeriesId": "源索引", + "xpack.ml.jobsList.datafeedChart.sourceSeriesId": "源索引文档计数", "xpack.ml.jobsList.datafeedChart.yAxisTitle": "计数", "xpack.ml.jobsList.datafeedStateLabel": "数据馈送状态", "xpack.ml.jobsList.deleteActionStatusText": "删除", @@ -20658,6 +22037,7 @@ "xpack.ml.jobsList.stoppedActionStatusText": "已停止", "xpack.ml.jobsList.title": "异常检测作业", "xpack.ml.keyword.ml": "ML", + "xpack.ml.logCategorization.pageHeader": "日志模式分析", "xpack.ml.machineLearningBreadcrumbLabel": "Machine Learning", "xpack.ml.machineLearningDescription": "对时序数据的正常行为自动建模以检测异常。", "xpack.ml.machineLearningSubtitle": "建模、预测和检测。", @@ -20735,6 +22115,10 @@ "xpack.ml.mapsAnomaliesLayerEmptyPrompt.createJobButtonText": "创建作业", "xpack.ml.mapsAnomaliesLayerEmptyPrompt.createJobMessage": "创建异常检测作业", "xpack.ml.mapsAnomaliesLayerEmptyPrompt.emptyPromptText": "通过异常检测,可发现地理数据中的异常行为。创建使用 lat_long 函数的作业,地图异常图层需要这样做。", + "xpack.ml.mlEntitySelector.adOptionsLabel": "异常检测作业", + "xpack.ml.mlEntitySelector.dfaOptionsLabel": "数据帧分析", + "xpack.ml.mlEntitySelector.fetchError": "无法提取 ML 实体", + "xpack.ml.mlEntitySelector.trainedModelsLabel": "已训练模型", "xpack.ml.modelManagement.nodesOverview.docTitle": "节点", "xpack.ml.modelManagement.nodesOverviewHeader": "节点", "xpack.ml.modelManagement.trainedModels.docTitle": "已训练模型", @@ -20830,11 +22214,12 @@ "xpack.ml.modelSnapshotTable.retain": "保留", "xpack.ml.modelSnapshotTable.time": "创建日期", "xpack.ml.multiSelectPicker.NoFiltersFoundMessage": "未找到任何筛选", - "xpack.ml.navMenu.aiopsTabLinkText": "AIOps", + "xpack.ml.navMenu.aiopsTabLinkText": "AIOps 实验室", "xpack.ml.navMenu.anomalyDetection.anomalyExplorerText": "Anomaly Explorer", "xpack.ml.navMenu.anomalyDetection.jobsManagementText": "作业", "xpack.ml.navMenu.anomalyDetection.singleMetricViewerText": "Single Metric Viewer", "xpack.ml.navMenu.anomalyDetectionTabLinkText": "异常检测", + "xpack.ml.navMenu.changePointDetectionLinkText": "更改点检测", "xpack.ml.navMenu.dataFrameAnalytics.analyticsMapText": "分析地图", "xpack.ml.navMenu.dataFrameAnalytics.jobsManagementText": "作业", "xpack.ml.navMenu.dataFrameAnalytics.resultsExplorerText": "结果浏览器", @@ -20843,14 +22228,17 @@ "xpack.ml.navMenu.dataVisualizerTabLinkText": "数据可视化工具", "xpack.ml.navMenu.explainLogRateSpikesLinkText": "解释日志速率峰值", "xpack.ml.navMenu.fileDataVisualizerLinkText": "文件", + "xpack.ml.navMenu.logCategorizationLinkText": "日志模式分析", "xpack.ml.navMenu.mlAppNameText": "Machine Learning", "xpack.ml.navMenu.modelManagementText": "模型管理", "xpack.ml.navMenu.nodesOverviewText": "节点", + "xpack.ml.navMenu.notificationsTabLinkText": "通知", "xpack.ml.navMenu.overviewTabLinkText": "概览", "xpack.ml.navMenu.settingsTabLinkText": "设置", "xpack.ml.navMenu.trainedModelsTabBetaLabel": "技术预览", "xpack.ml.navMenu.trainedModelsTabBetaTooltipContent": "此功能处于技术预览状态,在未来版本中可能会更改或完全移除。Elastic 将尽最大努力来修复任何问题,但处于技术预览状态的功能不受正式 GA 功能支持 SLA 的约束。", "xpack.ml.navMenu.trainedModelsText": "已训练模型", + "xpack.ml.newJob.fromLens.createJob.defaultUrlDashboard": "原始仪表板", "xpack.ml.newJob.fromLens.createJob.error.colsNoSourceField": "某些列不包含源字段。", "xpack.ml.newJob.fromLens.createJob.error.colsUsingFilterTimeSift": "列包含与 ML 检测工具不兼容的设置,不支持时间偏移和筛选依据。", "xpack.ml.newJob.fromLens.createJob.error.incompatibleLayerType": "图层不兼容。只可以使用图表图层。", @@ -21180,6 +22568,28 @@ "xpack.ml.newJob.wizard.validateJob.summaryCountFieldMissing": "必填字段,因为数据馈送使用聚合。", "xpack.ml.newJobAwaitingNodeWarning.noMLNodesAvailableDescription": "当前没有节点可以运行作业,因此其仍保持 OPENING(打开)状态,直至适当的节点可用。", "xpack.ml.notFoundPage.title": "未找到页面", + "xpack.ml.notifications.entityFilter": "实体", + "xpack.ml.notifications.entityLabel": "实体 ID", + "xpack.ml.notifications.fetchFailedError": "提取通知失败", + "xpack.ml.notifications.filters.level.error": "错误", + "xpack.ml.notifications.filters.level.info": "信息", + "xpack.ml.notifications.filters.level.name": "级别", + "xpack.ml.notifications.filters.level.type": "类型", + "xpack.ml.notifications.filters.level.warning": "警告", + "xpack.ml.notifications.filters.type.anomalyDetector": "异常检测", + "xpack.ml.notifications.filters.type.dfa": "数据帧分析", + "xpack.ml.notifications.filters.type.inference": "推理", + "xpack.ml.notifications.filters.type.system": "系统", + "xpack.ml.notifications.invalidQueryError": "查询无效:", + "xpack.ml.notifications.levelLabel": "级别", + "xpack.ml.notifications.messageLabel": "消息", + "xpack.ml.notifications.noItemsFoundMessage": "找不到通知", + "xpack.ml.notifications.notificationsLabel": "通知", + "xpack.ml.notifications.searchPlaceholder": "搜索通知。示例:job_type:anomaly_detector -level:(info) 数据馈送", + "xpack.ml.notifications.timeLabel": "时间", + "xpack.ml.notifications.typeLabel": "类型", + "xpack.ml.notificationsIndicator.unreadErrors": "未读错误或警告指标。", + "xpack.ml.notificationsIndicator.unreadIcon": "未读通知指标。", "xpack.ml.overview.analytics.resultActions.openJobText": "查看作业结果", "xpack.ml.overview.analytics.viewJobActionName": "查看作业", "xpack.ml.overview.analytics.viewResultsActionName": "查看结果", @@ -21221,6 +22631,7 @@ "xpack.ml.overview.gettingStartedSectionSourceData": "实体中心型源数据集", "xpack.ml.overview.gettingStartedSectionTitle": "入门", "xpack.ml.overview.gettingStartedSectionTransforms": "转换", + "xpack.ml.overview.notificationsLabel": "通知", "xpack.ml.overview.overviewLabel": "概览", "xpack.ml.overview.statsBar.failedAnalyticsLabel": "失败", "xpack.ml.overview.statsBar.runningAnalyticsLabel": "正在运行", @@ -21389,6 +22800,7 @@ "xpack.ml.severitySelector.formControlLabel": "严重性", "xpack.ml.singleMetricViewerPageLabel": "Single Metric Viewer", "xpack.ml.splom.allDocsFilteredWarningMessage": "所有提取的文档包含具有值数组的字段,无法可视化。", + "xpack.ml.splom.backgroundLayerHelpText": "如果数据点与您的筛选匹配,它们将用彩色显示;否则,它们将以模糊的灰色显示。", "xpack.ml.splom.dynamicSizeInfoTooltip": "按每个点的离群值分数来缩放其大小。", "xpack.ml.splom.dynamicSizeLabel": "动态大小", "xpack.ml.splom.fieldSelectionInfoTooltip": "选取字段以浏览它们的关系。", @@ -21571,13 +22983,19 @@ "xpack.ml.trainedModels.modelsList.selectableMessage": "选择模型", "xpack.ml.trainedModels.modelsList.startDeployment.cancelButton": "取消", "xpack.ml.trainedModels.modelsList.startDeployment.docLinkTitle": "了解详情", + "xpack.ml.trainedModels.modelsList.startDeployment.lowPriorityLabel": "低", "xpack.ml.trainedModels.modelsList.startDeployment.maxNumOfProcessorsWarning": "产品的分配次数和每次分配的线程数应小于 ML 节点上处理器的总数。", + "xpack.ml.trainedModels.modelsList.startDeployment.normalPriorityLabel": "正常", "xpack.ml.trainedModels.modelsList.startDeployment.numbersOfAllocationsHelp": "增加以提高所有请求的吞吐量。", "xpack.ml.trainedModels.modelsList.startDeployment.numbersOfAllocationsLabel": "分配次数", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityHelp": "为其中的每个模型将极少使用的演示选择低优先级。", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityLabel": "优先级", + "xpack.ml.trainedModels.modelsList.startDeployment.priorityLegend": "优先级选择器", "xpack.ml.trainedModels.modelsList.startDeployment.startButton": "启动", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationHelp": "增加以缩短每个请求的延迟。", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationLabel": "每次分配的线程数", "xpack.ml.trainedModels.modelsList.startDeployment.threadsPerAllocationLegend": "每次分配的线程数选择器", + "xpack.ml.trainedModels.modelsList.startDeployment.updateButton": "更新", "xpack.ml.trainedModels.modelsList.stateHeader": "状态", "xpack.ml.trainedModels.modelsList.totalAmountLabel": "已训练的模型总数", "xpack.ml.trainedModels.modelsList.typeHeader": "类型", @@ -21596,6 +23014,8 @@ "xpack.ml.trainedModels.nodesList.modelsList.allocationHeader": "分配", "xpack.ml.trainedModels.nodesList.modelsList.allocationTooltip": "number_of_allocations times threads_per_allocation", "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeHeader": "平均推理时间", + "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeTooltipHeader": "平均推理时间", + "xpack.ml.trainedModels.nodesList.modelsList.modelAvgInferenceTimeTooltipMessage": "如果已启用缓存,计算平均推理时间时会包括快速缓存命中。", "xpack.ml.trainedModels.nodesList.modelsList.modelInferenceCountHeader": "推理计数", "xpack.ml.trainedModels.nodesList.modelsList.modelLastAccessHeader": "上次访问", "xpack.ml.trainedModels.nodesList.modelsList.modelNameHeader": "名称", @@ -21617,9 +23037,13 @@ "xpack.ml.trainedModels.testModelsFlyout.generalTextInput.inputText": "输入文本", "xpack.ml.trainedModels.testModelsFlyout.generalTextInput.inputTitle": "输入文本", "xpack.ml.trainedModels.testModelsFlyout.headerLabel": "测试已训练模型", + "xpack.ml.trainedModels.testModelsFlyout.indexInput.fieldInput": "字段", + "xpack.ml.trainedModels.testModelsFlyout.indexInput.viewPipeline": "查看管道", + "xpack.ml.trainedModels.testModelsFlyout.indexTab": "使用现有索引进行测试", "xpack.ml.trainedModels.testModelsFlyout.inferenceError": "发生错误", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.markupTab": "输出", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.rawOutput": "原始输出", + "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.reloadButton": "重新加载示例", "xpack.ml.trainedModels.testModelsFlyout.inferenceInputForm.runButton": "测试", "xpack.ml.trainedModels.testModelsFlyout.langIdent.info1": "测试模型识别文本语言的表现。", "xpack.ml.trainedModels.testModelsFlyout.langIdent.inputText": "输入短语以进行测试", @@ -21629,6 +23053,7 @@ "xpack.ml.trainedModels.testModelsFlyout.ner.label": "已命名实体识别", "xpack.ml.trainedModels.testModelsFlyout.ner.output.probabilityTitle": "可能性", "xpack.ml.trainedModels.testModelsFlyout.ner.output.typeTitle": "类型", + "xpack.ml.trainedModels.testModelsFlyout.pipelineSimulate.unknownError": "模拟采集管道时出错", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.info1": "提供问题并测试模型从输入文本中提取答案的表现。", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.inputText": "输入与您寻求的答案相关的非结构化文本短语", "xpack.ml.trainedModels.testModelsFlyout.questionAnswer.label": "问题解答", @@ -21641,6 +23066,7 @@ "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.info1": "测试模型为文本生成嵌入的表现。", "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.inputText": "输入短语以进行测试", "xpack.ml.trainedModels.testModelsFlyout.textEmbedding.label": "文本嵌入", + "xpack.ml.trainedModels.testModelsFlyout.textTab": "使用文本进行测试", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.info1": "提供一组标签并测试模型归类输入文本的表现。", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.inputText": "输入短语以进行测试", "xpack.ml.trainedModels.testModelsFlyout.zeroShotClassification.label": "Zero shot 分类", @@ -21873,6 +23299,7 @@ "xpack.monitoring.summaryStatus.statusIconTitle": "状态: {statusIcon}", "xpack.monitoring.accessDenied.backToKibanaButtonLabel": "返回 Kibana", "xpack.monitoring.accessDenied.clusterNotConfiguredDescription": "如果您尝试访问专用监测集群,则这可能是因为该监测集群上未配置您登录时所用的用户帐户。", + "xpack.monitoring.accessDenied.noRemoteClusterClientDescription": "由于已启用跨集群搜索(`monitoring.ui.ccs.enabled` 设置为 `true`),请确保您的集群至少在一个节点上具有 `remote_cluster_client` 角色。", "xpack.monitoring.accessDeniedTitle": "访问被拒绝", "xpack.monitoring.ajaxErrorHandler.requestErrorNotificationTitle": "Monitoring 请求错误", "xpack.monitoring.ajaxErrorHandler.requestFailedNotification.retryButtonLabel": "重试", @@ -22375,6 +23802,7 @@ "xpack.monitoring.errors.monitoringLicenseErrorDescription": "无法找到集群“{clusterId}”的许可信息。请在集群的主节点服务器日志中查看相关错误或警告。", "xpack.monitoring.errors.monitoringLicenseErrorTitle": "监测许可错误", "xpack.monitoring.errors.noLivingConnectionsErrorMessage": "没有活动的连接:检查 Elasticsearch Monitoring 集群网络连接,并参考 Kibana 日志以了解详情。", + "xpack.monitoring.errors.noRemoteClientRoleErrorMessage": "集群没有 remote_cluster_client 角色", "xpack.monitoring.errors.TimeoutErrorMessage": "请求超时:检查 Elasticsearch Monitoring 集群网络连接或节点的负载水平。", "xpack.monitoring.es.indices.deletedClosedStatusLabel": "已删除 / 已关闭", "xpack.monitoring.es.indices.notAvailableStatusLabel": "不可用", @@ -23239,6 +24667,13 @@ "xpack.monitoring.useAvailableLicenseDescription": "如果您已经持有新的许可证,请立即上传。", "xpack.observability.alertsTable.showingAlertsTitle": "{totalAlerts, plural, other {告警}}", "xpack.observability.apmProgressiveLoadingDescription": "{technicalPreviewLabel} 是否以渐进方式为 APM 视图加载数据。可以先以较低的采样速率请求数据,这样的准确性较低,但响应时间更快,同时在后台加载未采样数据", + "xpack.observability.apmServiceInventoryOptimizedSortingDescription": "{technicalPreviewLabel} 默认 APM 服务库存和 Storage Explorer 页面排序(对于未应用 Machine Learning 的服务)将按服务名称排序。{feedbackLink}。", + "xpack.observability.apmTraceExplorerTabDescription": "{technicalPreviewLabel} 启用 APM Trace Explorer 功能,它允许您通过 KQL 或 EQL 搜索和检查跟踪。{feedbackLink}。", + "xpack.observability.enableAgentExplorerDescription": "{technicalPreviewLabel} 启用代理浏览器视图。", + "xpack.observability.enableAwsLambdaMetricsDescription": "{technicalPreviewLabel} 在服务指标选项卡中显示 Amazon Lambda 指标。{feedbackLink}", + "xpack.observability.enableCriticalPathDescription": "{technicalPreviewLabel}(可选)显示跟踪的关键路径。", + "xpack.observability.enableInfrastructureHostsViewDescription": "{technicalPreviewLabel} 在 Infrastructure 应用中启用主机视图。{feedbackLink}。", + "xpack.observability.enableNewSyntheticsViewExperimentDescriptionBeta": "{technicalPreviewLabel} 在 Observability 中启用新的组合监测应用程序。刷新页面可应用该设置。", "xpack.observability.expView.columns.label": "{sourceField} 的第 {percentileValue} 百分位", "xpack.observability.expView.columns.operation.label": "{sourceField} 的 {operationType}", "xpack.observability.expView.filterValueButton.negate": "不是 {value}", @@ -23268,6 +24703,14 @@ "xpack.observability.ux.dashboard.webCoreVitals.traffic": "已占 {trafficPerc} 的流量", "xpack.observability.ux.dashboard.webVitals.palette.tooltip": "{percentage}% 的用户具有{exp }体验,因为 {title} {isOrTakes} {moreOrLess}于 {value}{averageMessage}。", "xpack.observability..synthetics.addDataButtonLabel": "添加 Synthetics 数据", + "xpack.observability.alertDetails.actionsButtonLabel": "操作", + "xpack.observability.alertDetails.addToCase": "添加到案例", + "xpack.observability.alertDetails.alertActiveState": "活动", + "xpack.observability.alertDetails.alertRecoveredState": "已恢复", + "xpack.observability.alertDetails.editSnoozeRule": "暂停规则", + "xpack.observability.alertDetails.errorPromptBody": "加载告警详情时出错。", + "xpack.observability.alertDetails.errorPromptTitle": "无法加载告警详情", + "xpack.observability.alertDetails.viewRuleDetails": "查看规则详情", "xpack.observability.alerts.actions.addToCase": "添加到现有案例", "xpack.observability.alerts.actions.addToCaseDisabled": "此选择不支持添加到案例", "xpack.observability.alerts.actions.addToNewCase": "添加到新案例", @@ -23280,10 +24723,12 @@ "xpack.observability.alerts.ruleStats.loadError": "无法加载规则统计信息", "xpack.observability.alerts.ruleStats.muted": "已暂停", "xpack.observability.alerts.ruleStats.ruleCount": "规则计数", + "xpack.observability.alerts.searchBar.invalidQueryTitle": "字符串查询无效", "xpack.observability.alerts.workflowStatusFilter.acknowledgedButtonLabel": "已确认", "xpack.observability.alerts.workflowStatusFilter.closedButtonLabel": "已关闭", "xpack.observability.alerts.workflowStatusFilter.openButtonLabel": "打开", "xpack.observability.alertsFlyout.actualValueLabel": "实际值", + "xpack.observability.alertsFlyout.alertsDetailsButtonText": "告警详情", "xpack.observability.alertsFlyout.documentSummaryTitle": "文档摘要", "xpack.observability.alertsFlyout.durationLabel": "持续时间", "xpack.observability.alertsFlyout.expectedValueLabel": "预期值", @@ -23301,6 +24746,7 @@ "xpack.observability.alertsTable.moreActionsTextLabel": "更多操作", "xpack.observability.alertsTable.notEnoughPermissions": "需要其他权限", "xpack.observability.alertsTable.viewAlertDetailsButtonText": "查看告警详情", + "xpack.observability.alertsTable.viewAlertDetailsPageButtonText": "查看告警页面", "xpack.observability.alertsTable.viewDetailsTextLabel": "查看详情", "xpack.observability.alertsTable.viewInAppTextLabel": "在应用中查看", "xpack.observability.alertsTable.viewRuleDetailsButtonText": "查看规则详情", @@ -23311,13 +24757,18 @@ "xpack.observability.alertsTGrid.statusColumnDescription": "告警状态", "xpack.observability.alertsTGrid.statusRecoveredDescription": "已恢复", "xpack.observability.alertsTitle": "告警", + "xpack.observability.apmAWSLambdaPricePerGbSeconds": "AWS lambda 价格因素", + "xpack.observability.apmAWSLambdaPricePerGbSecondsDescription": "每 Gb-秒的价格。", + "xpack.observability.apmAWSLambdaRequestCostPerMillion": "AWS lambda 每 1M 请求的价格", + "xpack.observability.apmLabs": "在 APM 中启用“实验”按钮", + "xpack.observability.apmLabsDescription": "此标志决定查看者是否有权访问用于在 APM 中快速启用和禁用技术预览功能的“实验”按钮。", "xpack.observability.apmOperationsBreakdown": "APM Operations Breakdown", "xpack.observability.apmProgressiveLoading": "使用渐进方式加载选定 APM 视图", "xpack.observability.apmProgressiveLoadingQualityHigh": "高采样速率(更慢,最准确)", "xpack.observability.apmProgressiveLoadingQualityLow": "低采样速率(最快,最不准确)", "xpack.observability.apmProgressiveLoadingQualityMedium": "中等采样速率", "xpack.observability.apmProgressiveLoadingQualityOff": "关闭", - "xpack.observability.apmServiceInventoryOptimizedSorting": "优化 APM 服务库存页面加载性能", + "xpack.observability.apmServiceInventoryOptimizedSorting": "优化 APM 中的服务列表加载性能", "xpack.observability.apmTraceExplorerTab": "APM Trace Explorer", "xpack.observability.apply.label": "应用", "xpack.observability.breadcrumbs.alertsLinkText": "告警", @@ -23347,8 +24798,12 @@ "xpack.observability.emptySection.apps.ux.description": "收集、衡量和分析反映真实用户体验的性能数据。", "xpack.observability.emptySection.apps.ux.link": "安装 RUM 代理", "xpack.observability.emptySection.apps.ux.title": "用户体验", + "xpack.observability.enableAgentExplorer": "Agent Explorer", + "xpack.observability.enableAwsLambdaMetrics": "AWS Lambda 指标", "xpack.observability.enableComparisonByDefault": "对比功能", "xpack.observability.enableComparisonByDefaultDescription": "在 APM 应用中启用对比功能", + "xpack.observability.enableCriticalPath": "关键路径", + "xpack.observability.enableInfrastructureHostsView": "基础架构主机视图", "xpack.observability.enableInspectEsQueriesExperimentDescription": "检查 API 响应中的 Elasticsearch 查询。", "xpack.observability.enableInspectEsQueriesExperimentName": "检查 ES 查询", "xpack.observability.enableNewSyntheticsViewExperimentName": "启用新的组合监测应用程序", @@ -23361,10 +24816,14 @@ "xpack.observability.exploratoryView.logs.logRateYAxisLabel": "每分钟日志速率", "xpack.observability.exploratoryView.noBrusing": "按画笔选择缩放仅适用于时间序列图表。", "xpack.observability.expView.addToCase": "添加到案例", + "xpack.observability.expView.avgDuration": "平均持续时间", "xpack.observability.expView.chartTypes.label": "图表类型", + "xpack.observability.expView.complete": "已完成", "xpack.observability.expView.dateRanger.endDate": "结束日期", "xpack.observability.expView.dateRanger.startDate": "开始日期", + "xpack.observability.expView.errors": "错误", "xpack.observability.expView.explore": "浏览", + "xpack.observability.expView.failedTests": "失败的测试", "xpack.observability.expView.fieldLabels.agentHost": "代理主机", "xpack.observability.expView.fieldLabels.agentType": "代理类型", "xpack.observability.expView.fieldLabels.backend": "后端时间", @@ -23389,6 +24848,7 @@ "xpack.observability.expView.fieldLabels.eventDataset": "数据集", "xpack.observability.expView.fieldLabels.fcp": "首次内容绘制", "xpack.observability.expView.fieldLabels.fid": "首次输入延迟", + "xpack.observability.expView.fieldLabels.heatMap": "热图", "xpack.observability.expView.fieldLabels.hostName": "主机名", "xpack.observability.expView.fieldLabels.hostOS": "主机 OS", "xpack.observability.expView.fieldLabels.kpi": "KPI", @@ -23408,6 +24868,7 @@ "xpack.observability.expView.fieldLabels.monitorName": "监测名称", "xpack.observability.expView.fieldLabels.monitorStatus": "监测状态", "xpack.observability.expView.fieldLabels.monitorType": "监测类型", + "xpack.observability.expView.fieldLabels.networkTimings": "网络计时", "xpack.observability.expView.fieldLabels.numberOfDevices": "设备数量", "xpack.observability.expView.fieldLabels.obsLocation": "观察者位置", "xpack.observability.expView.fieldLabels.onload": "文档完成 (onLoad)", @@ -23453,6 +24914,7 @@ "xpack.observability.expView.operationType.median": "中值", "xpack.observability.expView.operationType.min": "最小值", "xpack.observability.expView.operationType.sum": "求和", + "xpack.observability.expView.operationType.uniqueCount": "唯一计数", "xpack.observability.expView.reportType.selectDataType": "选择数据类型以创建可视化。", "xpack.observability.expView.reportType.selectLabel": "选择报告类型", "xpack.observability.expView.save": "保存可视化", @@ -23487,6 +24949,16 @@ "xpack.observability.expView.seriesEditor.reportMetricTooltip": "报告指标", "xpack.observability.expView.seriesEditor.selectReportMetric": "选择报告指标", "xpack.observability.expView.seriesEditor.seriesName": "序列名称", + "xpack.observability.expView.stepDuration": "步骤总持续时间", + "xpack.observability.expView.synthetics.blocked": "已阻止", + "xpack.observability.expView.synthetics.connect": "连接", + "xpack.observability.expView.synthetics.dns": "DNS", + "xpack.observability.expView.synthetics.receive": "接收", + "xpack.observability.expView.synthetics.send": "发送", + "xpack.observability.expView.synthetics.ssl": "SSL", + "xpack.observability.expView.synthetics.total": "合计", + "xpack.observability.expView.synthetics.wait": "等待", + "xpack.observability.expView.totalRuns": "总运行次数", "xpack.observability.featureCatalogueDescription": "通过专用 UI 整合您的日志、指标、应用程序跟踪和系统可用性。", "xpack.observability.featureCatalogueTitle": "Observability", "xpack.observability.featureRegistry.deleteSubFeatureDetails": "删除案例和注释", @@ -23495,6 +24967,7 @@ "xpack.observability.feedbackMenu.appName": "Observability", "xpack.observability.fieldValueSelection.apply": "应用", "xpack.observability.fieldValueSelection.loading": "正在加载", + "xpack.observability.fieldValueSelection.logicalAnd": "使用逻辑 AND", "xpack.observability.filters.expanded.labels.backTo": "返回到标签", "xpack.observability.filters.expanded.labels.fields": "标签字段", "xpack.observability.filters.expanded.labels.label": "标签", @@ -23542,6 +25015,8 @@ "xpack.observability.noDataConfig.beatsCard.title": "添加集成", "xpack.observability.noDataConfig.solutionName": "Observability", "xpack.observability.notAvailable": "不可用", + "xpack.observability.notFoundPage.bannerText": "Observability 应用程序无法识别此路由", + "xpack.observability.notFoundPage.title": "未找到页面", "xpack.observability.overview.alerts.appLink": "显示告警", "xpack.observability.overview.alerts.title": "告警", "xpack.observability.overview.apm.appLink": "显示服务库存", @@ -23566,10 +25041,10 @@ "xpack.observability.overview.exploratoryView.showChart": "显示图表", "xpack.observability.overview.exploratoryView.syntheticsLabel": "Synthetics 监测", "xpack.observability.overview.exploratoryView.uxLabel": "用户体验 (RUM)", - "xpack.observability.overview.guidedSetupButton": "引导式设置", - "xpack.observability.overview.guidedSetupTourContent": "如果您存在疑问,您始终可以通过单击此操作来访问集成状态并查看后续步骤。", + "xpack.observability.overview.guidedSetupButton": "数据助手", + "xpack.observability.overview.guidedSetupTourContent": "如果您存在疑问,您始终可以通过单击此处来访问数据助手并查看后续步骤。", "xpack.observability.overview.guidedSetupTourDismissButton": "关闭", - "xpack.observability.overview.guidedSetupTourTitle": "引导式设置始终可用", + "xpack.observability.overview.guidedSetupTourTitle": "数据助手始终可用", "xpack.observability.overview.loadingObservability": "正在加载可观测性", "xpack.observability.overview.logs.appLink": "显示日志流", "xpack.observability.overview.logs.subtitle": "每分钟日志速率", @@ -23582,7 +25057,7 @@ "xpack.observability.overview.metrics.title": "主机", "xpack.observability.overview.pageTitle": "概览", "xpack.observability.overview.statusVisualizationFlyoutDescription": "跟踪您添加 Observability 集成和功能的进度。", - "xpack.observability.overview.statusVisualizationFlyoutTitle": "引导式设置", + "xpack.observability.overview.statusVisualizationFlyoutTitle": "数据助手", "xpack.observability.overview.uptime.appLink": "显示监测", "xpack.observability.overview.uptime.chart.down": "关闭", "xpack.observability.overview.uptime.chart.up": "运行", @@ -23598,6 +25073,14 @@ "xpack.observability.page_header.addUptimeDataLink.label": "导航到有关如何添加 Uptime 数据的教程", "xpack.observability.page_header.addUXDataLink.label": "导航到有关如何添加用户体验 APM 数据的教程", "xpack.observability.pageLayout.sideNavTitle": "Observability", + "xpack.observability.pages.alertDetails.alertSummary.actualValue": "实际值", + "xpack.observability.pages.alertDetails.alertSummary.alertStatus": "状态", + "xpack.observability.pages.alertDetails.alertSummary.duration": "持续时间", + "xpack.observability.pages.alertDetails.alertSummary.expectedValue": "预期值", + "xpack.observability.pages.alertDetails.alertSummary.lastStatusUpdate": "上次状态更新", + "xpack.observability.pages.alertDetails.alertSummary.ruleTags": "规则标签", + "xpack.observability.pages.alertDetails.alertSummary.source": "源", + "xpack.observability.pages.alertDetails.alertSummary.started": "已启动", "xpack.observability.resources.documentation": "文档", "xpack.observability.resources.forum": "讨论论坛", "xpack.observability.resources.quick_start": "快速入门视频", @@ -23654,7 +25137,7 @@ "xpack.observability.status.learnMoreButton": "了解详情", "xpack.observability.status.progressBarDescription": "跟踪您添加 Observability 集成和功能的进度。", "xpack.observability.status.progressBarDismiss": "关闭", - "xpack.observability.status.progressBarTitle": "Observability 的引导式设置", + "xpack.observability.status.progressBarTitle": "适用于 Observability 的数据助手", "xpack.observability.status.progressBarViewDetails": "查看详情", "xpack.observability.status.recommendedSteps": "建议的后续步骤", "xpack.observability.statusVisualization.alert.description": "检测 Observability 中的复杂条件,并在满足那些条件时触发操作。", @@ -23685,8 +25168,8 @@ "xpack.observability.tour.alertsStep.tourContent": "通过电子邮件、PagerDuty 和 Slack 等第三方平台集成定义并检测触发告警的条件。", "xpack.observability.tour.alertsStep.tourTitle": "发生更改时接收通知", "xpack.observability.tour.endButtonLabel": "结束教程", - "xpack.observability.tour.guidedSetupStep.tourContent": "开始使用 Elastic Observability 的最简单方式是遵循引导式设置。", - "xpack.observability.tour.guidedSetupStep.tourTitle": "立即添加您的数据!", + "xpack.observability.tour.guidedSetupStep.tourContent": "继续使用 Elastic Observability 的最简便方法,是按照数据助手中推荐的后续步骤操作。", + "xpack.observability.tour.guidedSetupStep.tourTitle": "Elastic Observability 让您事半功倍", "xpack.observability.tour.metricsExplorerStep.imageAltText": "指标浏览器演示", "xpack.observability.tour.metricsExplorerStep.tourContent": "流式传输、分组并可视化您的系统、云、网络和其他基础架构源中的指标。", "xpack.observability.tour.metricsExplorerStep.tourTitle": "监测基础架构运行状况", @@ -23700,6 +25183,7 @@ "xpack.observability.tour.streamStep.imageAltText": "日志流演示", "xpack.observability.tour.streamStep.tourContent": "监测、筛选并检查从您的应用程序、服务器、虚拟机和容器中流入的日志事件。", "xpack.observability.tour.streamStep.tourTitle": "实时跟踪您的日志", + "xpack.observability.uiSettings.giveFeedBackLabel": "反馈", "xpack.observability.uiSettings.technicalPreviewLabel": "技术预览", "xpack.observability.ux.addDataButtonLabel": "添加 UX 数据", "xpack.observability.ux.coreVitals.average": "平均值", @@ -23729,6 +25213,7 @@ "xpack.osquery.agentPolicy.confirmModalCalloutDescription": "Fleet 检测到所选{agentPolicyCount, plural, other {代理策略}}已由您的某些代理使用。由于此操作,Fleet 会将更新部署到所有使用此{agentPolicyCount, plural, other {代理策略}}的代理。", "xpack.osquery.agents.mulitpleSelectedAgentsText": "已选择 {numAgents} 个代理。", "xpack.osquery.agents.oneSelectedAgentText": "已选择 {numAgents} 个代理。", + "xpack.osquery.cases.permissionDenied": " 要访问这些结果,请联系管理员获取 {osquery} Kibana 权限。", "xpack.osquery.configUploader.unsupportedFileTypeText": "文件类型 {fileType} 不受支持,请上传 {supportedFileTypes} 配置文件", "xpack.osquery.createScheduledQuery.agentPolicyAgentsCountText": "{count, plural, other {# 个代理}}已注册", "xpack.osquery.editPack.pageTitle": "编辑 {queryName}", @@ -23743,11 +25228,12 @@ "xpack.osquery.pack.queriesTable.deleteActionAriaLabel": "删除 {queryName}", "xpack.osquery.pack.queriesTable.editActionAriaLabel": "编辑 {queryName}", "xpack.osquery.pack.queryFlyoutForm.intervalFieldMaxNumberError": "间隔值必须小于 {than}", - "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldRequiredErrorMessage": "“值”必填。", + "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldValueMissingErrorMessage": "当前查询不返回 {columnName} 字段", "xpack.osquery.pack.table.activatedSuccessToastMessageText": "已成功激活“{packName}”包", "xpack.osquery.pack.table.deactivatedSuccessToastMessageText": "已成功停用“{packName}”包", "xpack.osquery.pack.table.deleteQueriesButtonLabel": "删除 {queriesCount, plural, other {# 个查询}}", "xpack.osquery.packDetails.pageTitle": "{queryName} 详细信息", + "xpack.osquery.packs.table.runActionAriaLabel": "运行 {packName}", "xpack.osquery.packUploader.unsupportedFileTypeText": "文件类型 {fileType} 不受支持,请上传 {supportedFileTypes} 配置文件", "xpack.osquery.results.multipleAgentsResponded": "{agentsResponded, plural, other {# 个代理已}}响应,未报告任何 osquery 数据。", "xpack.osquery.savedQueryList.queriesTable.editActionAriaLabel": "编辑 {savedQueryName}", @@ -23780,17 +25266,20 @@ "xpack.osquery.agent_policies.fetchError": "提取代理策略时出错", "xpack.osquery.agent_policy_details.fetchError": "提取代理策略详情时出错", "xpack.osquery.agent_status.fetchError": "提取代理状态时出错", + "xpack.osquery.agent.attachedQuery": "已附加查询", "xpack.osquery.agentDetails.fetchError": "提取代理详细信息时出错", "xpack.osquery.agentPolicy.confirmModalCancelButtonLabel": "取消", "xpack.osquery.agentPolicy.confirmModalConfirmButtonLabel": "保存并部署更改", "xpack.osquery.agentPolicy.confirmModalDescription": "是否确定要继续?", "xpack.osquery.agentPolicy.confirmModalTitle": "保存并部署更改", + "xpack.osquery.agents.agent": "代理", "xpack.osquery.agents.allAgentsLabel": "所有代理", "xpack.osquery.agents.errorSearchDescription": "搜索所有代理时发生错误", "xpack.osquery.agents.failSearchDescription": "无法获取代理", "xpack.osquery.agents.fetchError": "提取代理时出错", "xpack.osquery.agents.platformLabel": "平台", "xpack.osquery.agents.policyLabel": "策略", + "xpack.osquery.agents.query": "查询", "xpack.osquery.agents.selectAgentLabel": "选择要查询的代理或组", "xpack.osquery.agents.selectionLabel": "代理", "xpack.osquery.appNavigation.liveQueriesLinkText": "实时查询", @@ -23798,6 +25287,7 @@ "xpack.osquery.appNavigation.packsLinkText": "包", "xpack.osquery.appNavigation.savedQueriesLinkText": "已保存查询", "xpack.osquery.appNavigation.sendFeedbackButton": "发送反馈", + "xpack.osquery.betaBadgeLabel": "公测版", "xpack.osquery.breadcrumbs.addpacksPageTitle": "添加", "xpack.osquery.breadcrumbs.appTitle": "Osquery", "xpack.osquery.breadcrumbs.editpacksPageTitle": "编辑", @@ -23807,6 +25297,7 @@ "xpack.osquery.breadcrumbs.overviewPageTitle": "概览", "xpack.osquery.breadcrumbs.packsPageTitle": "包", "xpack.osquery.breadcrumbs.savedQueriesPageTitle": "已保存查询", + "xpack.osquery.comboBoxField.placeHolderText": "键入后按“ENTER”键", "xpack.osquery.configUploader.exampleConfigLinkLabel": "示例配置", "xpack.osquery.configUploader.initialPromptTextLabel": "选择或拖放 osquery 配置文件", "xpack.osquery.deletePack.confirmationModal.body": "您即将删除此包。是否确定要执行此操作?", @@ -23847,6 +25338,7 @@ "xpack.osquery.liveQuery.queryForm.packQueryTypeLabel": "包", "xpack.osquery.liveQuery.queryForm.singleQueryTypeDescription": "运行已保存查询或新查询。", "xpack.osquery.liveQuery.queryForm.singleQueryTypeLabel": "单个查询", + "xpack.osquery.liveQueryActionResults.results": "结果", "xpack.osquery.liveQueryActionResults.summary.expiredLabelText": "已过期", "xpack.osquery.liveQueryActionResults.summary.failedLabelText": "失败", "xpack.osquery.liveQueryActionResults.summary.pendingLabelText": "尚未响应", @@ -23864,6 +25356,8 @@ "xpack.osquery.liveQueryActions.table.createdAtColumnTitle": "创建于", "xpack.osquery.liveQueryActions.table.createdByColumnTitle": "运行者", "xpack.osquery.liveQueryActions.table.queryColumnTitle": "查询", + "xpack.osquery.liveQueryActions.table.runActionAriaLabel": "运行查询", + "xpack.osquery.liveQueryActions.table.viewDetailsActionButton": "详情", "xpack.osquery.liveQueryActions.table.viewDetailsColumnTitle": "查看详情", "xpack.osquery.liveQueryDetails.pageTitle": "实时查询详情", "xpack.osquery.liveQueryDetails.viewLiveQueriesHistoryTitle": "查看实时查询历史记录", @@ -23879,17 +25373,26 @@ "xpack.osquery.pack.form.agentPoliciesFieldHelpText": "计划对选定策略中的代理执行此包中的查询。", "xpack.osquery.pack.form.agentPoliciesFieldLabel": "计划的代理策略(可选)", "xpack.osquery.pack.form.cancelButtonLabel": "取消", + "xpack.osquery.pack.form.deleteShardsRowButtonAriaLabel": "删除分片行", "xpack.osquery.pack.form.descriptionFieldLabel": "描述(可选)", "xpack.osquery.pack.form.ecsMappingSection.description": "使用下面的字段将此查询的结果映射到 ECS 字段。", "xpack.osquery.pack.form.ecsMappingSection.osqueryValueOptionLabel": "Osquery 值", "xpack.osquery.pack.form.ecsMappingSection.staticValueOptionLabel": "静态值", "xpack.osquery.pack.form.ecsMappingSection.title": "ECS 映射", + "xpack.osquery.pack.form.globalDescription": "跨所有策略使用包", + "xpack.osquery.pack.form.globalLabel": "全局", "xpack.osquery.pack.form.nameFieldLabel": "名称", "xpack.osquery.pack.form.nameFieldRequiredErrorMessage": "“名称”是必填字段", + "xpack.osquery.pack.form.percentageFieldLabel": "分片", + "xpack.osquery.pack.form.policyDescription": "为特定策略计划包。", + "xpack.osquery.pack.form.policyFieldLabel": "策略", + "xpack.osquery.pack.form.policyLabel": "策略", "xpack.osquery.pack.form.savePackButtonLabel": "保存包", + "xpack.osquery.pack.form.shardsPolicyFieldMissingErrorMessage": "“策略”为必填字段", "xpack.osquery.pack.form.updatePackButtonLabel": "更新包", "xpack.osquery.pack.queriesForm.addQueryButtonLabel": "添加查询", "xpack.osquery.pack.queriesTable.actionsColumnTitle": "操作", + "xpack.osquery.pack.queriesTable.addToCaseResultsActionAriaLabel": "添加到案例", "xpack.osquery.pack.queriesTable.agentsResultsColumnTitle": "代理", "xpack.osquery.pack.queriesTable.docsResultsColumnTitle": "文档", "xpack.osquery.pack.queriesTable.errorsResultsColumnTitle": "错误", @@ -23915,11 +25418,17 @@ "xpack.osquery.pack.queryFlyoutForm.invalidIdError": "字符必须是数字字母、_ 或 -", "xpack.osquery.pack.queryFlyoutForm.mappingEcsFieldLabel": "ECS 字段", "xpack.osquery.pack.queryFlyoutForm.mappingValueFieldLabel": "值", - "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldValueMissingErrorMessage": "当前查询不返回 {columnName} 字段", + "xpack.osquery.pack.queryFlyoutForm.osqueryAgentsMissingErrorMessage": "“代理”为必填字段", + "xpack.osquery.pack.queryFlyoutForm.osqueryPackMissingErrorMessage": "“包”为必填字段", + "xpack.osquery.pack.queryFlyoutForm.osqueryResultFieldRequiredErrorMessage": "“值”字段必填。", "xpack.osquery.pack.queryFlyoutForm.platformFieldLabel": "平台", "xpack.osquery.pack.queryFlyoutForm.platformLinusLabel": "macOS", "xpack.osquery.pack.queryFlyoutForm.platformMacOSLabel": "Linux", "xpack.osquery.pack.queryFlyoutForm.platformWindowsLabel": "Windows", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.differentialAddedOnlyValueLabel": "差异(忽略移除)", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.differentialValueLabel": "差异", + "xpack.osquery.pack.queryFlyoutForm.resultsTypeField.snapshotValueLabel": "快照", + "xpack.osquery.pack.queryFlyoutForm.resultTypeFieldLabel": "结果类型", "xpack.osquery.pack.queryFlyoutForm.saveButtonLabel": "保存", "xpack.osquery.pack.queryFlyoutForm.uniqueIdError": "ID 必须唯一", "xpack.osquery.pack.queryFlyoutForm.versionFieldLabel": "最低 Osquery 版本", @@ -23949,6 +25458,7 @@ "xpack.osquery.queryFlyoutForm.addFormTitle": "附加下一个查询", "xpack.osquery.queryFlyoutForm.cancelButtonLabel": "取消", "xpack.osquery.queryFlyoutForm.editFormTitle": "编辑查询", + "xpack.osquery.queryFlyoutForm.fieldOptionalLabel": "(可选)", "xpack.osquery.queryFlyoutForm.saveButtonLabel": "保存", "xpack.osquery.queryFlyoutForm.versionFieldOptionalLabel": "(可选)", "xpack.osquery.queryPlaygroundFlyout.title": "测试查询", @@ -23958,18 +25468,95 @@ "xpack.osquery.savedQueries.dropdown.searchFieldLabel": "查询", "xpack.osquery.savedQueries.dropdown.searchFieldPlaceholder": "搜索要运行的查询,或在下面写入新查询", "xpack.osquery.savedQueries.form.packConfigSection.description": "下面所列选项是可选的,只在查询分配给包时应用。", + "xpack.osquery.savedQueries.form.packConfigSection.testConfigButtonLabel": "测试配置", "xpack.osquery.savedQueries.form.packConfigSection.title": "包配置", "xpack.osquery.savedQueries.table.actionsColumnTitle": "操作", "xpack.osquery.savedQueries.table.createdByColumnTitle": "创建者", "xpack.osquery.savedQueries.table.descriptionColumnTitle": "描述", "xpack.osquery.savedQueries.table.queryIdColumnTitle": "查询 ID", "xpack.osquery.savedQueries.table.updatedAtColumnTitle": "最后更新时间", + "xpack.osquery.savedQuery.queryEditorLabel": "查询", "xpack.osquery.savedQuery.saveQueryFlyoutForm.addFormTitle": "保存查询", "xpack.osquery.savedQueryList.addSavedQueryButtonLabel": "添加已保存查询", "xpack.osquery.savedQueryList.pageTitle": "已保存查询", "xpack.osquery.scheduledQueryErrorsTable.agentIdColumnTitle": "代理 ID", "xpack.osquery.scheduledQueryErrorsTable.errorColumnTitle": "错误", "xpack.osquery.viewSavedQuery.prebuiltInfo": "这是预构建的 Elastic 查询,无法编辑。", + "xpack.profiling.flameGraphTooltip.valueLabel": "{value} 与 {comparison}", + "xpack.profiling.formatters.weight": "{lbs} lbs / {kgs} kg", + "xpack.profiling.maxValue": "最大值:{max}", + "xpack.profiling.appPageTemplate.pageTitle": "Universal Profiling", + "xpack.profiling.asyncComponent.errorLoadingData": "无法加载数据", + "xpack.profiling.breadcrumb.differentialFlamegraph": "差异火焰图", + "xpack.profiling.breadcrumb.differentialFunctions": "差异排名前 N", + "xpack.profiling.breadcrumb.flamegraph": "火焰图", + "xpack.profiling.breadcrumb.flamegraphs": "火焰图", + "xpack.profiling.breadcrumb.functions": "函数", + "xpack.profiling.breadcrumb.profiling": "Universal Profiling", + "xpack.profiling.breadcrumb.topnFunctions": "排名前 N", + "xpack.profiling.featureRegistry.profilingFeatureName": "Universal Profiling", + "xpack.profiling.flameGraph.showInformationWindow": "显示信息窗口", + "xpack.profiling.flameGraphInformationWindow.annualizedCo2ExclusiveLabel": "年化 CO2(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.annualizedCo2InclusiveLabel": "年化 CO2", + "xpack.profiling.flameGraphInformationWindow.annualizedCoreSecondsExclusiveLabel": "年化核心-秒(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.annualizedCoreSecondsInclusiveLabel": "年化核心-秒", + "xpack.profiling.flameGraphInformationWindow.annualizedDollarCostExclusiveLabel": "年化美元成本(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.annualizedDollarCostInclusiveLabel": "年化美元成本", + "xpack.profiling.flameGraphInformationWindow.co2EmissionExclusiveLabel": "CO2 排放(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.co2EmissionInclusiveLabel": "CO2 排放", + "xpack.profiling.flameGraphInformationWindow.coreSecondsExclusiveLabel": "核心-秒(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.coreSecondsInclusiveLabel": "核心-秒", + "xpack.profiling.flameGraphInformationWindow.dollarCostExclusiveLabel": "美元成本(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.dollarCostInclusiveLabel": "美元成本", + "xpack.profiling.flameGraphInformationWindow.executableLabel": "可执行", + "xpack.profiling.flameGraphInformationWindow.frameTypeLabel": "帧类型", + "xpack.profiling.flameGraphInformationWindow.functionLabel": "函数", + "xpack.profiling.flameGraphInformationWindow.impactEstimatesTitle": "影响评估", + "xpack.profiling.flameGraphInformationWindow.percentageCpuTimeExclusiveLabel": "CPU 时间百分比(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.percentageCpuTimeInclusiveLabel": "CPU 时间百分比", + "xpack.profiling.flameGraphInformationWindow.samplesExclusiveLabel": "样例(不包括子项)", + "xpack.profiling.flameGraphInformationWindow.samplesInclusiveLabel": "样例", + "xpack.profiling.flamegraphInformationWindow.selectFrame": "单击帧可显示更多信息", + "xpack.profiling.flameGraphInformationWindow.sourceFileLabel": "源文件", + "xpack.profiling.flameGraphInformationWindowTitle": "帧信息", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeAbsoluteButtonLabel": "绝对", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeLegend": "此开关允许您在两个图表的绝对与相对比较之间进行切换", + "xpack.profiling.flameGraphsView.differentialFlameGraphComparisonModeRelativeButtonLabel": "相对", + "xpack.profiling.flameGraphsView.differentialFlameGraphTabLabel": "差异火焰图", + "xpack.profiling.flameGraphsView.flameGraphTabLabel": "火焰图", + "xpack.profiling.flameGraphTooltip.exclusiveCpuLabel": "CPU", + "xpack.profiling.flameGraphTooltip.inclusiveCpuLabel": "CPU 非独占时间(子函数)", + "xpack.profiling.flameGraphTooltip.samplesLabel": "样例", + "xpack.profiling.functionsView.cpuColumnLabel1Exclusive": "CPU 独占时间", + "xpack.profiling.functionsView.cpuColumnLabel1Inclusive": "CPU 非独占时间", + "xpack.profiling.functionsView.cpuColumnLabel2Exclusive": "子函数", + "xpack.profiling.functionsView.cpuColumnLabel2Inclusive": "子函数", + "xpack.profiling.functionsView.diffColumnLabel": "差异", + "xpack.profiling.functionsView.differentialFunctionsTabLabel": "差异 TopN 函数", + "xpack.profiling.functionsView.functionColumnLabel": "函数", + "xpack.profiling.functionsView.functionsTabLabel": "TopN 函数", + "xpack.profiling.functionsView.newLabel": "新建", + "xpack.profiling.functionsView.rankColumnLabel": "排名", + "xpack.profiling.functionsView.samplesColumnLabel": "样例(估计)", + "xpack.profiling.functionsView.totalSampleCountLabel": " 总样例数估值:", + "xpack.profiling.navigation.flameGraphsLinkLabel": "火焰图", + "xpack.profiling.navigation.functionsLinkLabel": "函数", + "xpack.profiling.navigation.sectionLabel": "Universal Profiling", + "xpack.profiling.navigation.stacktracesLinkLabel": "堆栈跟踪", + "xpack.profiling.notAvailableLabel": "不可用", + "xpack.profiling.stackTracesView.containersTabLabel": "容器", + "xpack.profiling.stackTracesView.deploymentsTabLabel": "部署", + "xpack.profiling.stackTracesView.displayOptionLegend": "显示选项", + "xpack.profiling.stackTracesView.hostsTabLabel": "主机", + "xpack.profiling.stackTracesView.otherTraces": "[这将汇总太小而无法显示的所有轨迹]", + "xpack.profiling.stackTracesView.percentagesButton": "百分比", + "xpack.profiling.stackTracesView.showMoreButton": "显示更多", + "xpack.profiling.stackTracesView.showMoreTracesButton": "显示更多", + "xpack.profiling.stackTracesView.stackTracesCountButton": "堆栈跟踪", + "xpack.profiling.stackTracesView.threadsTabLabel": "线程", + "xpack.profiling.stackTracesView.tracesTabLabel": "追溯", + "xpack.profiling.topn.otherBucketLabel": "其他", + "xpack.profiling.zeroSeconds": "0 秒", "xpack.remoteClusters.addAction.failedDefaultErrorMessage": "请求失败,显示 {statusCode} 错误。{message}", "xpack.remoteClusters.detailPanel.deprecatedSettingsConfiguredByNodeMessage": "编辑集群以更新设置。{helpLink}", "xpack.remoteClusters.detailPanel.deprecatedSettingsMessage": "{editLink}以更新设置。", @@ -24145,6 +25732,7 @@ "xpack.reporting.diagnostic.noUsableSandbox": "无法使用 Chromium 沙盒。您自行承担使用“xpack.screenshotting.browser.chromium.disableSandbox”禁用此项的风险。请参见 {url}", "xpack.reporting.exportTypes.common.failedToDecryptReportJobDataErrorMessage": "无法解密报告作业数据。请确保已设置 {encryptionKey},然后重新生成此报告。{err}", "xpack.reporting.exportTypes.csv.generateCsv.esErrorMessage": "从 Elasticsearch 收到 {statusCode} 响应:{message}", + "xpack.reporting.exportTypes.csv.generateCsv.incorrectRowCount": "从搜索生成的 CSV 行数出现错误:应为 {expected},但收到 {received}。", "xpack.reporting.exportTypes.csv.generateCsv.unknownErrorMessage": "出现未知错误:{message}", "xpack.reporting.jobsQuery.deleteError": "无法删除报告:{error}", "xpack.reporting.jobStatusDetail.attemptXofY": "尝试 {attempts} 次,最多可尝试 {max_attempts} 次。", @@ -24174,6 +25762,7 @@ "xpack.reporting.statusIndicator.lastStatusUpdateLabel": "于 {date}更新", "xpack.reporting.statusIndicator.processingLabel": "正在处理,尝试 {attempt}", "xpack.reporting.statusIndicator.processingMaxAttemptsLabel": "正在处理,尝试 {attempt} ({of})", + "xpack.reporting.userAccessError.message": "请联系管理员以访问报告功能。{grantUserAccessDocs}。", "xpack.reporting.breadcrumb": "Reporting", "xpack.reporting.common.browserCouldNotLaunchErrorMessage": "无法生成屏幕截图,因为浏览器未启动。有关更多信息,请查看服务器日志。", "xpack.reporting.common.cloud.insufficientSystemMemoryError": "由于内存不足,无法生成此报告。", @@ -24341,6 +25930,7 @@ "xpack.reporting.statusIndicator.unknownLabel": "未知", "xpack.reporting.uiSettings.validate.customLogo.badFile": "抱歉,该文件无效。请尝试其他图像文件。", "xpack.reporting.uiSettings.validate.customLogo.tooLarge": "抱歉,该文件过大。图像文件必须小于 200 千字节。", + "xpack.reporting.userAccessError.learnMoreLink": "了解详情", "xpack.rollupJobs.create.errors.dateHistogramIntervalInvalidCalendarInterval": "“{unit}” 单位仅允许值为 1。请尝试 {suggestion}。", "xpack.rollupJobs.create.errors.dateHistogramIntervalInvalidCalendarIntervalSuggestion": "1{unit}", "xpack.rollupJobs.create.errors.idSameAsCloned": "名称不能与克隆名称相同:“{clonedId}。", @@ -24592,6 +26182,7 @@ "xpack.savedObjectsTagging.notifications.createTagSuccessTitle": "创建“{name}”标签", "xpack.savedObjectsTagging.notifications.deleteTagSuccessTitle": "删除“{name}”标签", "xpack.savedObjectsTagging.notifications.editTagSuccessTitle": "已保存对“{name}”标签的更改", + "xpack.savedObjectsTagging.tagList.tagBadge.buttonLabel": "{tagName} 标签按钮。", "xpack.savedObjectsTagging.validation.description.errorTooLong": "标签描述不能超过 {length} 个字符", "xpack.savedObjectsTagging.validation.name.errorTooLong": "标签名称不能超过 {length} 个字符", "xpack.savedObjectsTagging.validation.name.errorTooShort": "标签名称必须至少有 {length} 个字符", @@ -24910,6 +26501,7 @@ "xpack.security.loginPage.xpackUnavailableTitle": "当前无法连接到为 Kibana 配置的 Elasticsearch 集群。", "xpack.security.loginWithElasticsearchLabel": "通过 Elasticsearch 登录", "xpack.security.logoutAppTitle": "注销", + "xpack.security.management.api_keys.readonlyTooltip": "无法创建或编辑 API 密钥", "xpack.security.management.apiKeys.base64Description": "用于通过 Elasticsearch 进行身份验证的格式。", "xpack.security.management.apiKeys.base64Label": "Base64", "xpack.security.management.apiKeys.beatsDescription": "用于配置 Beats 的格式。", @@ -24937,6 +26529,7 @@ "xpack.security.management.apiKeys.table.apiKeysDisabledErrorLinkText": "文档", "xpack.security.management.apiKeys.table.apiKeysDisabledErrorTitle": "Elasticsearch 中未启用 API 密钥", "xpack.security.management.apiKeys.table.apiKeysOwnDescription": "查看并删除您的 API 密钥。API 密钥代表您发送请求。", + "xpack.security.management.apiKeys.table.apiKeysReadOnlyDescription": "查看您的 API 密钥。API 密钥代表您发送请求。", "xpack.security.management.apiKeys.table.apiKeysTableLoadingMessage": "正在加载 API 密钥……", "xpack.security.management.apiKeys.table.apiKeysTitle": "API 密钥", "xpack.security.management.apiKeys.table.createButton": "创建 API 密钥", @@ -24947,6 +26540,7 @@ "xpack.security.management.apiKeys.table.loadingApiKeysDescription": "正在加载 API 密钥……", "xpack.security.management.apiKeys.table.manageOwnKeysWarning": "您仅有权管理自己的 API 密钥。", "xpack.security.management.apiKeys.table.nameColumnName": "名称", + "xpack.security.management.apiKeys.table.readOnlyOwnKeysWarning": "您仅有权查看自己的 API 密钥。", "xpack.security.management.apiKeys.table.realmColumnName": "Realm", "xpack.security.management.apiKeys.table.realmFilterLabel": "Realm", "xpack.security.management.apiKeys.table.statusActive": "活动", @@ -24960,6 +26554,8 @@ "xpack.security.management.apiKeysEmptyPrompt.emptyTitle": "创建您的首个 API 密钥", "xpack.security.management.apiKeysEmptyPrompt.errorMessage": "无法加载 API 密钥。", "xpack.security.management.apiKeysEmptyPrompt.forbiddenErrorMessage": "无权管理 API 密钥。", + "xpack.security.management.apiKeysEmptyPrompt.readOnlyEmptyMessage": "请与您的管理员联系,以获取更多信息", + "xpack.security.management.apiKeysEmptyPrompt.readOnlyEmptyTitle": "您没有权限创建 API 密钥", "xpack.security.management.apiKeysEmptyPrompt.technicalDetailsButton": "技术细节", "xpack.security.management.apiKeysTitle": "API 密钥", "xpack.security.management.deprecatedBadge": "(已过时)", @@ -24988,6 +26584,7 @@ "xpack.security.management.editRole.elasticSearchPrivileges.runAsPrivilegesTitle": "运行身份权限", "xpack.security.management.editRole.errorDeletingRoleError": "删除角色时出错", "xpack.security.management.editRole.errorSavingRoleError": "保存角色时出错", + "xpack.security.management.editRole.featureTable.cannotCustomizeSubFeaturesTooltip": "定制子功能权限为订阅功能。", "xpack.security.management.editRole.featureTable.customizeSubFeaturePrivilegesSwitchLabel": "定制子功能权限", "xpack.security.management.editRole.featureTable.featureVisibilityTitle": "定制功能权限", "xpack.security.management.editRole.featureTable.managementCategoryHelpText": "对堆栈管理的访问由 Elasticsearch 和 Kibana 权限共同决定,并且不能显式禁用。", @@ -25005,7 +26602,7 @@ "xpack.security.management.editRole.privilegeSummary.privilegeGrantedIconTip": "权限已授予", "xpack.security.management.editRole.privilegeSummary.privilegeNotGrantedIconTip": "权限未授予", "xpack.security.management.editRole.privilegeSummary.viewSummaryButtonText": "查看权限摘要", - "xpack.security.management.editRole.returnToRoleListButtonLabel": "返回角色列表", + "xpack.security.management.editRole.returnToRoleListButtonLabel": "返回到角色", "xpack.security.management.editRole.reversedRoleBadge.reservedRolesCanNotBeModifiedTooltip": "保留角色为内置角色,不能删除或修改。", "xpack.security.management.editRole.roleNameFormRowHelpText": "创建角色名称后无法更改。", "xpack.security.management.editRole.roleNameFormRowTitle": "角色名称", @@ -25040,6 +26637,7 @@ "xpack.security.management.editRole.spacesPopoverList.findSpacePlaceholder": "查找工作区", "xpack.security.management.editRole.spacesPopoverList.noSpacesFoundTitle": " 未找到工作区 ", "xpack.security.management.editRole.spacesPopoverList.popoverTitle": "工作区", + "xpack.security.management.editRole.spacesPopoverList.selectSpacesTitle": "工作区", "xpack.security.management.editRole.transformErrorSectionDescription": "此角色定义无效,无法通过此屏幕进行编辑。", "xpack.security.management.editRole.transformErrorSectionTitle": "角色格式不正确", "xpack.security.management.editRole.updateRoleText": "更新角色", @@ -25138,6 +26736,7 @@ "xpack.security.management.editRolespacePrivilegeForm.updateGlobalPrivilegeButton": "更新全局权限", "xpack.security.management.editRolespacePrivilegeForm.updatePrivilegeButton": "更新工作区权限", "xpack.security.management.enabledBadge": "已启用", + "xpack.security.management.readonlyBadge.text": "只读", "xpack.security.management.reservedBadge": "保留", "xpack.security.management.roleMappings.actionCloneAriaLabel": "克隆“{name}”", "xpack.security.management.roleMappings.actionCloneTooltip": "克隆", @@ -25183,6 +26782,7 @@ "xpack.security.management.roles.nameColumnName": "角色", "xpack.security.management.roles.noIndexPatternsPermission": "您需要访问可用索引模式列表的权限。", "xpack.security.management.roles.noPermissionToManageRolesDescription": "请联系您的系统管理员。", + "xpack.security.management.roles.readonlyTooltip": "无法创建或编辑角色", "xpack.security.management.roles.reservedRoleBadgeTooltip": "保留角色为内置角色,不能编辑或移除。", "xpack.security.management.roles.roleTitle": "角色", "xpack.security.management.roles.showReservedRolesLabel": "显示保留角色", @@ -25242,6 +26842,7 @@ "xpack.security.management.users.emailAddressColumnName": "电子邮件地址", "xpack.security.management.users.fullNameColumnName": "全名", "xpack.security.management.users.permissionDeniedToManageUsersDescription": "请联系您的系统管理员。", + "xpack.security.management.users.readonlyTooltip": "无法创建或编辑用户", "xpack.security.management.users.reservedColumnDescription": "保留用户是内置用户,无法删除。只能更改密码。", "xpack.security.management.users.reservedUserBadgeTooltip": "保留用户为内置用户,不能编辑或移除。", "xpack.security.management.users.roleComboBox.AdminRoles": "管理员角色", @@ -25318,6 +26919,8 @@ "xpack.security.unauthenticated.pageTitle": "我们无法使您登录", "xpack.security.users.breadcrumb": "用户", "xpack.security.users.editUserPage.createBreadcrumb": "创建", + "xpack.securitySolution.alertDetails.overview.hostRiskClassification": "当前{riskEntity}风险分类", + "xpack.securitySolution.alertDetails.overview.hostRiskDataTitle": "{riskEntity}风险数据", "xpack.securitySolution.alertDetails.overview.insights_related_alerts_by_source_event_count": "{count} 个{count, plural, other {告警}}与源事件相关", "xpack.securitySolution.alertDetails.overview.insights_related_cases_found_content": "发现此告警位于 {caseCount}", "xpack.securitySolution.alertDetails.overview.insights_related_cases_found_content_count": "{caseCount} 个{caseCount, plural, other {案例:}}", @@ -25325,6 +26928,9 @@ "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_count": "{count} 个{count, plural, other {告警}}与会话相关", "xpack.securitySolution.alertDetails.overview.insights.related_cases_count": "{count} 个{count, plural, other {案例}}与此告警相关", "xpack.securitySolution.alertDetails.overview.insights.relatedCasesFailure": "无法加载相关案例:“{error}”", + "xpack.securitySolution.alertDetails.overview.originalHostRiskClassification": "原始{riskEntity}风险分类", + "xpack.securitySolution.alertDetails.overview.riskDataTooltipContent": "仅在其对{riskEntity}可用时才会显示风险分类。确保在您的环境中启用了 {riskScoreDocumentationLink}。", + "xpack.securitySolution.alerts.alertDetails.summary.cases.subTitle": "正在显示 {caseCount} 个包含此告警的最近创建的案例", "xpack.securitySolution.anomaliesTable.table.unit": "个{totalCount, plural, other {异常}}", "xpack.securitySolution.artifactCard.comments.label.hide": "隐藏注释 ({count})", "xpack.securitySolution.artifactCard.comments.label.show": "显示注释 ({count})", @@ -25355,8 +26961,10 @@ "xpack.securitySolution.components.mlPopup.moduleNotCompatibleTitle": "{incompatibleJobCount} 个{incompatibleJobCount, plural, other {作业}}当前不可用", "xpack.securitySolution.components.mlPopup.showingLabel": "显示:{filterResultsLength} 个 {filterResultsLength, plural, other {作业}}", "xpack.securitySolution.components.mlPopup.upgradeDescription": "要访问 SIEM 的异常检测功能,必须将您的许可证更新到白金级、开始 30 天免费试用或在 AWS、GCP 或 Azure 中实施{cloudLink}。然后便可以运行 Machine Learning 作业并查看异常。", + "xpack.securitySolution.configurations.suppressedAlerts": "告警具有 {numAlertsSuppressed} 个已阻止告警", "xpack.securitySolution.console.badArgument.helpMessage": "输入 {helpCmd} 以获取进一步帮助。", "xpack.securitySolution.console.buildInCommand.helpArgument.helpTitle": "{cmdName} 命令", + "xpack.securitySolution.console.commandList.callout.visitSupportSections": "{learnMore}响应操作和如何使用控制台。", "xpack.securitySolution.console.commandValidation.argSupportedOnlyOnce": "参数只能使用一次:{argName}", "xpack.securitySolution.console.commandValidation.exclusiveOr": "此命令只支持以下参数之一:{argNames}", "xpack.securitySolution.console.commandValidation.invalidArgValue": "无效的参数值:{argName}。{error}", @@ -25364,13 +26972,20 @@ "xpack.securitySolution.console.commandValidation.mustHaveArgs": "缺少所需参数:{requiredArgs}", "xpack.securitySolution.console.commandValidation.unknownArgument": "此命令不支持以下 {command} {countOfInvalidArgs, plural, other {参数}}:{unknownArgs}", "xpack.securitySolution.console.commandValidation.unsupportedArg": "不支持的参数:{argName}", + "xpack.securitySolution.console.sidePanel.helpDescription": "使用添加 ({icon}) 按钮将响应操作填充到文本栏。在必要时添加其他参数或注释。", "xpack.securitySolution.console.unknownCommand.helpMessage": "您输入的文本 {userInput} 不受支持!单击 {helpIcon} {boldHelp} 或键入 {helpCmd} 以获取帮助。", + "xpack.securitySolution.console.validationError.helpMessage": "输入 {helpCmd} 以获取进一步帮助。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeAllEventsInfo": "监测和收集来自所有系统执行的数据,包括那些由守护进程启动的执行,如 {nginx}、{postgres} 和 {cron}。{recommendation}", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeInteractiveOnlyInfo": "捕获用户通过 {ssh} 或 {telnet} 等程序发起的实时系统交互。{recommendation}", + "xpack.securitySolution.createPackagePolicy.stepConfigure.quickSettingsTranslation": "使用快速设置将集成配置到 {environments}。您可以在创建集成后做出配置更改。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.seeDocumentation": "请参阅{documentation}了解更多信息。", "xpack.securitySolution.dataProviders.groupAreaAriaLabel": "您在组 {group} 中", "xpack.securitySolution.dataProviders.showOptionsDataProviderAriaLabel": "{field} {value}按 enter 键可显示选项,或按空格键开始拖动", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertSuccessToastMessage": "已成功将 {totalAlerts} 个{totalAlerts, plural, other {告警}}标记为已确认。", "xpack.securitySolution.detectionEngine.alerts.closedAlertSuccessToastMessage": "已成功关闭 {totalAlerts} 个{totalAlerts, plural, other {告警}}。", "xpack.securitySolution.detectionEngine.alerts.count.columnLabel": "排名前 {topN} 的 {fieldName} 值", "xpack.securitySolution.detectionEngine.alerts.createNewTermsTimelineFailure": "无法创建文档 _id 的时间线:{id}", + "xpack.securitySolution.detectionEngine.alerts.createSuppressedTimelineFailure": "无法创建文档 _id 的时间线:{id}", "xpack.securitySolution.detectionEngine.alerts.createThresholdTimelineFailure": "无法创建文档 _id 的时间线:{id}", "xpack.securitySolution.detectionEngine.alerts.histogram.showingAlertsTitle": "正在显示:{modifier}{totalAlertsFormatted} 个{totalAlerts, plural, other {告警}}", "xpack.securitySolution.detectionEngine.alerts.histogram.topNLabel": "排名靠前的{fieldName}", @@ -25384,6 +26999,7 @@ "xpack.securitySolution.detectionEngine.components.importRuleModal.importFailedDetailedTitle": "{message}", "xpack.securitySolution.detectionEngine.components.importRuleModal.importFailedTitle": "未能导入 {totalRules} 个{totalRules, plural, other {规则}}", "xpack.securitySolution.detectionEngine.components.importRuleModal.successfullyImportedRulesTitle": "已成功导入 {totalRules} 个{totalRules, plural, other {规则}}", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldShouldLoadQueryDynamicallyLabel": "在每次执行规则时动态加载已保存查询“{savedQueryName}”", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.machineLearningJobIdHelpText": "我们提供了一些常见作业来帮助您入门。要添加自己的定制作业,请在 {machineLearning} 应用程序中将一个“security”组分配给这些作业,以使它们显示在此处。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlEnableJobMulti": "选定的 ML 作业 {jobNames} 当前未运行。在启用此规则之前请通过“ML 作业设置”将所有这些作业设置为运行。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlEnableJobSingle": "选定的 ML 作业 {jobName} 当前未运行。在启用此规则之前请通过“ML 作业设置”将 {jobName} 设置为运行。", @@ -25403,15 +27019,15 @@ "xpack.securitySolution.detectionEngine.relatedIntegrations.popoverDescriptionInstalledVersionTooltip": "版本不匹配 -- 请解决!已安装版本 `{installedVersion}`,而所需版本为 `{requiredVersion}`", "xpack.securitySolution.detectionEngine.relatedIntegrations.popoverTitle": "有 [{integrationsCount}] 个相关{integrationsCount, plural, other {集成}}可用", "xpack.securitySolution.detectionEngine.rule.editRule.errorMsgDescription": "您在{countError, plural, other {以下选项卡}}中的输入无效:{tabHasError}", - "xpack.securitySolution.detectionEngine.rule.editRule.actionSectionsTitle": "操作", "xpack.securitySolution.detectionEngine.ruleDetails.ruleCreationDescription": "由 {by} 于 {date}创建", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.gapDurationColumnTooltip": "规则执行中缺口的持续时间 (hh:mm:ss:SSS)。调整规则回查或{seeDocs}以缩小缺口。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.searchLimitExceededLabel": "超过 {totalItems} 个规则执行与提供的筛选相匹配。正在按最近的“@timestamp”显示前 {maxItems} 项。进一步限制筛选以查看其他执行事件。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.totalExecutionsLabel": "正在显示 {totalItems} 个{totalItems, plural, other {规则执行}}", "xpack.securitySolution.detectionEngine.ruleDetails.ruleUpdateDescription": "由 {by} 于 {date}更新", "xpack.securitySolution.detectionEngine.rules.all.exceptions.rulesPopoverButton": "+{rulesCount} 个{rulesCount, plural, other {规则}}", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.showingExceptionLists": "正在显示 {totalLists} 个{totalLists, plural, other {列表}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkAction.enable.successToastDescription": "已成功启用 {totalRules, plural, other {{totalRules} 个规则}}", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkActionConfirmationPartlyTitle": "将仅对您选定的 {customRulesCount, plural, other {# 个定制规则}}应用此操作", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkActionConfirmationPartlyTitle": "只能对 {customRulesCount, plural, other {# 个定制规则}}应用此操作", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditConfirmationDeniedTitle": "无法编辑 {rulesCount, plural, other {# 个规则}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditWarningToastDescription": "{rulesCount, plural, other {# 个规则}}正在更新。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkExportConfirmationDeniedTitle": "无法导出 {rulesCount, plural, other {# 个规则}}", @@ -25422,10 +27038,17 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.errorToastDescription": "无法禁用 {rulesCount, plural, other {# 个规则}}。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.successToastDescription": "已成功禁用 {totalRules, plural, other {{totalRules} 个规则}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.errorToastDescription": "无法复制 {rulesCount, plural, other {# 个规则}}。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.modalBody": "您正在复制 {rulesCount, plural, other {# 个选定规则}},请选择您希望如何复制现有例外", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.modalTitle": "复制包含例外的{rulesCount, plural, other {规则}}?", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.with": "复制{rulesCount, plural, other {规则}}及其例外", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.without": "仅复制{rulesCount, plural, other {规则}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.successToastDescription": "已成功复制 {totalRules, plural, other {{totalRules} 个规则}}", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.infoCalloutTitle": "为您选择的 {rulesCount, plural, other {# 个规则}}配置操作", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.warningCalloutMessage": "您即将覆盖 {rulesCount, plural, other {# 个选定规则}}的规则操作。单击 {saveButton} 以应用更改。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.warningCalloutMessage": "您即将对 {rulesCount, plural, other {# 个选定规则}}应用更改。如果之前已将时间线模板应用于这些规则,则会将其覆盖或重置为无(如果您选择了“无”)。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.errorToastDescription": "无法更新 {rulesCount, plural, other {# 个规则}}。", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastDescription": "您已成功更新 {rulesCount, plural, other {# 个规则}}。如果未选择使用 Kibana 数据视图对规则应用更改,则不会更新那些规则并继续使用数据视图。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.warningCalloutMessage": "您即将对 {rulesCount, plural, other {# 个选定规则}}应用更改。您所做的更改将覆盖现有规则计划和其他回查时间(如有)。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastDescription": "您已成功更新 {rulesCount, plural, other {# 个规则}}", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.elasticRulesEditDescription": "{rulesCount, plural, other {# 个预构建的 Elastic 规则}}(不支持编辑预构建的规则)", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.elasticRulesExportDescription": "{rulesCount, plural, other {# 个预构建的 Elastic 规则}}(不支持导出预构建的规则)", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.errorToastDescription": "无法启用 {rulesCount, plural, other {# 个规则}}。", @@ -25436,7 +27059,10 @@ "xpack.securitySolution.detectionEngine.rules.allRules.columns.gapTooltip": "规则执行中最近缺口的持续时间。调整规则回查或{seeDocs}以缩小缺口。", "xpack.securitySolution.detectionEngine.rules.allRules.selectAllRulesTitle": "选择所有 {totalRules} 个{totalRules, plural, other {规则}}", "xpack.securitySolution.detectionEngine.rules.allRules.selectedRulesTitle": "已选择 {selectedRules} 个{selectedRules, plural, other {规则}}", + "xpack.securitySolution.detectionEngine.rules.allRules.showingRulesTitle": "正在显示 {totalRules} 个{totalRules, plural, other {规则}}中的第 {firstInPage}-{lastOfPage} 个", "xpack.securitySolution.detectionEngine.rules.create.successfullyCreatedRuleTitle": "{ruleName} 已创建", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.enableFirstRule.content": "启用“{name}”规则。", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.searchFirstRule.content": "查找“{name}”规则。", "xpack.securitySolution.detectionEngine.rules.popoverTooltip.ariaLabel": "列的工具提示:{columnName}", "xpack.securitySolution.detectionEngine.rules.reloadMissingPrePackagedRulesAndTimelinesButton": "安装 {missingRules} 个 Elastic 预构建{missingRules, plural, other {规则}}以及 {missingTimelines} 个 Elastic 预构建{missingTimelines, plural, other {时间线}} ", "xpack.securitySolution.detectionEngine.rules.reloadMissingPrePackagedRulesButton": "安装 {missingRules} 个 Elastic 预构建{missingRules, plural, other {规则}} ", @@ -25452,8 +27078,17 @@ "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewNotFoundDescription": "未找到“id”为“{dataView}”的数据视图。可能是因为它已被删除。", "xpack.securitySolution.detectionResponse.alertsByStatus.totalAlerts": "{totalAlerts, plural, other {告警}}总计", "xpack.securitySolution.detectionResponse.casesByStatus.totalCases": "{totalCases, plural, other {案例}}总计", + "xpack.securitySolution.detectionResponse.noChange": "您的 {dataType} 未更改", + "xpack.securitySolution.detectionResponse.noData": "没有可比较的 {dataType} 数据", + "xpack.securitySolution.detectionResponse.noDataCompare": "比较时间范围中没有可比较的 {dataType} 数据", + "xpack.securitySolution.detectionResponse.noDataCurrent": "当前时间范围中没有可比较的 {dataType} 数据", + "xpack.securitySolution.detectionResponse.timeDifference": "您的 {statType} 已从 {stat} {upOrDown} {percentageChange}", "xpack.securitySolution.detections.hostIsolation.impactedCases": "此操作将添加到 {cases}。", "xpack.securitySolution.dragAndDrop.youAreInADialogContainingOptionsScreenReaderOnly": "您在对话框中,其中包含 {fieldName} 字段的选项。按 tab 键导航选项。按 escape 退出。", + "xpack.securitySolution.editDataProvider.unavailableOperator": "{operator} 运算符不可用于模板", + "xpack.securitySolution.enableRiskScore.enableRiskScore": "启用{riskEntity}风险分数", + "xpack.securitySolution.enableRiskScore.enableRiskScoreDescription": "一旦启用此功能,您将可以在此部分快速访问{riskEntity}风险分数。启用此模板后,可能需要一小时才能生成数据。", + "xpack.securitySolution.enableRiskScore.upgradeRiskScore": "升级{riskEntity}风险分数", "xpack.securitySolution.endpoint.details.policy.revisionNumber": "修订版 {revNumber}", "xpack.securitySolution.endpoint.details.policyStatusValue": "{policyStatus, select, success {成功} warning {警告} failure {失败} other {未知}}", "xpack.securitySolution.endpoint.fleetCustomExtension.artifactsSummaryError": "尝试提取项目统计时出错:“{error}”", @@ -25535,6 +27170,10 @@ "xpack.securitySolution.endpoint.resolver.relatedEventLimitTitle": "此列表包括 {numberOfEntries} 个进程事件。", "xpack.securitySolution.endpointPolicyStatus.revisionNumber": "修订版 {revNumber}", "xpack.securitySolution.endpointResponseActions.actionError.errorMessage": "遇到以下{ errorCount, plural, other {错误}}:", + "xpack.securitySolution.entityAnalytics.anomalies.moduleNotCompatibleTitle": "{incompatibleJobCount} 个{incompatibleJobCount, plural, other {作业}}当前不可用", + "xpack.securitySolution.entityAnalytics.riskDashboard.nameTitle": "{riskEntity}名称", + "xpack.securitySolution.entityAnalytics.riskDashboard.riskClassificationTitle": "{riskEntity}风险分类", + "xpack.securitySolution.entityAnalytics.riskDashboard.riskToolTip": "{riskEntity}风险分类由{riskEntityLowercase}风险分数决定。分类为紧急或高的{riskEntity}即表示存在风险。", "xpack.securitySolution.event.reason.reasonRendererTitle": "事件渲染器:{eventRendererName} ", "xpack.securitySolution.eventDetails.nestedColumnCheckboxAriaLabel": "{field} 字段是对象,并分解为可以添加为列的嵌套字段", "xpack.securitySolution.eventDetails.viewColumnCheckboxAriaLabel": "查看 {field} 列", @@ -25545,13 +27184,23 @@ "xpack.securitySolution.eventFilters.showingTotal": "正在显示 {total} 个{total, plural, other {事件筛选}}", "xpack.securitySolution.eventsTab.unit": "个外部{totalCount, plural, other {告警}}", "xpack.securitySolution.eventsViewer.unit": "{totalCount, plural, other {个事件}}", + "xpack.securitySolution.exception.list.empty.viewer_body": "您的[{listName}]中没有例外。创建规则例外到此列表。", + "xpack.securitySolution.exceptions.common.addToRuleOptionLabel": "添加到此规则:{ruleName}", + "xpack.securitySolution.exceptions.common.addToRulesOptionLabel": "添加到 [{numRules}] 个选定规则:{ruleNames}", + "xpack.securitySolution.exceptions.createSharedExceptionListSuccessDescription": "已创建名为 ${listName} 的列表!", "xpack.securitySolution.exceptions.disassociateListSuccessText": "例外列表 ({id}) 已成功移除", "xpack.securitySolution.exceptions.failedLoadPolicies": "加载策略时出错:“{error}”", "xpack.securitySolution.exceptions.fetch404Error": "关联的例外列表 ({listId}) 已不存在。请移除缺少的例外列表,以将其他例外添加到检测规则。", "xpack.securitySolution.exceptions.hideCommentsLabel": "隐藏 ({comments}) 个{comments, plural, other {注释}}", + "xpack.securitySolution.exceptions.list.deleted_successfully": "已成功删除 {listName}", + "xpack.securitySolution.exceptions.list.exception.item.card.exceptionItemDeleteSuccessText": "已成功删除“{itemName}”。", + "xpack.securitySolution.exceptions.list.exported_successfully": "已成功导出 {listName}", + "xpack.securitySolution.exceptions.referenceModalDefaultDescription": "是否确定要删除名为 {listName} 的例外列表?", "xpack.securitySolution.exceptions.referenceModalDescription": "此例外列表与 ({referenceCount}) 个{referenceCount, plural, other {规则}}关联。移除此例外列表还将会删除其对关联规则的引用。", "xpack.securitySolution.exceptions.referenceModalSuccessDescription": "例外列表 - {listId} - 已成功删除。", "xpack.securitySolution.exceptions.showCommentsLabel": "显示 ({comments} 个) {comments, plural, other {注释}}", + "xpack.securitySolution.exceptions.viewer.lastUpdated": "已更新 {updated}", + "xpack.securitySolution.exceptions.viewer.paginationDetails": "正在显示 {partOne} 个(共 {partTwo} 个)", "xpack.securitySolution.fieldBrowser.descriptionForScreenReaderOnly": "{field} 字段的描述:", "xpack.securitySolution.footer.autoRefreshActiveTooltip": "自动刷新已启用时,时间线将显示匹配查询的最近 {numberOfItems} 个事件。", "xpack.securitySolution.formattedNumber.countsLabel": "{mantissa}{scale}{hasRemainder}", @@ -25585,6 +27234,7 @@ "xpack.securitySolution.kpiHosts.riskyHosts.hostsCount": "{quantity} 台{quantity, plural, other {主机}}", "xpack.securitySolution.lists.referenceModalDescription": "此值列表与 ({referenceCount}) 个例外{referenceCount, plural, other {列表}}关联。移除此列表将移除引用此值列表的所有例外项。", "xpack.securitySolution.lists.uploadValueListExtensionValidationMessage": "文件必须属于以下类型之一:[{fileTypes}]", + "xpack.securitySolution.markdownEditor.plugins.insightConfigError": "无法解析洞见 JSON 配置:{err}", "xpack.securitySolution.markdownEditor.plugins.timeline.failedRetrieveTimelineErrorMsg": "无法检索时间线 ID:{ timelineId }", "xpack.securitySolution.markdownEditor.plugins.timeline.toolTip.timelineId": "时间线 ID:{ timelineId }", "xpack.securitySolution.markdownEditor.plugins.timeline.toolTip.timelineUrlIsNotValidErrorMsg": "时间线 URL 无效 => {timelineUrl}", @@ -25603,7 +27253,6 @@ "xpack.securitySolution.networkTopNFlowTable.unit": "{totalCount, plural, other {个 IP}}", "xpack.securitySolution.noPermissionsMessage": "要查看 {subPluginKey},必须更新权限。有关详细信息,请联系您的 Kibana 管理员。", "xpack.securitySolution.noPrivilegesPerPageMessage": "要查看 {pageName},必须更新权限。有关详细信息,请联系您的 Kibana 管理员。", - "xpack.securitySolution.noPrivilegesDefaultMessage": "要查看此页面,必须更新权限。有关详细信息,请联系您的 Kibana 管理员。", "xpack.securitySolution.notes.youAreViewingNotesScreenReaderOnly": "您正在查看事件在第 {row} 行的备注。完成后,按向上箭头键可返回到事件。", "xpack.securitySolution.open.timeline.deleteTimelineModalTitle": "删除“{title}”?", "xpack.securitySolution.open.timeline.selectedTemplatesTitle": "已选择 {selectedTemplates} 个{selectedTemplates, plural, other {模板}}", @@ -25631,16 +27280,51 @@ "xpack.securitySolution.resolver.eventDescription.registryPathLabel": "{ registryPath }", "xpack.securitySolution.resolver.node_button_name": "{nodeState, select, error {重新加载 {nodeName}} other {{nodeName}}}", "xpack.securitySolution.resolver.noProcessEvents.dataView": "如果您选择不同的数据视图,\n 请确保数据视图包含在源事件中存储在“{field}”的所有索引。", + "xpack.securitySolution.resolver.unboundedRequest.toast": "选定时间内找不到结果,已扩展到 {from} - {to}。", "xpack.securitySolution.responder.header.lastSeen": "最后看到时间 {date}", "xpack.securitySolution.responder.hostOffline.callout.body": "主机 {name} 脱机,因此其响应可能会延迟。主机重新建立连接后将执行待处理的命令。", - "xpack.securitySolution.responseActionsList.flyout.title": "操作日志:{hostname}", + "xpack.securitySolution.responseActionFileDownloadLink.passcodeInfo": "(ZIP 文件密码:{passcode})。", + "xpack.securitySolution.responseActionsList.flyout.title": "响应操作历史记录:{hostname}", + "xpack.securitySolution.responseActionsList.list.filter.emptyMessage": "无 {filterName} 可用", + "xpack.securitySolution.responseActionsList.list.filter.searchPlaceholder": "搜索 {filterName}", "xpack.securitySolution.responseActionsList.list.item.hasExpired": "{command} 失败:操作已过期", "xpack.securitySolution.responseActionsList.list.item.hasFailed": "{command} 失败", "xpack.securitySolution.responseActionsList.list.item.isPending": "{command} 待处理", "xpack.securitySolution.responseActionsList.list.item.wasSuccessful": "{command} 已成功完成", "xpack.securitySolution.responseActionsList.list.recordRange": "正在显示第 {range} 个(共 {total} 个){recordsLabel}", "xpack.securitySolution.responseActionsList.list.recordRangeLabel": "{records, plural, other {响应操作}}", + "xpack.securitySolution.riskInformation.explanation": "此功能利用转换,通过脚本指标聚合基于“开放”状态的检测规则告警来计算 5 天时间窗口内的{riskEntityLower}风险分数。该转换每小时运行一次,以根据流入的新检测规则告警更新分数。", + "xpack.securitySolution.riskInformation.learnMore": "您可以详细了解{riskEntity}风险{riskScoreDocumentationLink}", + "xpack.securitySolution.riskInformation.riskHeader": "{riskEntity}风险分数范围", + "xpack.securitySolution.riskInformation.title": "如何计算{riskEntity}风险?", + "xpack.securitySolution.riskScore.api.ingestPipeline.delete.errorMessageTitle": "无法删除采集{totalCount, plural, other {管道}}", + "xpack.securitySolution.riskScore.api.transforms.delete.errorMessageTitle": "无法删除{totalCount, plural, other {转换}}", + "xpack.securitySolution.riskScore.api.transforms.start.errorMessageTitle": "无法启动{totalCount, plural, other {转换}}", + "xpack.securitySolution.riskScore.api.transforms.stop.errorMessageTitle": "无法停止{totalCount, plural, other {转换}}", + "xpack.securitySolution.riskScore.overview.riskScoreTitle": "{riskEntity}风险分数", + "xpack.securitySolution.riskScore.savedObjects.bulkCreateSuccessTitle": "已成功导入 {totalCount} 个{totalCount, plural, other {已保存对象}}", + "xpack.securitySolution.riskScore.savedObjects.enableRiskScoreSuccessTitle": "已成功导入 {items}", + "xpack.securitySolution.riskScore.savedObjects.failedToCreateTagTitle": "无法导入已保存对象:未创建 {savedObjectTemplate},因为无法创建标签:{tagName}", + "xpack.securitySolution.riskScore.savedObjects.templateAlreadyExistsTitle": "无法导入已保存对象:未创建 {savedObjectTemplate},因为其已存在", + "xpack.securitySolution.riskScore.savedObjects.templateNotFoundTitle": "无法导入已保存对象:未创建 {savedObjectTemplate},因为找不到模板", + "xpack.securitySolution.riskScore.transform.notFoundTitle": "无法检查转换状态,因为找不到 {transformId}", + "xpack.securitySolution.riskScore.transform.start.stateConflictTitle": "未启动转换 {transformId},因为其状态为:{state}", + "xpack.securitySolution.riskScore.transform.transformExistsTitle": "无法创建转换,因为 {transformId} 已存在", + "xpack.securitySolution.riskTabBody.scoreOverTimeTitle": "一段时间的{riskEntity}风险分数", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsTooltipTitle": "共享例外列表为一组例外。{rulesCount, plural, =1 {此规则当前没有共享的} other {这些规则当前没有共享的}}已附加例外列表。要创建一个列表,请访问例外列表管理页面。", + "xpack.securitySolution.rule_exceptions.itemComments.hideCommentsLabel": "隐藏 ({comments}) 个{comments, plural, other {注释}}", + "xpack.securitySolution.rule_exceptions.itemComments.showCommentsLabel": "显示 ({comments} 个) {comments, plural, other {注释}}", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.addRuleExceptionToastSuccessText": "例外已添加到规则 - {ruleName}。", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.closeAlerts.successDetails": "规则例外已添加到共享列表:{listNames}。", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.commentsTitle": "添加注释 ({comments})", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemDeleteSuccessText": "已成功删除“{itemName}”。", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastSuccessText": "{numItems, plural, other {例外}} - {exceptionItemName} - {numItems, plural, other {已}}更新。", + "xpack.securitySolution.ruleExceptions.editExceptionFlyout.commentsTitle": "添加注释 ({comments})", + "xpack.securitySolution.ruleExceptions.exceptionItem.affectedRules": "影响了 {numRules} 个{numRules, plural, other {规则}}", + "xpack.securitySolution.ruleExceptions.exceptionItem.showCommentsLabel": "显示{comments, plural, other {注释}} ({comments})", + "xpack.securitySolution.ruleExceptions.logic.closeAlerts.success": "已成功更新 {numAlerts} 个{numAlerts, plural, other {告警}}", "xpack.securitySolution.searchStrategy.error": "无法运行搜索:{factoryQueryType}", + "xpack.securitySolution.searchStrategy.warning": "运行以下搜索时出错:{factoryQueryType}", "xpack.securitySolution.some_page.flyoutCreateSubmitSuccess": "已添加“{name}”。", "xpack.securitySolution.tables.rowItemHelper.overflowButtonDescription": "另外 {count} 个", "xpack.securitySolution.timeline.body.actions.attachAlertToCaseForRowAriaLabel": "将第 {ariaRowindex} 行的告警或事件附加到案例,其中列为 {columnValues}", @@ -25688,11 +27372,23 @@ "xpack.securitySolution.usersRiskTable.filteredUsersTitle": "查看{severity}风险用户", "xpack.securitySolution.usersTable.rows": "{numRows} {numRows, plural, other {行}}", "xpack.securitySolution.usersTable.unit": "{totalCount, plural, other {个用户}}", + "xpack.securitySolution.visualizationActions.topValueLabel": "{field} 排名最前值", + "xpack.securitySolution.visualizationActions.uniqueCountLabel": "“{field}”的唯一计数", "xpack.securitySolution.accessibility.tooltipWithKeyboardShortcut.pressTooltipLabel": "按", + "xpack.securitySolution.actionForm.experimentalTooltip": "此功能处于技术预览状态,在未来版本中可能会更改或完全移除。Elastic 将尽最大努力来修复任何问题,但处于技术预览状态的功能不受正式 GA 功能支持 SLA 的约束。", + "xpack.securitySolution.actionForm.responseActionSectionsDescription": "响应操作", + "xpack.securitySolution.actionForm.responseActionSectionsTitle": "响应操作在每次执行规则时运行", "xpack.securitySolution.actionsContextMenu.label": "打开", + "xpack.securitySolution.actionTypeForm.accordion.deleteIconAriaLabel": "删除", "xpack.securitySolution.administration.os.linux": "Linux", "xpack.securitySolution.administration.os.macos": "Mac", "xpack.securitySolution.administration.os.windows": "Windows", + "xpack.securitySolution.alertCountByRuleByStatus.alertsByRule": "按规则排列的告警", + "xpack.securitySolution.alertCountByRuleByStatus.count": "计数", + "xpack.securitySolution.alertCountByRuleByStatus.noRuleAlerts": "没有可显示的告警", + "xpack.securitySolution.alertCountByRuleByStatus.ruleName": "kibana.alert.rule.name", + "xpack.securitySolution.alertCountByRuleByStatus.status": "状态", + "xpack.securitySolution.alertCountByRuleByStatus.tooltipTitle": "规则名称", "xpack.securitySolution.alertDetails.enrichmentQueryEndDate": "结束日期", "xpack.securitySolution.alertDetails.enrichmentQueryStartDate": "开始日期", "xpack.securitySolution.alertDetails.investigationTimeQueryTitle": "使用威胁情报扩充", @@ -25706,9 +27402,14 @@ "xpack.securitySolution.alertDetails.overview.highlightedFields.field": "字段", "xpack.securitySolution.alertDetails.overview.highlightedFields.value": "值", "xpack.securitySolution.alertDetails.overview.insights": "洞见", + "xpack.securitySolution.alertDetails.overview.insights.alertUpsellTitle": "通过白金级订阅获取更多洞见", + "xpack.securitySolution.alertDetails.overview.insights.processAncestryFilter": "进程体系告警 ID", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry": "按进程体系列出相关告警", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry_empty": "没有按进程体系列出的相关告警。", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_process_ancestry_error": "无法获取告警。", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_empty": "没有按会话列出的相关告警", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_session_error": "无法按会话加载相关告警", + "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_empty": "没有按源事件列出的相关告警", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_error": "无法按源事件加载相关告警", "xpack.securitySolution.alertDetails.overview.insights.related_alerts_by_source_event_loading": "正在按源事件加载相关告警", "xpack.securitySolution.alertDetails.overview.insights.related_cases_error": "无法加载相关案例", @@ -25720,6 +27421,44 @@ "xpack.securitySolution.alertDetails.summary.readLess": "阅读更少内容", "xpack.securitySolution.alertDetails.summary.readMore": "阅读更多内容", "xpack.securitySolution.alertDetails.threatIntel": "威胁情报", + "xpack.securitySolution.alerts.alertDetails.errorPage.message": "加载详情页面时出错。请确认以下 ID 是否指向有效文档", + "xpack.securitySolution.alerts.alertDetails.errorPage.title": "无法加载详情页面", + "xpack.securitySolution.alerts.alertDetails.header.backToAlerts": "返回到告警", + "xpack.securitySolution.alerts.alertDetails.header.technicalPreview": "技术预览", + "xpack.securitySolution.alerts.alertDetails.loadingPage.message": "正在加载详情页面......", + "xpack.securitySolution.alerts.alertDetails.navigation.summary": "摘要", + "xpack.securitySolution.alerts.alertDetails.summary.alertReason.title": "告警原因", + "xpack.securitySolution.alerts.alertDetails.summary.case.addToExistingCase": "添加到现有案例", + "xpack.securitySolution.alerts.alertDetails.summary.case.addToNewCase": "添加到新案例", + "xpack.securitySolution.alerts.alertDetails.summary.case.error": "加载相关案例时出错", + "xpack.securitySolution.alerts.alertDetails.summary.case.loading": "正在加载相关案例......", + "xpack.securitySolution.alerts.alertDetails.summary.case.noCasesFound": "找不到此告警的相关案例", + "xpack.securitySolution.alerts.alertDetails.summary.case.noRead": "您没有查看相关案例所需的权限。如果需要查看案例,请联系您的 Kibana 管理员", + "xpack.securitySolution.alerts.alertDetails.summary.cases.status": "状态", + "xpack.securitySolution.alerts.alertDetails.summary.cases.title": "案例", + "xpack.securitySolution.alerts.alertDetails.summary.host.action.openHostDetailsPage": "打开主机详情页面", + "xpack.securitySolution.alerts.alertDetails.summary.host.action.viewHostSummary": "查看主机摘要", + "xpack.securitySolution.alerts.alertDetails.summary.host.agentStatus.title": "代理状态", + "xpack.securitySolution.alerts.alertDetails.summary.host.hostName.title": "主机名", + "xpack.securitySolution.alerts.alertDetails.summary.host.osName.title": "操作系统", + "xpack.securitySolution.alerts.alertDetails.summary.host.riskClassification": "主机风险分类", + "xpack.securitySolution.alerts.alertDetails.summary.host.riskScore": "主机风险分数", + "xpack.securitySolution.alerts.alertDetails.summary.host.title": "主机", + "xpack.securitySolution.alerts.alertDetails.summary.ipAddresses.title": "IP 地址", + "xpack.securitySolution.alerts.alertDetails.summary.lastSeen.title": "最后看到时间", + "xpack.securitySolution.alerts.alertDetails.summary.panelMoreActions": "更多操作", + "xpack.securitySolution.alerts.alertDetails.summary.rule.action.openRuleDetailsPage": "打开规则详情页面", + "xpack.securitySolution.alerts.alertDetails.summary.rule.description": "规则描述", + "xpack.securitySolution.alerts.alertDetails.summary.rule.name": "规则名称", + "xpack.securitySolution.alerts.alertDetails.summary.rule.riskScore": "风险分数", + "xpack.securitySolution.alerts.alertDetails.summary.rule.severity": "严重性", + "xpack.securitySolution.alerts.alertDetails.summary.rule.title": "规则", + "xpack.securitySolution.alerts.alertDetails.summary.user.action.openUserDetailsPage": "打开用户详情页面", + "xpack.securitySolution.alerts.alertDetails.summary.user.action.viewUserSummary": "查看用户摘要", + "xpack.securitySolution.alerts.alertDetails.summary.user.riskClassification": "用户风险分类", + "xpack.securitySolution.alerts.alertDetails.summary.user.riskScore": "用户风险分数", + "xpack.securitySolution.alerts.alertDetails.summary.user.title": "用户", + "xpack.securitySolution.alerts.alertDetails.summary.user.userName.title": "用户名", "xpack.securitySolution.alerts.badge.readOnly.tooltip": "无法更新告警", "xpack.securitySolution.alerts.riskScoreMapping.defaultDescriptionLabel": "选择此规则生成的所有告警的风险分数。", "xpack.securitySolution.alerts.riskScoreMapping.defaultRiskScoreTitle": "默认风险分数", @@ -25747,17 +27486,19 @@ "xpack.securitySolution.anomaliesTable.table.anomaliesDescription": "异常", "xpack.securitySolution.anomaliesTable.table.anomaliesTooltip": "异常表无法通过 SIEM 全局 KQL 搜索进行筛选。", "xpack.securitySolution.anomaliesTable.table.showingDescription": "正在显示", + "xpack.securitySolution.appLinks.actionHistoryDescription": "查看在主机上执行的响应操作的历史记录。", "xpack.securitySolution.appLinks.alerts": "告警", "xpack.securitySolution.appLinks.blocklistDescription": "阻止不需要的应用程序在您的主机上运行。", "xpack.securitySolution.appLinks.category.cloudSecurityPosture": "云安全态势", "xpack.securitySolution.appLinks.category.endpoints": "终端", "xpack.securitySolution.appLinks.category.siem": "SIEM", - "xpack.securitySolution.appLinks.cloudSecurityPostureBenchmarksDescription": "查看、启用和/或禁用基准规则。", + "xpack.securitySolution.appLinks.cloudSecurityPostureBenchmarksDescription": "查看基准规则。", "xpack.securitySolution.appLinks.cloudSecurityPostureDashboardDescription": "所有 CSP 集成中的结果概述。", "xpack.securitySolution.appLinks.dashboards": "仪表板", "xpack.securitySolution.appLinks.detectionAndResponse": "检测和响应", - "xpack.securitySolution.appLinks.detectionAndResponseDescription": "从最终用户的角度监测应用程序和设备性能受到的影响。", - "xpack.securitySolution.appLinks.endpointsDescription": "运行 Endpoint Security 的主机。", + "xpack.securitySolution.appLinks.detectionAndResponseDescription": "与安全解决方案内的告警和案例有关的信息,包括具有告警的主机和用户。", + "xpack.securitySolution.appLinks.endpointsDescription": "运行 Elastic Defend 的主机。", + "xpack.securitySolution.appLinks.entityAnalyticsDescription": "用于缩小监测表面积的实体分析、值得关注的异常和威胁。", "xpack.securitySolution.appLinks.eventFiltersDescription": "阻止将高数目或非预期事件写入到 Elasticsearch。", "xpack.securitySolution.appLinks.exceptions": "例外列表", "xpack.securitySolution.appLinks.exceptionsDescription": "创建并管理例外以避免创建非预期告警。", @@ -25775,10 +27516,11 @@ "xpack.securitySolution.appLinks.network": "网络", "xpack.securitySolution.appLinks.network.description": "在交互式地图中提供关键活动指标以及启用与时间线进行交互的事件表。", "xpack.securitySolution.appLinks.network.dns": "DNS", + "xpack.securitySolution.appLinks.network.events": "事件", "xpack.securitySolution.appLinks.network.http": "HTTP", "xpack.securitySolution.appLinks.network.tls": "TLS", "xpack.securitySolution.appLinks.overview": "概览", - "xpack.securitySolution.appLinks.overviewDescription": "您的安全环境中发生的情况。", + "xpack.securitySolution.appLinks.overviewDescription": "您的安全环境活动摘要,包括告警、事件、最近项和新闻源!", "xpack.securitySolution.appLinks.policiesDescription": "使用策略定制终端和云工作负载防护及其他配置。", "xpack.securitySolution.appLinks.rules": "规则", "xpack.securitySolution.appLinks.rulesDescription": "创建和管理规则以检查可疑源事件,并在满足规则条件时创建告警。", @@ -26088,8 +27830,11 @@ "xpack.securitySolution.components.mlPopover.jobsTable.filters.showAllJobsLabel": "Elastic 作业", "xpack.securitySolution.components.mlPopover.jobsTable.filters.showSiemJobsLabel": "定制作业", "xpack.securitySolution.components.mlPopup.cloudLink": "云部署", + "xpack.securitySolution.components.mlPopup.hooks.errors.createJobFailureTitle": "创建作业失败", "xpack.securitySolution.components.mlPopup.hooks.errors.indexPatternFetchFailureTitle": "索引模式提取失败", "xpack.securitySolution.components.mlPopup.hooks.errors.siemJobFetchFailureTitle": "Security 作业提取失败", + "xpack.securitySolution.components.mlPopup.hooks.errors.startJobFailureTitle": "启动作业失败", + "xpack.securitySolution.components.mlPopup.hooks.errors.stopJobFailureTitle": "停止作业失败", "xpack.securitySolution.components.mlPopup.jobsTable.createCustomJobButtonLabel": "创建定制作业", "xpack.securitySolution.components.mlPopup.jobsTable.jobNameColumn": "作业名称", "xpack.securitySolution.components.mlPopup.jobsTable.noItemsDescription": "找不到任何安全 Machine Learning 作业", @@ -26107,12 +27852,13 @@ "xpack.securitySolution.console.builtInCommands.help.helpTitle": "可用命令", "xpack.securitySolution.console.builtInCommands.helpAbout": "列出所有可用命令", "xpack.securitySolution.console.commandList.addButtonTooltip": "添加到文本栏", - "xpack.securitySolution.console.commandList.callout.leavingResponder": "离开响应方不会中止操作。", - "xpack.securitySolution.console.commandList.callout.multipleResponses": "您可以同时输入多个响应操作。", - "xpack.securitySolution.console.commandList.callout.readMoreLink": "阅读更多内容", - "xpack.securitySolution.console.commandList.callout.title": "您知道吗?", + "xpack.securitySolution.console.commandList.callout.leavingResponder": "离开响应控制台不会终止已提交的任何操作。", + "xpack.securitySolution.console.commandList.callout.multipleResponses": "您可以输入连续响应操作 — 无需等待之前的操作完成。", + "xpack.securitySolution.console.commandList.callout.readMoreLink": "了解详情", + "xpack.securitySolution.console.commandList.callout.title": "有用的提示:", "xpack.securitySolution.console.commandList.commonArgs.comment": "添加注释到任何操作 例如:isolate --comment your comment", "xpack.securitySolution.console.commandList.commonArgs.help": "命令帮助 例如:isolate --help", + "xpack.securitySolution.console.commandList.disabledButtonTooltip": "不支持的命令", "xpack.securitySolution.console.commandList.footerText": "要获取单个命令的更多帮助信息,请使用 --help 参数。例如:processes --help", "xpack.securitySolution.console.commandList.otherCommandsGroup.label": "其他命令", "xpack.securitySolution.console.commandUsage.about": "关于", @@ -26130,6 +27876,7 @@ "xpack.securitySolution.console.unknownCommand.helpMessage.help": "帮助", "xpack.securitySolution.console.unknownCommand.title": "不支持的文本/命令", "xpack.securitySolution.console.unsupportedMessageCallout.title": "不支持", + "xpack.securitySolution.console.validationError.title": "不支持的操作", "xpack.securitySolution.consolePageOverlay.backButtonLabel": "返回", "xpack.securitySolution.consolePageOverlay.doneButtonLabel": "完成", "xpack.securitySolution.containers.anomalies.errorFetchingAnomaliesData": "无法查询异常数据", @@ -26149,12 +27896,30 @@ "xpack.securitySolution.containers.detectionEngine.rulesAndTimelines": "无法提取规则和时间线", "xpack.securitySolution.containers.detectionEngine.tagFetchFailDescription": "无法提取标签", "xpack.securitySolution.contextMenuItemByRouter.viewDetails": "查看详情", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudDropdownOption": "云工作负载(Linux 服务器或 Kubernetes 环境)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudEventFiltersAllEvents": "所有事件", + "xpack.securitySolution.createPackagePolicy.stepConfigure.cloudEventFiltersInteractiveOnly": "仅交互式", + "xpack.securitySolution.createPackagePolicy.stepConfigure.enablePrevention": "选择配置设置", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOption": "传统终端(台式机、笔记本电脑、虚拟机)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDRComplete": "完整 EDR(终端检测和响应)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDREssential": "基本 EDR(终端检测和响应)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionEDRNote": "注意:高级防护需要白金级许可证,且全面的响应功能需要企业许可证。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionNGAV": "Next-Generation Antivirus (NGAV)", + "xpack.securitySolution.createPackagePolicy.stepConfigure.endpointDropdownOptionNGAVNote": "注意:高级防护需要白金级许可证。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.interactiveSessionSuggestionTranslation": "为减少数据采集量,请选择仅交互式", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeAllEventsInfoRecommendation": "建议用于云工作负载防护、审计和取证用例。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointEDRComplete": "基本 EDR 中的所有功能,加上全面遥测", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointEDREssential": "NGAV 中的所有功能,加上文件和网络遥测", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeEndpointNGAV": "Machine Learning 恶意软件、勒索软件、内存威胁、恶意行为和凭据盗窃预防,以及进程遥测", + "xpack.securitySolution.createPackagePolicy.stepConfigure.packagePolicyTypeInteractiveOnlyInfoRecommendation": "建议用于审计和取证用例。", + "xpack.securitySolution.createPackagePolicy.stepConfigure.selectEnvironmentTextTranslation": "选择您要保护的环境类型:", "xpack.securitySolution.customizeEventRenderers.customizeEventRenderersDescription": "事件呈现器自动在事件中传送最相关的详情,以揭示其故事", "xpack.securitySolution.customizeEventRenderers.customizeEventRenderersTitle": "定制事件呈现器", "xpack.securitySolution.customizeEventRenderers.disableAllRenderersButtonLabel": "全部禁用", "xpack.securitySolution.customizeEventRenderers.enableAllRenderersButtonLabel": "全部启用", "xpack.securitySolution.customizeEventRenderers.eventRenderersTitle": "事件呈现器", "xpack.securitySolution.dashboards.description": "描述", + "xpack.securitySolution.dashboards.queryError": "检索安全仪表板时出错", "xpack.securitySolution.dashboards.title": "标题", "xpack.securitySolution.dataProviders.addFieldPopoverButtonLabel": "添加字段", "xpack.securitySolution.dataProviders.addTemplateFieldPopoverButtonLabel": "添加模板字段", @@ -26188,6 +27953,7 @@ "xpack.securitySolution.dataViewSelectorText3": " 作为您规则的数据源以进行搜索。", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertFailedToastMessage": "无法将告警标记为已确认", "xpack.securitySolution.detectionEngine.alerts.acknowledgedAlertsTitle": "已确认", + "xpack.securitySolution.detectionEngine.alerts.actions.addBulkToTimeline": "在时间线中调查", "xpack.securitySolution.detectionEngine.alerts.actions.addEndpointException": "添加终端例外", "xpack.securitySolution.detectionEngine.alerts.actions.addEventFilter": "添加终端事件筛选", "xpack.securitySolution.detectionEngine.alerts.actions.addEventFilter.disabled.tooltip": "可以从主机页面的“事件”部分创建终端事件筛选。", @@ -26197,13 +27963,16 @@ "xpack.securitySolution.detectionEngine.alerts.actions.addToNewCase": "添加到新案例", "xpack.securitySolution.detectionEngine.alerts.actions.investigateInTimelineAriaLabel": "将告警发送到时间线", "xpack.securitySolution.detectionEngine.alerts.actions.investigateInTimelineTitle": "在时间线中调查", + "xpack.securitySolution.detectionEngine.alerts.actions.openAlertDetails": "打开告警详情页面", "xpack.securitySolution.detectionEngine.alerts.closedAlertFailedToastMessage": "无法关闭告警。", "xpack.securitySolution.detectionEngine.alerts.closedAlertsTitle": "已关闭", "xpack.securitySolution.detectionEngine.alerts.count.countTableColumnTitle": "记录计数", "xpack.securitySolution.detectionEngine.alerts.count.countTableTitle": "计数", "xpack.securitySolution.detectionEngine.alerts.createNewTermsTimelineFailureTitle": "无法创建新的字词告警时间线", + "xpack.securitySolution.detectionEngine.alerts.createSuppressedTimelineFailureTitle": "无法创建已阻止的告警时间线", "xpack.securitySolution.detectionEngine.alerts.createThresholdTimelineFailureTitle": "无法创建阈值告警时间线", "xpack.securitySolution.detectionEngine.alerts.documentTypeTitle": "告警", + "xpack.securitySolution.detectionEngine.alerts.fetchExceptionFilterFailure": "提取例外筛选时出错。", "xpack.securitySolution.detectionEngine.alerts.histogram.allOthersGroupingLabel": "所有其他", "xpack.securitySolution.detectionEngine.alerts.histogram.headerTitle": "趋势", "xpack.securitySolution.detectionEngine.alerts.histogram.notAvailableTooltip": "不适用于趋势视图", @@ -26259,6 +28028,7 @@ "xpack.securitySolution.detectionEngine.components.importRuleModal.overwriteExceptionLabel": "覆盖具有冲突“list_id”的现有例外列表", "xpack.securitySolution.detectionEngine.components.importRuleModal.selectRuleDescription": "选择要导入的规则。可以包括关联的规则操作和例外。", "xpack.securitySolution.detectionEngine.createRule.backToRulesButton": "规则", + "xpack.securitySolution.detectionEngine.createRule.cancelButtonLabel": "取消", "xpack.securitySolution.detectionEngine.createRule.editRuleButton": "编辑", "xpack.securitySolution.detectionEngine.createRule.eqlRuleTypeDescription": "事件关联", "xpack.securitySolution.detectionEngine.createRule.filtersLabel": "筛选", @@ -26268,7 +28038,11 @@ "xpack.securitySolution.detectionEngine.createRule.QueryLabel": "定制查询", "xpack.securitySolution.detectionEngine.createRule.queryRuleTypeDescription": "查询", "xpack.securitySolution.detectionEngine.createRule.ruleActionsField.ruleActionsFormErrorsTitle": "请修复下面所列的问题", + "xpack.securitySolution.detectionEngine.createRule.rulePreviewDescription": "规则预览反映了您的规则设置和例外的当前配置,单击刷新图标可查看已更新的预览。", + "xpack.securitySolution.detectionEngine.createRule.rulePreviewTitle": "规则预览", "xpack.securitySolution.detectionEngine.createRule.savedIdLabel": "已保存查询名称", + "xpack.securitySolution.detectionEngine.createRule.savedQueryFiltersLabel": "已保存查询筛选", + "xpack.securitySolution.detectionEngine.createRule.savedQueryLabel": "已保存查询", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.authorFieldEmptyError": "作者不得为空", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.dataViewSelector": "数据视图", "xpack.securitySolution.detectionEngine.createRule.stepAboutRule.descriptionFieldRequiredError": "描述必填。", @@ -26326,6 +28100,7 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.EqlQueryBarLabel": "EQL 查询", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.eqlQueryFieldRequiredError": "EQL 查询必填。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldAnomalyThresholdLabel": "异常分数阈值", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldGroupByFieldHelpText": "选择要用于阻止额外的告警的字段", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldMachineLearningJobIdLabel": "Machine Learning 作业", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldQuerBarLabel": "定制查询", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldRuleTypeLabel": "规则类型", @@ -26336,6 +28111,9 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdCardinalityValueFieldLabel": "唯一值", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdFieldCardinalityFieldHelpText": "选择字段以检查基数", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.fieldThresholdLabel": "阈值", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupBy.licenseWarning": "告警阻止通过白金级或更高级许可证启用", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupBy.placeholderText": "选择字段", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.groupByFieldsLabel": "阻止告警的依据", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.historyWindowSizeLabel": "历史记录窗口大小", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.importTimelineModalTitle": "从已保存时间线导入查询", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.importTimelineQueryButton": "从已保存时间线导入查询", @@ -26344,10 +28122,11 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.mlJobSelectPlaceholderText": "选择作业", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsField.placeholderText": "选择字段", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsLabel": "字段", - "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsMin": "字段数必须为 1。", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.newTermsFieldsMin": "至少需要一个字段。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.outputIndiceNameFieldRequiredError": "至少需要一种索引模式。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.referencesUrlInvalidError": "URL 的格式无效", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.resetDefaultIndicesButton": "重置为默认索引模式", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.rulePreviewTitle": "规则预览", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.eqlTypeDescription": "使用事件查询语言 (EQL) 可匹配事件,生成序列,以及堆叠数据", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.eqlTypeTitle": "事件关联", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.mlTypeDescription": "选择 ML 作业以检测异常活动。", @@ -26360,11 +28139,14 @@ "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.threatMatchTitle": "指标匹配", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.thresholdTypeDescription": "聚合查询结果以检测匹配数目何时超过阈值。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.ruleTypeField.thresholdTypeTitle": "阈值", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.savedQueryFieldRequiredError": "无法加载已保存查询。选择新查询或添加定制查询。", + "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.SavedQueryFormRowLabel": "已保存查询", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.source": "源", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.threatMatchingIcesHelperDescription": "选择威胁索引", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.threatMatchoutputIndiceNameFieldRequiredError": "至少需要一种索引模式。", "xpack.securitySolution.detectionEngine.createRule.stepDefineRule.thresholdField.thresholdFieldPlaceholderText": "所有结果", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleHelpText": "选择在规则评估为 true 时应执行自动操作的时间。", + "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleHelpTextWhenQuery": "选择在规则评估为 true 时应执行自动操作的时间。此频率不适用于响应操作。", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.fieldThrottleLabel": "操作频率", "xpack.securitySolution.detectionEngine.createRule.stepRuleActions.noReadActionsPrivileges": "无法创建规则操作。您对“操作”插件没有“读”权限。", "xpack.securitySolution.detectionEngine.createRule.stepScheduleRule.completeWithEnablingTitle": "创建并启用规则", @@ -27165,6 +28947,7 @@ "xpack.securitySolution.detectionEngine.mlJobUpgradeModal.messageBody.summary": "新 V3 Machine Learning 作业已发布,最新的对应预构建检测规则现在使用这些新 ML 作业。您当前正运行一个或多个 V1/V2 作业,它们仅适用于旧版预构建规则。为确保在使用 V1/V2 作业时获得持续支持,在更新 Elastic 预构建检测规则之前,您可能需要复制或创建新规则。请查阅以下文档,了解有关如何继续使用 V1/V2 作业以及如何开始使用新 V3 作业的说明。", "xpack.securitySolution.detectionEngine.mlJobUpgradeModal.messageTitle": "ML 规则更新可能会覆盖您现有的规则", "xpack.securitySolution.detectionEngine.mlRulesDisabledMessageTitle": "ML 规则需要白金级许可证以及 ML 管理员权限", + "xpack.securitySolution.detectionEngine.mlSelectJob.createCustomJobButtonTitle": "创建定制作业", "xpack.securitySolution.detectionEngine.needAdminForUpdateCallOutBody.messageBody.essenceDescription": "您当前缺少所需的权限,无法自动迁移告警数据。请让您的管理员访问此页面一次,以自动迁移告警数据。", "xpack.securitySolution.detectionEngine.needAdminForUpdateCallOutBody.messageTitle": "需要管理权限,才能进行告警迁移", "xpack.securitySolution.detectionEngine.needsListsIndexesMessage": "您需要具有列表索引的权限。", @@ -27184,7 +28967,7 @@ "xpack.securitySolution.detectionEngine.queryPreview.queryGraphPreviewNoiseWarning": "噪音警告:此规则可能会导致大量噪音。考虑缩小您的查询范围。这基于每小时 1 条告警的线性级数。", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewInvocationCountWarningMessage": "您为预览此规则选择的时间范围和规则时间间隔可能会导致超时或需要很长时间才能完成执行。如果预览超时,请尝试减少时间范围和/或增加时间间隔(这不会影响实际规则运行)。", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewInvocationCountWarningTitle": "规则预览时间范围可能会导致超时", - "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewLabel": "时间范围", + "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewLabel": "选择预览时间范围", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewSeeAllErrors": "查看所有错误", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewSeeAllWarnings": "查看所有警告", "xpack.securitySolution.detectionEngine.queryPreview.queryPreviewTitle": "规则预览", @@ -27196,17 +28979,22 @@ "xpack.securitySolution.detectionEngine.relatedIntegrations.installedTooltip": "已安装集成。配置集成策略,并确保 Elastic 代理已分配此策略以采集兼容的事件。", "xpack.securitySolution.detectionEngine.relatedIntegrations.uninstalledTitle": "未安装", "xpack.securitySolution.detectionEngine.relatedIntegrations.uninstalledTooltip": "未安装集成。访问集成链接以安装和配置集成。", + "xpack.securitySolution.detectionEngine.rule.editRule.actionSectionsTitle": "操作", + "xpack.securitySolution.detectionEngine.ruleDescription.alertSuppressionInsufficientLicense": "已配置告警阻止,但由于许可不足而无法应用", "xpack.securitySolution.detectionEngine.ruleDescription.eqlEventCategoryFieldLabel": "事件类别字段", "xpack.securitySolution.detectionEngine.ruleDescription.eqlTiebreakerFieldLabel": "决胜字段", "xpack.securitySolution.detectionEngine.ruleDescription.eqlTimestampFieldLabel": "时间戳字段", "xpack.securitySolution.detectionEngine.ruleDescription.mlJobStartedDescription": "已启动", "xpack.securitySolution.detectionEngine.ruleDescription.mlJobStoppedDescription": "已停止", + "xpack.securitySolution.detectionEngine.ruleDescription.mlRunJobLabel": "运行作业", "xpack.securitySolution.detectionEngine.ruleDescription.thresholdResultsAggregatedByDescription": "结果聚合依据", "xpack.securitySolution.detectionEngine.ruleDescription.thresholdResultsAllDescription": "所有结果", "xpack.securitySolution.detectionEngine.ruleDetails.backToRulesButton": "规则", "xpack.securitySolution.detectionEngine.ruleDetails.deletedRule": "已删除规则", "xpack.securitySolution.detectionEngine.ruleDetails.enableRuleLabel": "启用", + "xpack.securitySolution.detectionEngine.ruleDetails.endpointExceptionsTab": "终端例外", "xpack.securitySolution.detectionEngine.ruleDetails.pageTitle": "规则详情", + "xpack.securitySolution.detectionEngine.ruleDetails.ruleExceptionsTab": "规则例外", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionEventsTab": "执行事件", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.actionFieldNotFoundErrorDescription": "在告警索引中找不到字段“kibana.alert.rule.execution.uuid”。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.actionFieldNotFoundErrorTitle": "无法筛选告警", @@ -27239,6 +29027,8 @@ "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionLog.timestampColumnTooltip": "已发起日期时间规则执行。", "xpack.securitySolution.detectionEngine.ruleDetails.ruleExecutionResultsTab": "执行结果", "xpack.securitySolution.detectionEngine.ruleDetails.unknownDescription": "未知", + "xpack.securitySolution.detectionEngine.ruleManagementUi.rulesTable.mlJobsWarning.popover.buttonLabel": "访问规则详情页面以进行调查", + "xpack.securitySolution.detectionEngine.ruleManagementUi.rulesTable.mlJobsWarning.popover.description": "以下作业未运行,可能导致规则生成错误的结果:", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeFilter.filterTitle": "事件类型", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeIndicator.executionMetricsText": "指标", "xpack.securitySolution.detectionEngine.ruleMonitoring.eventTypeIndicator.messageText": "消息", @@ -27267,20 +29057,24 @@ "xpack.securitySolution.detectionEngine.rules.all.exceptions.exportSuccess": "例外列表导出成功", "xpack.securitySolution.detectionEngine.rules.all.exceptions.idTitle": "列表 ID", "xpack.securitySolution.detectionEngine.rules.all.exceptions.listName": "名称", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.refresh": "刷新", "xpack.securitySolution.detectionEngine.rules.all.exceptions.rulesAssignedTitle": "分配至以下检测引擎的规则:", + "xpack.securitySolution.detectionEngine.rules.all.exceptions.searchPlaceholder": "按名称或列表 ID 搜索", "xpack.securitySolution.detectionEngine.rules.allExceptionLists.filters.noExceptionsTitle": "未找到例外列表", "xpack.securitySolution.detectionEngine.rules.allExceptionLists.search.placeholder": "搜索例外列表", "xpack.securitySolution.detectionEngine.rules.allExceptions.filters.noListsBody": "我们找不到任何例外列表。", - "xpack.securitySolution.detectionEngine.rules.allExceptions.tableTitle": "例外列表", + "xpack.securitySolution.detectionEngine.rules.allExceptions.tableTitle": "规则例外", "xpack.securitySolution.detectionEngine.rules.allRules.actions.deleteRuleDescription": "删除规则", "xpack.securitySolution.detectionEngine.rules.allRules.actions.duplicateRuleDescription": "复制规则", "xpack.securitySolution.detectionEngine.rules.allRules.actions.editRuleSettingsDescription": "编辑规则设置", - "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaActionsFeaturePrivileges": "您没有 Kibana 操作权限", "xpack.securitySolution.detectionEngine.rules.allRules.actions.exportRuleDescription": "导出规则", + "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaActionsFeaturePrivileges": "您没有 Kibana 操作权限", + "xpack.securitySolution.detectionEngine.rules.allRules.actions.lackOfKibanaSecurityPrivileges": "您没有 Kibana 安全权限", "xpack.securitySolution.detectionEngine.rules.allRules.batchActions.deleteSelectedImmutableTitle": "选择内容包含无法删除的不可变规则", "xpack.securitySolution.detectionEngine.rules.allRules.batchActionsTitle": "批处理操作", - "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.actionRejectionDescription": "无法将此操作应用于以下规则:", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.actionRejectionDescription": "无法将此操作应用于您选择中的以下规则:", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addIndexPatternsTitle": "添加索引模式", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addRuleActionsTitle": "添加规则操作", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.addTagsTitle": "添加标签", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.applyTimelineTemplateTitle": "应用时间线模板", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.bulkEditWarningToastNotifyButtonLabel": "在完成时通知我", @@ -27295,14 +29089,30 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disable.successToastTitle": "规则已禁用", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.disableTitle": "禁用", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.errorToastTitle": "复制规则时出错", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.cancelButton": "取消", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.continueButton": "复制", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.exceptionsConfirmation.tooltip": " 如果您复制例外,则会通过引用复制共享例外列表,然后复制默认规则例外,并将其创建为新例外", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicate.successToastTitle": "规则已复制", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.duplicateTitle": "复制", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.actionFrequencyDetail": "您在下面选择的操作频率将应用于所有选定规则的所有操作(新操作和现有操作)。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.formTitle": "添加规则操作", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.overwriteCheckboxLabel": "覆盖所有选定规则操作", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.ruleVariablesDetail": "基于规则类型,规则变量可能仅影响您选择的某些规则(例如,\\u007b\\u007bcontext.rule.threshold\\u007d\\u007d 将仅显示阈值规则的值)。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.throttleHelpText": "选择在规则评估为 true 时应执行自动操作的时间。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.throttleLabel": "操作频率", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.addRuleActions.warningCalloutMessage.buttonLabel": "保存", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.formTitle": "应用时间线模板", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorDefaultValue": "无", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorHelpText": "选择在调查所生成的告警时要应用于选定规则的时间线。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorLabel": "将时间线模板应用于选定规则", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.applyTimelineTemplate.templateSelectorPlaceholder": "搜索时间线模板", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.errorToastTitle": "更新规则时出错", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.formTitle": "更新规则计划", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.intervalHelpText": "规则定期运行并检测指定时间范围内的告警。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.intervalLabel": "运行间隔", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.lookbackHelpText": "增加回查时段的时间以防止错过告警。", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.setSchedule.lookbackLabel": "更多回查时间", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successIndexEditToastDescription": "如果未选择使用 Kibana 数据视图对规则应用更改,则不会更新那些规则并继续使用数据视图。", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.edit.successToastTitle": "规则已更新", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.errorToastTitle": "启用规则时出错", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.enable.successToastTitle": "规则已启用", @@ -27312,6 +29122,7 @@ "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.export.successToastTitle": "规则已导出", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.exportTitle": "导出", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.indexPatternsTitle": "索引模式", + "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.setScheduleTitle": "更新规则计划", "xpack.securitySolution.detectionEngine.rules.allRules.bulkActions.tagsTitle": "标签", "xpack.securitySolution.detectionEngine.rules.allRules.clearSelectionTitle": "清除所选内容", "xpack.securitySolution.detectionEngine.rules.allRules.columns.enabledTitle": "已启用", @@ -27330,6 +29141,11 @@ "xpack.securitySolution.detectionEngine.rules.allRules.columns.tagsTitle": "标签", "xpack.securitySolution.detectionEngine.rules.allRules.columns.versionTitle": "版本", "xpack.securitySolution.detectionEngine.rules.allRules.exportFilenameTitle": "rules_export", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.nextStepLabel": "前往下一步", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.previousStepLabel": "前往上一步", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.searchCapabilitiesDescription": "现在可以按搜索模式(如“filebeat-*”) 或者 MITRE ATT&CK™ 策略或技术(如“Defense Evasion”或“TA0005”)搜索规则。", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.searchCapabilitiesTitle": "已增强搜索功能", + "xpack.securitySolution.detectionEngine.rules.allRules.featureTour.tourTitle": "最新动态", "xpack.securitySolution.detectionEngine.rules.allRules.filters.customRulesTitle": "定制规则", "xpack.securitySolution.detectionEngine.rules.allRules.filters.elasticRulesTitle": "Elastic 规则", "xpack.securitySolution.detectionEngine.rules.allRules.filters.noRulesBodyTitle": "使用上述筛选,我们无法找到任何规则。", @@ -27347,9 +29163,12 @@ "xpack.securitySolution.detectionEngine.rules.defineRuleTitle": "定义规则", "xpack.securitySolution.detectionEngine.rules.deleteDescription": "删除", "xpack.securitySolution.detectionEngine.rules.editPageTitle": "编辑", - "xpack.securitySolution.detectionEngine.rules.experimentalDescription": "实验性规则表视图处于技术预览状态,并允许使用高级排序功能。如果在处理表时遇到性能问题,您可以关闭此设置。", - "xpack.securitySolution.detectionEngine.rules.experimentalOff": "技术预览:关闭", - "xpack.securitySolution.detectionEngine.rules.experimentalOn": "技术预览:开启", + "xpack.securitySolution.detectionEngine.rules.experimentalDescription": "打开此项可为所有表列启用排序。如果遇到表性能问题,可以将其关闭。", + "xpack.securitySolution.detectionEngine.rules.experimentalOff": "高级排序", + "xpack.securitySolution.detectionEngine.rules.experimentalOn": "高级排序", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.installPrebuiltRules.content": "要开始使用,您需要加载 Elastic 预构建规则。", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.installPrebuiltRules.title": "加载 Elastic 预构建规则", + "xpack.securitySolution.detectionEngine.rules.guidedOnboarding.nextButton": "下一步", "xpack.securitySolution.detectionEngine.rules.importRuleTitle": "导入规则", "xpack.securitySolution.detectionEngine.rules.loadPrePackagedRulesAndTemplatesButton": "加载 Elastic 预构建规则和时间线模板", "xpack.securitySolution.detectionEngine.rules.loadPrePackagedRulesButton": "加载 Elastic 预构建规则", @@ -27378,16 +29197,20 @@ "xpack.securitySolution.detectionEngine.ruleStatus.statusDateDescription": "状态日期", "xpack.securitySolution.detectionEngine.ruleStatus.statusDescription": "上次响应", "xpack.securitySolution.detectionEngine.signalRuleAlert.actionGroups.default": "默认", + "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewIncludesAlertsIndexDescription": "默认的安全数据视图包括告警索引。这可能会导致从现有告警生成冗余告警。", + "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewIncludesAlertsIndexLabel": "默认安全数据视图", "xpack.securitySolution.detectionEngine.stepDefineRule.dataViewNotFoundLabel": "找不到选定数据视图", "xpack.securitySolution.detectionEngine.stepDefineRule.pickDataView": "选择数据视图", "xpack.securitySolution.detectionEngine.userUnauthenticatedMsgBody": "您没有所需的权限,无法查看检测引擎。若需要更多帮助,请联系您的管理员。", "xpack.securitySolution.detectionEngine.userUnauthenticatedTitle": "需要检测引擎权限", - "xpack.securitySolution.detectionEngine.validations.stepDefineRule.newTermsFieldsMax": "字段数必须为 1。", + "xpack.securitySolution.detectionEngine.validations.stepDefineRule.groupByFieldsMax": "分组字段数必须不超过 3 个", + "xpack.securitySolution.detectionEngine.validations.stepDefineRule.newTermsFieldsMax": "字段数目不得超过 3 个。", "xpack.securitySolution.detectionEngine.validations.thresholdCardinalityFieldFieldData.thresholdCardinalityFieldNotSuppliedMessage": "基数字段必填。", "xpack.securitySolution.detectionEngine.validations.thresholdCardinalityValueFieldData.numberGreaterThanOrEqualOneErrorMessage": "值必须大于或等于 1。", "xpack.securitySolution.detectionEngine.validations.thresholdFieldFieldData.arrayLengthGreaterThanMaxErrorMessage": "字段数目不得超过 3 个。", "xpack.securitySolution.detectionEngine.validations.thresholdValueFieldData.numberGreaterThanOrEqualOneErrorMessage": "值必须大于或等于 1。", "xpack.securitySolution.detectionResponse.alerts": "告警", + "xpack.securitySolution.detectionResponse.alertsBySeverity": "告警(按严重性)", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.criticalLabel": "紧急", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.highLabel": "高", "xpack.securitySolution.detectionResponse.alertsByStatus.donut.lowLabel": "低", @@ -27399,23 +29222,32 @@ "xpack.securitySolution.detectionResponse.caseColumnTime": "时间", "xpack.securitySolution.detectionResponse.casesByStatusSectionTitle": "案例", "xpack.securitySolution.detectionResponse.caseSectionTitle": "最近创建的案例", + "xpack.securitySolution.detectionResponse.criticalAlerts": "打开的紧急告警", + "xpack.securitySolution.detectionResponse.criticalAlertsDescription": "当前时间范围内打开的紧急告警的数量", "xpack.securitySolution.detectionResponse.errorMessage": "提取案例数据时出错", "xpack.securitySolution.detectionResponse.goToDocumentationButton": "查看文档", "xpack.securitySolution.detectionResponse.hostAlertsHostName": "主机名", "xpack.securitySolution.detectionResponse.hostAlertsSectionTitle": "主机(按告警严重性排列)", "xpack.securitySolution.detectionResponse.hostSectionTooltip": "最多 100 个主机。请访问“告警”页面获取更多信息。", + "xpack.securitySolution.detectionResponse.investigateInTimeline": "在时间线中调查", + "xpack.securitySolution.detectionResponse.mttr": "平均案例响应时间", + "xpack.securitySolution.detectionResponse.mttrDescription": "当前案例的平均持续时间(从创建到关闭)", "xpack.securitySolution.detectionResponse.noPagePermissionsMessage": "要查看此页面,必须更新权限。有关详细信息,请联系您的 Kibana 管理员。", "xpack.securitySolution.detectionResponse.noPermissionsTitle": "需要权限", "xpack.securitySolution.detectionResponse.noRecentCases": "没有可显示的案例", "xpack.securitySolution.detectionResponse.noRuleAlerts": "没有可显示的告警", "xpack.securitySolution.detectionResponse.openAllAlertsButton": "查看所有打开的告警", + "xpack.securitySolution.detectionResponse.openCaseDetailTooltip": "打开案例详情", + "xpack.securitySolution.detectionResponse.openHostDetailTooltip": "打开主机详情", "xpack.securitySolution.detectionResponse.openRuleDetailTooltip": "打开规则详情", + "xpack.securitySolution.detectionResponse.openUserDetailTooltip": "打开用户详情", "xpack.securitySolution.detectionResponse.pageTitle": "检测和响应", "xpack.securitySolution.detectionResponse.ruleAlertsColumnAlertCount": "告警计数", "xpack.securitySolution.detectionResponse.ruleAlertsColumnLastAlert": "上一告警", "xpack.securitySolution.detectionResponse.ruleAlertsColumnRuleName": "规则名称", "xpack.securitySolution.detectionResponse.ruleAlertsColumnSeverity": "严重性", "xpack.securitySolution.detectionResponse.ruleAlertsSectionTitle": "打开的告警(按规则排列)", + "xpack.securitySolution.detectionResponse.socTrends": "SOC 趋势", "xpack.securitySolution.detectionResponse.status.closed": "已关闭", "xpack.securitySolution.detectionResponse.status.inProgress": "进行中", "xpack.securitySolution.detectionResponse.status.open": "打开", @@ -27428,6 +29260,9 @@ "xpack.securitySolution.detectionResponse.viewRecentCases": "查看最近案例", "xpack.securitySolution.detections.alerts.agentStatus": "代理状态", "xpack.securitySolution.detections.alerts.ruleType": "规则类型", + "xpack.securitySolution.detections.dataSource.popover.content": "规则现在可以查询索引模式或数据视图。", + "xpack.securitySolution.detections.dataSource.popover.subTitle": "数据源", + "xpack.securitySolution.detections.dataSource.popover.title": "选择数据源", "xpack.securitySolution.documentationLinks.ariaLabelEnding": "单击以在新选项卡中打开文档", "xpack.securitySolution.documentationLinks.detectionsRequirements.text": "检测先决条件和要求", "xpack.securitySolution.documentationLinks.mlJobCompatibility.text": "ML 作业兼容性", @@ -27442,8 +29277,11 @@ "xpack.securitySolution.editDataProvider.doesNotExistLabel": "不存在", "xpack.securitySolution.editDataProvider.existsLabel": "存在", "xpack.securitySolution.editDataProvider.fieldLabel": "字段", + "xpack.securitySolution.editDataProvider.includesPlaceholder": "输入一个或多个值", "xpack.securitySolution.editDataProvider.isLabel": "是", "xpack.securitySolution.editDataProvider.isNotLabel": "不是", + "xpack.securitySolution.editDataProvider.isNotOneOfLabel": "不属于", + "xpack.securitySolution.editDataProvider.isOneOfLabel": "属于", "xpack.securitySolution.editDataProvider.operatorLabel": "运算符", "xpack.securitySolution.editDataProvider.placeholder": "选择字段", "xpack.securitySolution.editDataProvider.saveButton": "保存", @@ -27454,13 +29292,16 @@ "xpack.securitySolution.effectedPolicySelect.assignmentSectionTitle": "分配", "xpack.securitySolution.effectedPolicySelect.viewPolicyLinkLabel": "查看策略", "xpack.securitySolution.emptyString.emptyStringDescription": "空字符串", + "xpack.securitySolution.enableRiskScore.enableRiskScorePopoverTitle": "启用模块之前,告警需要处于可用状态", "xpack.securitySolution.endpoint.actions.agentDetails": "查看代理详情", "xpack.securitySolution.endpoint.actions.agentPolicy": "查看代理策略", "xpack.securitySolution.endpoint.actions.agentPolicyReassign": "重新分配代理策略", - "xpack.securitySolution.endpoint.actions.console": "启动响应方", + "xpack.securitySolution.endpoint.actions.console": "响应", "xpack.securitySolution.endpoint.actions.disabledResponder.tooltip": "当前版本的代理不支持此功能。请通过 Fleet 更新代理以使用此功能和新的响应操作,如结束和挂起进程。", "xpack.securitySolution.endpoint.actions.hostDetails": "查看主机详情", + "xpack.securitySolution.endpoint.actions.insufficientPrivileges.error": "您没有足够的权限,无法使用此命令。请联系管理员获取访问权限。", "xpack.securitySolution.endpoint.actions.isolateHost": "隔离主机", + "xpack.securitySolution.endpoint.actions.responseActionsHistory": "查看响应操作历史记录", "xpack.securitySolution.endpoint.actions.unIsolateHost": "释放主机", "xpack.securitySolution.endpoint.blocklist.fleetIntegration.title": "阻止列表", "xpack.securitySolution.endpoint.blocklists.fleetIntegration.title": "阻止列表", @@ -27472,6 +29313,11 @@ "xpack.securitySolution.endpoint.details.lastSeen": "最后看到时间", "xpack.securitySolution.endpoint.details.noPolicyResponse": "没有可用策略响应", "xpack.securitySolution.endpoint.details.os": "OS", + "xpack.securitySolution.endpoint.details.packageActions.es_connection.description": "终端与 Elasticsearch 的连接已中断或配置错误。请确保进行正确配置。", + "xpack.securitySolution.endpoint.details.packageActions.es_connection.title": "Elasticsearch 连接失败", + "xpack.securitySolution.endpoint.details.packageActions.link.text.es_connection": " 阅读更多内容。", + "xpack.securitySolution.endpoint.details.packageActions.policy_failure.description": "终端未正确应用策略。展开上面的策略响应以了解更多详情。", + "xpack.securitySolution.endpoint.details.packageActions.policy_failure.title": "策略响应失败", "xpack.securitySolution.endpoint.details.policy": "策略", "xpack.securitySolution.endpoint.details.policyResponse.behavior_protection": "恶意行为", "xpack.securitySolution.endpoint.details.policyResponse.configure_dns_events": "配置 DNS 事件", @@ -27487,6 +29333,7 @@ "xpack.securitySolution.endpoint.details.policyResponse.configure_security_events": "配置安全事件", "xpack.securitySolution.endpoint.details.policyResponse.connect_kernel": "连接内核", "xpack.securitySolution.endpoint.details.policyResponse.description.full_disk_access": "必须为您计算机上的 Elastic 终端启用完全磁盘访问权限。", + "xpack.securitySolution.endpoint.details.policyResponse.description.linux_deadlock": "为避免潜在的系统死锁,已禁用恶意软件防护。为解决此问题,需要在集成策略高级设置 (linux.advanced.fanotify.ignored_filesystems) 中标识造成该问题的文件系统。在我们的以下内容中了解详情", "xpack.securitySolution.endpoint.details.policyResponse.description.macos_system_ext": "必须为您计算机上的 Elastic 终端启用 Mac 系统扩展。", "xpack.securitySolution.endpoint.details.policyResponse.detect_async_image_load_events": "检测异步映像加载事件", "xpack.securitySolution.endpoint.details.policyResponse.detect_file_open_events": "检测文件打开事件", @@ -27501,7 +29348,7 @@ "xpack.securitySolution.endpoint.details.policyResponse.failed": "失败", "xpack.securitySolution.endpoint.details.policyResponse.full_disk_access": "完全磁盘访问权限", "xpack.securitySolution.endpoint.details.policyResponse.link.text.full_disk_access": " 了解详情。", - "xpack.securitySolution.endpoint.details.policyResponse.link.text.linux_deadlock": " 了解详情。", + "xpack.securitySolution.endpoint.details.policyResponse.link.text.linux_deadlock": " 故障排除文档。", "xpack.securitySolution.endpoint.details.policyResponse.link.text.macos_system_ext": " 了解详情。", "xpack.securitySolution.endpoint.details.policyResponse.linux_deadlock": "已禁用以避免潜在的系统死锁", "xpack.securitySolution.endpoint.details.policyResponse.load_config": "加载配置", @@ -27522,14 +29369,15 @@ "xpack.securitySolution.endpoint.details.policyResponse.workflow": "工作流", "xpack.securitySolution.endpoint.details.policyStatus": "策略状态", "xpack.securitySolution.endpoint.detailsActions.buttonLabel": "采取操作", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.buttonLabel": "启动响应方", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.buttonLabel": "响应", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.generalMetadataErrorTooltip": "无法检索终端元数据", "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.loadingTooltip": "正在加载", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.notSupportedTooltip": "通过 Elastic 代理添加终端和云安全集成以启用此功能", - "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.unenrolledTooltip": "主机不再注册到终端和云安全集成", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.notSupportedTooltip": "通过 Elastic 代理添加 Elastic Defend 集成以启用此功能", + "xpack.securitySolution.endpoint.detections.takeAction.responseActionConsole.unenrolledTooltip": "主机不再注册到 Elastic Defend 集成", "xpack.securitySolution.endpoint.effectedPolicySelect.global": "全局", "xpack.securitySolution.endpoint.effectedPolicySelect.perPolicy": "按策略", "xpack.securitySolution.endpoint.eventFilters.fleetIntegration.title": "事件筛选", - "xpack.securitySolution.endpoint.fleetCustomExtension.backButtonLabel": "返回到 Endpoint Security 集成", + "xpack.securitySolution.endpoint.fleetCustomExtension.backButtonLabel": "返回到 Elastic Defend 集成", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.linux": "Linux", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.macos": "Mac", "xpack.securitySolution.endpoint.fleetCustomExtension.exceptionItemsSummary.total": "合计", @@ -27566,6 +29414,8 @@ "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingRunningProcesses": "进程", "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingSuspendProcess": "挂起进程", "xpack.securitySolution.endpoint.hostIsolationStatus.tooltipPendingUnIsolate": "释放", + "xpack.securitySolution.endpoint.ingestManager.createPackagePolicy.environments": "保护您的传统终端或动态云环境", + "xpack.securitySolution.endpoint.ingestManager.createPackagePolicy.seeDocumentationLink": "文档", "xpack.securitySolution.endpoint.list.actionmenu": "打开", "xpack.securitySolution.endpoint.list.actions": "操作", "xpack.securitySolution.endpoint.list.backToPolicyButton": "返回到策略列表", @@ -27576,18 +29426,18 @@ "xpack.securitySolution.endpoint.list.ip": "IP 地址", "xpack.securitySolution.endpoint.list.lastActive": "上次活动时间", "xpack.securitySolution.endpoint.list.loadingPolicies": "正在加载集成", - "xpack.securitySolution.endpoint.list.noEndpointsInstructions": "您已添加终端和云安全集成。现在,按照以下步骤注册您的代理。", - "xpack.securitySolution.endpoint.list.noEndpointsPrompt": "下一步:将代理注册到终端和云安全", + "xpack.securitySolution.endpoint.list.noEndpointsInstructions": "您已添加 Elastic Defend 集成。现在,按照以下步骤注册您的代理。", + "xpack.securitySolution.endpoint.list.noEndpointsPrompt": "下一步:将代理注册到 Elastic Defend", "xpack.securitySolution.endpoint.list.noPolicies": "没有集成。", "xpack.securitySolution.endpoint.list.os": "OS", - "xpack.securitySolution.endpoint.list.pageSubTitle": "运行 Endpoint Security 的主机", + "xpack.securitySolution.endpoint.list.pageSubTitle": "运行 Elastic Defend 的主机", "xpack.securitySolution.endpoint.list.pageTitle": "终端", "xpack.securitySolution.endpoint.list.policy": "策略", "xpack.securitySolution.endpoint.list.policyStatus": "策略状态", "xpack.securitySolution.endpoint.list.stepOne": "从现有的集成中选择。稍后可以对其进行更改。", "xpack.securitySolution.endpoint.list.stepOneTitle": "选择要使用的集成", "xpack.securitySolution.endpoint.list.stepTwo": "您将会获得开始使用时所需的命令。", - "xpack.securitySolution.endpoint.list.stepTwoTitle": "通过 Fleet 注册启用终端和云安全的代理", + "xpack.securitySolution.endpoint.list.stepTwoTitle": "通过 Fleet 注册启用 Elastic Defend 的代理", "xpack.securitySolution.endpoint.list.transformFailed.dismiss": "关闭", "xpack.securitySolution.endpoint.list.transformFailed.docsLink": "故障排除文档", "xpack.securitySolution.endpoint.list.transformFailed.restartLink": "正在重新启动转换", @@ -27602,6 +29452,7 @@ "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.global.public_key": "用于验证全局构件清单签名的 PEM 编码公钥。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.user.ca_cert": "Fleet 服务器证书颁发机构的 PEM 编码证书。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.artifacts.user.public_key": "用于验证用户构件清单签名的 PEM 编码公钥。", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.capture_env_vars": "要捕获的环境变量(最多五个)列表,用逗号分隔。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.diagnostic.enabled": "“false”值会禁用在终端上运行的诊断功能。默认值:true。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.elasticsearch.delay": "向 Elasticsearch 发送事件的延迟(秒)。默认值:120。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.elasticsearch.tls.ca_cert": "Elasticsearch 证书颁发机构的 PEM 编码证书。", @@ -27611,12 +29462,15 @@ "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.ignore_unknown_filesystems": "fanotify 是否应忽略未知文件系统。如果为 true,默认情况下仅标记经 CI 测试的文件系统;可分别通过“monitored_filesystems”和“ignored_filesystems”添加或移除其他文件系统。如果为 false,则只忽略文件系统的内部策展列表,并标记所有其他文件系统;可以通过“ignored_filesystems”忽略其他文件系统。“ignore_unknown_filesystems”为 false 时,将忽略“monitored_filesystems”。默认值:true", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.ignored_filesystems": "fanotify 要忽略的其他文件系统。格式为在“/proc/filesystems”中显示的文件系统名称的逗号分隔列表,例如,“ext4,tmpfs”。“ignore_unknown_filesystems”为 false 时,此选项的解析条目将在内部补充要忽略的已知错误的文件系统。“ignore_unknown_filesystems”为 true 时,此选项的解析条目将覆盖“monitored_filesystems”中的条目和内部经 CI 测试的文件系统。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.fanotify.monitored_filesystems": "fanotify 要监测的其他文件系统。格式为在“/proc/filesystems”中显示的文件系统名称的逗号分隔列表,例如,“jfs,ufs,ramfs”。建议避免网络支持的文件系统。“ignore_unknown_filesystems”为 false 时,将忽略此选项。“ignore_unknown_filesystems”为 true 时,fanotify 将监测此选项的解析条目,除非其被“ignored_filesystems”中的条目或内部已知错误的文件系统覆盖。", - "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.kernel.capture_mode": "允许用户控制是使用 kprobes 还是 ebpf 来收集数据。可能的选项包括 kprobes、ebpf 或自动。默认值:kprobes", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.kernel.capture_mode": "允许用户控制是使用 kprobes 还是 ebpf 来收集数据。选项包括 kprobe、ebpf 或自动。如果可能,则自动使用 ebpf,否则使用 kprobe。默认值:自动", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.logging.file": "提供的值将覆盖为保存到磁盘上并流式传输到 Elasticsearch 的日志配置的日志级别。大多数情况下,建议使用 Fleet 来更改此日志记录。值包括 error、warning、info、debug 和 trace。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.logging.syslog": "提供的值将配置记录到 syslog。值包括 error、warning、info、debug 和 trace。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.malware.quarantine": "启用恶意软件防护时是否应启用隔离。默认值:true。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.memory_protection.memory_scan": "作为内存防护的一部分为恶意内存区域启用扫描。默认值:true。", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.memory_protection.memory_scan_collect_sample": "收集检测到的恶意内存区域周围的 4MB 内存。默认值:false。启用此值可能会显著增加 Elasticsearch 中存储的数据量。", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_event_interval_seconds": "在单一事件中批量处理终端输出的最大时长(秒)。默认值:30", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_kilobytes_per_event": "在单一事件中要记录的终端输出的最大千字节数。默认值:512", + "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.tty_io.max_kilobytes_per_process": "单一进程要记录的终端输出的最大千字节数。默认值:512", "xpack.securitySolution.endpoint.policy.advanced.linux.advanced.utilization_limits.cpu": "限定终端使用的聚合系统 CPU 百分比。范围为 20-100%。任何小于 20 的值将被忽略并导致策略警告。 默认值:50", "xpack.securitySolution.endpoint.policy.advanced.mac.advanced.agent.connection_delay": "发送首条策略答复之前等待代理连接的时间(秒)。默认值:60。", "xpack.securitySolution.endpoint.policy.advanced.mac.advanced.alerts.cloud_lookup": "值“false”将会禁用 Mac 告警的云查找。默认值:true。", @@ -27648,6 +29502,7 @@ "xpack.securitySolution.endpoint.policy.advanced.warningMessage": "本部分包含支持高级用例的策略值。如未正确配置,\n 这些值会导致不可预测的行为。编辑这些值之前,\n 请仔细查阅文档或联系支持人员。", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.agent.connection_delay": "发送首条策略答复之前等待代理连接的时间(秒)。默认值:60。", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.alerts.cloud_lookup": "值“false”将禁用 Windows 告警的云查找。默认值:true。", + "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.alerts.rollback.self_healing.enabled": "自愈功能会在触发防护告警时擦除攻击项目。警告:可能发生数据丢失。默认值:false", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.base_url": "用于下载全局构件清单的 URL。", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.interval": "全局构件清单下载尝试时间间隔(秒)。默认值:3600。", "xpack.securitySolution.endpoint.policy.advanced.windows.advanced.artifacts.global.manifest_relative_url": "用于下载全局构件清单的相对 URL。默认:/downloads/endpoint/manifest/artifacts-.zip。", @@ -27808,6 +29663,10 @@ "xpack.securitySolution.endpoint.policy.hostIsolationException.list.removeDialog.messageCallout": "此主机隔离例外将仅从该策略中移除,但仍可从项目页面找到并进行管理。", "xpack.securitySolution.endpoint.policy.hostIsolationException.list.removeDialog.title": "从策略中移除主机隔离例外", "xpack.securitySolution.endpoint.policy.hostIsolationException.list.search.placeholder": "搜索下面的字段:name、description、IP", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.details": "您稍后可以在 Elastic Defend 集成策略中编辑这些设置。", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.feature": "Windows、macOS 和 Linux 事件收集", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.learnMore": "了解详情", + "xpack.securitySolution.endpoint.policy.multiStepOnboarding.title": "我们将使用建议的默认值保存您的集成。", "xpack.securitySolution.endpoint.policy.protections.behavior": "恶意行为防护", "xpack.securitySolution.endpoint.policy.protections.blocklist": "阻止列表已启用", "xpack.securitySolution.endpoint.policy.protections.malware": "恶意软件防护", @@ -27851,7 +29710,11 @@ "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.file": "文件", "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.network": "网络", "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.process": "进程", - "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data": "包括会话数据", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data": "收集会话数据", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data.description": "打开此项可捕获会话视图所需的扩展进程数据。会话视图为您提供了会话和进程执行数据的视觉表示形式。会话视图数据将根据 Linux 进程模型进行组织,以帮助您调查 Linux 基础架构上的进程、用户和服务活动。", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.session_data.title": "会话数据", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.tty_io": "捕获终端输出", + "xpack.securitySolution.endpoint.policyDetailsConfig.linux.events.tty_io.tooltip": "打开此项可收集终端 (tty) 输出。终端输出在会话视图中显示,只要终端处于回显模式,您就可以单独查看该输出来了解执行了哪些命令、如何键入这些命令。仅在支持 ebpf 的主机上运行。", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.file": "文件", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.network": "网络", "xpack.securitySolution.endpoint.policyDetailsConfig.mac.events.process": "进程", @@ -27865,14 +29728,15 @@ "xpack.securitySolution.endpoint.policyDetailsConfig.windows.events.registry": "注册表", "xpack.securitySolution.endpoint.policyDetailsConfig.windows.events.security": "安全", "xpack.securitySolution.endpoint.policyDetailType": "类型", - "xpack.securitySolution.endpoint.policyList.actionButtonText": "添加终端和云安全", + "xpack.securitySolution.endpoint.policyList.actionButtonText": "添加 Elastic Defend", "xpack.securitySolution.endpoint.policyList.emptyCreateNewButton": "注册代理", "xpack.securitySolution.endpoint.policyList.onboardingDocsLink": "查看 Elastic Security 文档", "xpack.securitySolution.endpoint.policyList.onboardingSectionOne": "使用威胁防御、检测和深度安全数据可见性功能保护您的主机。", - "xpack.securitySolution.endpoint.policyList.onboardingSectionThree": "首先,将终端和云安全集成添加到您的代理。有关更多信息,", - "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromEndpointPage": "从此页面,您将可以查看和管理环境中运行终端和云安全的主机。", - "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromPolicyPage": "从此页面,您将能够查看和管理运行终端和云安全的环境中的终端和云安全集成策略。", - "xpack.securitySolution.endpoint.policyList.onboardingTitle": "开始使用终端和云安全", + "xpack.securitySolution.endpoint.policyList.onboardingSectionThree": "首先,将 Elastic Defend 集成添加到您的代理。有关更多信息,", + "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromEndpointPage": "从此页面,您将能够查看和管理环境中运行 Elastic Defend 的主机。", + "xpack.securitySolution.endpoint.policyList.onboardingSectionTwo.fromPolicyPage": "从此页面,您将能够查看和管理运行 Elastic Defend 的环境中的 Elastic Defend 集成策略。", + "xpack.securitySolution.endpoint.policyList.onboardingTitle": "开始使用 Elastic Defend", + "xpack.securitySolution.endpoint.policyNotFound": "未找到策略!", "xpack.securitySolution.endpoint.policyResponse.backLinkTitle": "终端详情", "xpack.securitySolution.endpoint.policyResponse.title": "策略响应", "xpack.securitySolution.endpoint.resolver.eitherLineageLimitExceeded": "下面可视化和事件列表中的一些进程事件无法显示,因为已达到数据限制。", @@ -27902,6 +29766,16 @@ "xpack.securitySolution.endpoint.resolver.terminatedTrigger": "已终止触发器", "xpack.securitySolution.endpoint.trustedApps.fleetIntegration.title": "受信任的应用程序", "xpack.securitySolution.endpointActionFailureMessage.unknownFailure": "操作失败", + "xpack.securitySolution.endpointActionResponseCodes.getFile.diskQuota": "尝试检索文件时终端超出了磁盘配额", + "xpack.securitySolution.endpointActionResponseCodes.getFile.errorProcessing": "文件检索已中断", + "xpack.securitySolution.endpointActionResponseCodes.getFile.invalidPath": "定义的路径无效", + "xpack.securitySolution.endpointActionResponseCodes.getFile.isDirectory": "定义的路径不是文件", + "xpack.securitySolution.endpointActionResponseCodes.getFile.notFound": "找不到指定的文件", + "xpack.securitySolution.endpointActionResponseCodes.getFile.notPermitted": "终端无法读取请求的文件(不允许)", + "xpack.securitySolution.endpointActionResponseCodes.getFile.queueTimeout": "尝试连接到上传 API 时终端超时", + "xpack.securitySolution.endpointActionResponseCodes.getFile.tooBig": "请求的文件太大,无法检索", + "xpack.securitySolution.endpointActionResponseCodes.getFile.uploadApiUnreachable": "无法访问文件上传 API(Fleet 服务器)", + "xpack.securitySolution.endpointActionResponseCodes.getFile.uploadTimeout": "文件上传超时", "xpack.securitySolution.endpointActionResponseCodes.killProcess.noActionSuccess": "操作已完成。未找到提供的进程或其已结束", "xpack.securitySolution.endpointActionResponseCodes.killProcess.notFoundError": "未找到提供的进程", "xpack.securitySolution.endpointActionResponseCodes.killProcess.notPermittedSuccess": "无法结束提供的进程", @@ -27909,6 +29783,8 @@ "xpack.securitySolution.endpointActionResponseCodes.suspendProcess.notPermittedSuccess": "无法挂起提供的进程", "xpack.securitySolution.endpointConsoleCommands.emptyArgumentMessage": "参数不能为空", "xpack.securitySolution.endpointConsoleCommands.entityId.arg.comment": "表示要结束的进程的实体 ID", + "xpack.securitySolution.endpointConsoleCommands.getFile.about": "从主机中检索文件", + "xpack.securitySolution.endpointConsoleCommands.getFile.pathArgAbout": "要检索的完整文件路径", "xpack.securitySolution.endpointConsoleCommands.groups.responseActions": "响应操作", "xpack.securitySolution.endpointConsoleCommands.invalidPidMessage": "参数必须为表示进程 PID 的正整数", "xpack.securitySolution.endpointConsoleCommands.isolate.about": "隔离主机", @@ -27921,6 +29797,7 @@ "xpack.securitySolution.endpointConsoleCommands.suspendProcess.commandArgAbout": "此操作将伴随一条注释", "xpack.securitySolution.endpointConsoleCommands.suspendProcess.entityId.arg.comment": "表示要挂起的进程的实体 ID", "xpack.securitySolution.endpointConsoleCommands.suspendProcess.pid.arg.comment": "表示要挂起的进程的 PID", + "xpack.securitySolution.endpointConsoleCommands.suspendProcess.unsupportedCommandInfo": "此版本的终端不支持该命令。在 Fleet 中升级您的代理以使用最新响应操作。", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.endOfLog": "没有更多要显示的内容", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.failedEndpointIsolateAction": "无法提交请求:隔离主机", "xpack.securitySolution.endpointDetails.activityLog.logEntry.action.failedEndpointReleaseAction": "无法提交请求:释放主机", @@ -27938,9 +29815,12 @@ "xpack.securitySolution.endpointDetails.activityLog.logEntry.response.unisolationFailed": "终端收到释放主机请求,但有错误", "xpack.securitySolution.endpointDetails.activityLog.logEntry.response.unisolationSuccessful": "终端收到释放主机请求", "xpack.securitySolution.endpointDetails.overview": "概览", + "xpack.securitySolution.endpointDetails.responseActionsHistory": "响应操作历史记录", "xpack.securitySolution.endpointManagement.noPermissionsSubText": "您必须具有超级用户角色才能使用此功能。如果您不具有超级用户角色,且无权编辑用户角色,请与 Kibana 管理员联系。", "xpack.securitySolution.endpointManagemnet.noPermissionsText": "您没有所需的 Kibana 权限,无法使用 Elastic Security 管理", "xpack.securitySolution.endpointPolicyStatus.tooltipTitleLabel": "已应用策略", + "xpack.securitySolution.endpointResponseActions.actionSubmitter.apiErrorDetails": "遇到以下错误:", + "xpack.securitySolution.endpointResponseActions.getFileAction.successTitle": "已从主机检索文件。", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.command": "命令", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.enityId": "实体 ID", "xpack.securitySolution.endpointResponseActions.getProcesses.table.header.pid": "PID", @@ -27957,7 +29837,31 @@ "xpack.securitySolution.endpointsTab": "终端", "xpack.securitySolution.enpdoint.resolver.panelutils.invaliddate": "日期无效", "xpack.securitySolution.enpdoint.resolver.panelutils.noTimestampRetrieved": "未检索时间戳", + "xpack.securitySolution.entityAnalytics.anomalies.anomaliesTitle": "值得关注的异常", + "xpack.securitySolution.entityAnalytics.anomalies.anomalyCount": "计数", + "xpack.securitySolution.entityAnalytics.anomalies.AnomalyDetectionDocsTitle": "通过 Machine Learning 检测异常", + "xpack.securitySolution.entityAnalytics.anomalies.anomalyName": "异常名称", + "xpack.securitySolution.entityAnalytics.anomalies.enableJob": "运行作业", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusDisabled": "已禁用", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusFailed": "失败", + "xpack.securitySolution.entityAnalytics.anomalies.jobStatusUninstalled": "已卸载", + "xpack.securitySolution.entityAnalytics.anomalies.viewAnomalies": "查看全部", + "xpack.securitySolution.entityAnalytics.anomalies.viewHostsAnomalies": "查看所有主机异常", + "xpack.securitySolution.entityAnalytics.anomalies.viewUsersAnomalies": "查看所有用户异常", + "xpack.securitySolution.entityAnalytics.header.anomalies": "异常", + "xpack.securitySolution.entityAnalytics.header.criticalHosts": "关键主机", + "xpack.securitySolution.entityAnalytics.header.criticalUsers": "关键用户", + "xpack.securitySolution.entityAnalytics.hostsRiskDashboard.hostsTableTooltip": "主机风险表不受时间范围影响。本表显示每台主机最新记录的风险分数。", + "xpack.securitySolution.entityAnalytics.hostsRiskDashboard.title": "主机风险分数", + "xpack.securitySolution.entityAnalytics.pageDesc": "通过实体分析检测来自您网络中用户和设备的威胁", + "xpack.securitySolution.entityAnalytics.riskDashboard.learnMore": "了解详情", + "xpack.securitySolution.entityAnalytics.riskDashboard.viewAllLabel": "查看全部", + "xpack.securitySolution.entityAnalytics.technicalPreviewLabel": "技术预览", + "xpack.securitySolution.entityAnalytics.totalLabel": "合计", + "xpack.securitySolution.entityAnalytics.usersRiskDashboard.title": "用户风险分数", + "xpack.securitySolution.entityAnalytics.usersRiskDashboard.usersTableTooltip": "用户风险表不受时间范围影响。本表显示每个用户最新记录的风险分数。", "xpack.securitySolution.event.module.linkToElasticEndpointSecurityDescription": "在 Endpoint Security 中打开", + "xpack.securitySolution.eventDetails.alertReason": "告警原因", "xpack.securitySolution.eventDetails.ctiSummary.feedNamePreposition": "来自", "xpack.securitySolution.eventDetails.ctiSummary.indicatorEnrichmentTitle": "检测到威胁匹配", "xpack.securitySolution.eventDetails.ctiSummary.indicatorEnrichmentTooltipContent": "此字段值使用您创建的规则匹配威胁情报指标。", @@ -27970,6 +29874,7 @@ "xpack.securitySolution.eventDetails.jsonView": "JSON", "xpack.securitySolution.eventDetails.multiFieldBadge": "多字段", "xpack.securitySolution.eventDetails.multiFieldTooltipContent": "多字段的每个字段可以有多个值", + "xpack.securitySolution.eventDetails.osqueryView": "Osquery 结果", "xpack.securitySolution.eventDetails.table": "表", "xpack.securitySolution.eventDetails.table.actions": "操作", "xpack.securitySolution.eventDetails.value": "值", @@ -28008,6 +29913,7 @@ "xpack.securitySolution.eventFilters.searchPlaceholderInfo": "搜索下面的字段:name、description、comments、value", "xpack.securitySolution.eventFilters.warningMessage.duplicateFields": "使用相同提交值的倍数可能会降低终端性能和/或创建低效规则", "xpack.securitySolution.eventFiltersTab": "事件筛选", + "xpack.securitySolution.eventRenderers.alertName": "告警", "xpack.securitySolution.eventRenderers.alertsDescription": "阻止或检测到恶意软件或勒索软件时,显示告警", "xpack.securitySolution.eventRenderers.alertsName": "告警", "xpack.securitySolution.eventRenderers.auditdDescriptionPart1": "审计事件传送 Linux 审计框架的安全相关日志。", @@ -28057,6 +29963,7 @@ "xpack.securitySolution.eventsViewer.actionsColumnLabel": "操作", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.alertDurationTitle": "告警持续时间", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.newTerms": "新字词", + "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.newTermsFields": "新字词字段", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.reasonTitle": "原因", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.riskScoreTitle": "风险分数", "xpack.securitySolution.eventsViewer.alerts.defaultHeaders.ruleDescriptionTitle": "规则描述", @@ -28073,13 +29980,44 @@ "xpack.securitySolution.eventsViewer.alerts.overviewTable.signalStatusTitle": "状态", "xpack.securitySolution.eventsViewer.eventsLabel": "事件", "xpack.securitySolution.eventsViewer.showingLabel": "正在显示", + "xpack.securitySolution.exception.list.empty.viewer_button": "创建规则例外", + "xpack.securitySolution.exception.list.empty.viewer_title": "创建例外到此列表", + "xpack.securitySolution.exception.list.search_bar_button": "将规则例外添加到列表", + "xpack.securitySolution.exceptions.addToRulesTable.tagsFilterLabel": "标签", "xpack.securitySolution.exceptions.badge.readOnly.tooltip": "无法创建、编辑或删除例外", "xpack.securitySolution.exceptions.cancelLabel": "取消", "xpack.securitySolution.exceptions.clearExceptionsLabel": "移除例外列表", "xpack.securitySolution.exceptions.commentEventLabel": "已添加注释", + "xpack.securitySolution.exceptions.common.selectRulesOptionLabel": "添加到规则", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutCreateButton": "创建共享例外列表", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutDescription": "描述(可选)", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutDescriptionPlaceholder": "新例外列表", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutNameField": "共享例外列表名称", + "xpack.securitySolution.exceptions.createSharedExceptionListFlyoutNameFieldPlaceholder": "新例外列表", + "xpack.securitySolution.exceptions.createSharedExceptionListSuccessTitle": "已创建列表", + "xpack.securitySolution.exceptions.createSharedExceptionListTitle": "创建共享例外列表", "xpack.securitySolution.exceptions.disassociateExceptionListError": "无法移除例外列表", "xpack.securitySolution.exceptions.errorLabel": "错误", + "xpack.securitySolution.exceptions.exceptionListsCloseImportFlyout": "关闭", + "xpack.securitySolution.exceptions.exceptionListsFilePickerPrompt": "选择或拖放多个文件", + "xpack.securitySolution.exceptions.exceptionListsImportButton": "导入列表", "xpack.securitySolution.exceptions.fetchError": "提取例外列表时出错", + "xpack.securitySolution.exceptions.fetchingReferencesErrorToastTitle": "提取例外引用时出错", + "xpack.securitySolution.exceptions.list.exception.item.card.delete.label": "删除规则例外", + "xpack.securitySolution.exceptions.list.exception.item.card.edit.label": "编辑规则例外", + "xpack.securitySolution.exceptions.list.exception.item.card.exceptionItemDeleteSuccessTitle": "例外已删除", + "xpack.securitySolution.exceptions.list.exceptionItemSearchErrorBody": "搜索例外项时出错。请重试。", + "xpack.securitySolution.exceptions.list.exceptionItemSearchErrorTitle": "搜索时出错", + "xpack.securitySolution.exceptions.list.exceptionItemsFetchError": "无法加载例外项", + "xpack.securitySolution.exceptions.list.exceptionItemsFetchErrorDescription": "加载例外项时出现错误。请联系您的管理员寻求帮助。", + "xpack.securitySolution.exceptions.list.manage_rules_cancel": "取消", + "xpack.securitySolution.exceptions.list.manage_rules_description": "将规则链接到此例外列表或取消链接。", + "xpack.securitySolution.exceptions.list.manage_rules_header": "管理规则", + "xpack.securitySolution.exceptions.list.manage_rules_save": "保存", + "xpack.securitySolution.exceptions.list.utility.title": "规则例外", + "xpack.securitySolution.exceptions.manageExceptions.createItemButton": "创建例外项", + "xpack.securitySolution.exceptions.manageExceptions.createSharedListButton": "创建共享列表", + "xpack.securitySolution.exceptions.manageExceptions.importExceptionList": "导入例外列表", "xpack.securitySolution.exceptions.modalErrorAccordionText": "显示规则引用信息:", "xpack.securitySolution.exceptions.operatingSystemFullLabel": "操作系统", "xpack.securitySolution.exceptions.operatingSystemLinux": "Linux", @@ -28089,10 +30027,23 @@ "xpack.securitySolution.exceptions.referenceModalCancelButton": "取消", "xpack.securitySolution.exceptions.referenceModalDeleteButton": "移除例外列表", "xpack.securitySolution.exceptions.referenceModalTitle": "移除例外列表", + "xpack.securitySolution.exceptions.sortBy": "排序依据:", + "xpack.securitySolution.exceptions.sortByCreateAt": "创建于", "xpack.securitySolution.exceptions.viewer.addCommentPlaceholder": "添加新注释......", "xpack.securitySolution.exceptions.viewer.addToClipboard": "注释", "xpack.securitySolution.exceptions.viewer.addToDetectionsListLabel": "添加规则例外", "xpack.securitySolution.exceptions.viewer.addToEndpointListLabel": "添加终端例外", + "xpack.securitySolution.exceptionsTable.createdAt": "创建日期", + "xpack.securitySolution.exceptionsTable.createdBy": "创建者", + "xpack.securitySolution.exceptionsTable.deleteExceptionList": "删除例外列表", + "xpack.securitySolution.exceptionsTable.exceptionsCountLabel": "例外", + "xpack.securitySolution.exceptionsTable.exportExceptionList": "导出例外列表", + "xpack.securitySolution.exceptionsTable.importExceptionListAsNewList": "创建新列表", + "xpack.securitySolution.exceptionsTable.importExceptionListFlyoutBody": "选择要导入的共享例外列表", + "xpack.securitySolution.exceptionsTable.importExceptionListFlyoutHeader": "导入共享例外列表", + "xpack.securitySolution.exceptionsTable.importExceptionListOverwrite": "覆盖现有列表", + "xpack.securitySolution.exceptionsTable.importExceptionListWarning": "我们找到使用该 ID 的预先存在的列表", + "xpack.securitySolution.exceptionsTable.rulesCountLabel": "规则", "xpack.securitySolution.exitFullScreenButton": "退出全屏", "xpack.securitySolution.expandedValue.hideTopValues.HideTopValues": "隐藏排名最前值", "xpack.securitySolution.expandedValue.links.expandIpDetails": "展开 IP 详情", @@ -28105,10 +30056,28 @@ "xpack.securitySolution.expandedValue.links.viewUserSummary": "查看用户摘要", "xpack.securitySolution.expandedValue.showTopN.showTopValues": "显示排名最前值", "xpack.securitySolution.featureCatalogueDescription": "预防、收集、检测和响应威胁,以对整个基础架构提供统一的保护。", + "xpack.securitySolution.featureRegistr.subFeatures.fileOperations": "文件操作", "xpack.securitySolution.featureRegistry.deleteSubFeatureDetails": "删除案例和注释", "xpack.securitySolution.featureRegistry.deleteSubFeatureName": "删除", "xpack.securitySolution.featureRegistry.linkSecuritySolutionCaseTitle": "案例", "xpack.securitySolution.featureRegistry.linkSecuritySolutionTitle": "安全", + "xpack.securitySolution.featureRegistry.subFeatures.blockList": "阻止列表", + "xpack.securitySolution.featureRegistry.subFeatures.blockList.privilegesTooltip": "访问阻止列表需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.endpointList": "终端列表", + "xpack.securitySolution.featureRegistry.subFeatures.endpointList.privilegesTooltip": "访问终端列表需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.eventFilters": "事件筛选", + "xpack.securitySolution.featureRegistry.subFeatures.eventFilters.privilegesTooltip": "访问事件筛选需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.fileOperations.privilegesTooltip": "访问文件操作需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolation": "主机隔离", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolation.privilegesTooltip": "访问主机隔离需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolationExceptions": "主机隔离例外", + "xpack.securitySolution.featureRegistry.subFeatures.hostIsolationExceptions.privilegesTooltip": "访问主机隔离例外需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.policyManagement": "策略管理", + "xpack.securitySolution.featureRegistry.subFeatures.policyManagement.privilegesTooltip": "访问策略管理需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.processOperations": "进程操作", + "xpack.securitySolution.featureRegistry.subFeatures.processOperations.privilegesTooltip": "访问进程操作需要所有工作区。", + "xpack.securitySolution.featureRegistry.subFeatures.trustedApplications": "受信任的应用程序", + "xpack.securitySolution.featureRegistry.subFeatures.trustedApplications.privilegesTooltip": "访问受信任的应用程序需要所有工作区。", "xpack.securitySolution.fieldBrowser.actionsLabel": "操作", "xpack.securitySolution.fieldBrowser.categoryLabel": "类别", "xpack.securitySolution.fieldBrowser.createFieldButton": "创建字段", @@ -28137,6 +30106,8 @@ "xpack.securitySolution.firstLastSeenHost.failSearchDescription": "无法对上次看到的首个主机执行搜索", "xpack.securitySolution.fleetIntegration.assets.description": "在 Security 应用中查看终端", "xpack.securitySolution.fleetIntegration.assets.name": "主机", + "xpack.securitySolution.fleetIntegration.elasticDefend.eventFilter.nonInteractiveSessions.description": "云安全事件筛选。已由 Elastic Defend 集成创建。", + "xpack.securitySolution.fleetIntegration.elasticDefend.eventFilter.nonInteractiveSessions.name": "非交互式会话", "xpack.securitySolution.flyout.button.timeline": "时间线", "xpack.securitySolution.footer.autoRefreshActiveDescription": "自动刷新已启用", "xpack.securitySolution.footer.cancel": "取消", @@ -28163,12 +30134,30 @@ "xpack.securitySolution.formattedNumber.compactTrillions": "T", "xpack.securitySolution.getCurrentUser.Error": "获取用户时出错", "xpack.securitySolution.getCurrentUser.unknownUser": "未知", + "xpack.securitySolution.getFileAction.pendingMessage": "正在从主机检索文件。", "xpack.securitySolution.globalHeader.buttonAddData": "添加集成", "xpack.securitySolution.goToDocumentationButton": "查看文档", "xpack.securitySolution.guided_onboarding.nextStep.buttonLabel": "下一步", + "xpack.securitySolution.guided_onboarding.tour.addToCase.tourContent": "从“采取操作”菜单将告警添加到新案例。", + "xpack.securitySolution.guided_onboarding.tour.addToCase.tourTitle": "创建案例", + "xpack.securitySolution.guided_onboarding.tour.createCase.description": "这是您记录恶意信号的位置。您可以包括任何与此案例相关并且对任何需要详细阅读的其他人员有帮助的信息。`Markdown` **formatting** _is_ [supported](https://www.markdownguide.org/cheat-sheet/)。", + "xpack.securitySolution.guided_onboarding.tour.createCase.title": "检测到演示信号", + "xpack.securitySolution.guided_onboarding.tour.createCase.tourContent": "除了告警以外,您还可以将任何所需的相关信息添加到案例中。", + "xpack.securitySolution.guided_onboarding.tour.createCase.tourTitle": "添加详情", + "xpack.securitySolution.guided_onboarding.tour.flyoutOverview.tourContent": "通过在每个选项卡上查阅所有可用信息来详细了解告警。", + "xpack.securitySolution.guided_onboarding.tour.flyoutOverview.tourTitle": "浏览告警详情", + "xpack.securitySolution.guided_onboarding.tour.openFlyout.tourContent": "表中以概览形式提供了某些信息,但要获取全部详情,您需要打开告警。", + "xpack.securitySolution.guided_onboarding.tour.openFlyout.tourTitle": "查看告警详情", + "xpack.securitySolution.guided_onboarding.tour.ruleNameStep.tourContent": "为帮助您练习对告警进行分类,我们启用了一个规则来创建您的首个告警。", + "xpack.securitySolution.guided_onboarding.tour.ruleNameStep.tourTitle": "测试用于练习的告警", + "xpack.securitySolution.guided_onboarding.tour.submitCase.tourContent": "按“创建案例”继续完成教程。", + "xpack.securitySolution.guided_onboarding.tour.submitCase.tourTitle": "提交案例", + "xpack.securitySolution.guided_onboarding.tour.viewCase.tourContent": "从洞见部分单击进入以查看新案例", + "xpack.securitySolution.guided_onboarding.tour.viewCase.tourTitle": "查看案例", "xpack.securitySolution.handleInputAreaState.inputPlaceholderText": "提交响应操作", "xpack.securitySolution.header.editableTitle.cancel": "取消", "xpack.securitySolution.header.editableTitle.save": "保存", + "xpack.securitySolution.hooks.useGetSavedQuery.errorToastMessage": "无法加载已保存查询", "xpack.securitySolution.host.details.architectureLabel": "架构", "xpack.securitySolution.host.details.endpoint.endpointPolicy": "终端集成策略", "xpack.securitySolution.host.details.endpoint.fleetAgentStatus": "代理状态", @@ -28244,8 +30233,10 @@ "xpack.securitySolution.hostsRiskTable.hostRiskScoreTitle": "主机风险分数", "xpack.securitySolution.hostsRiskTable.hostRiskTitle": "主机风险", "xpack.securitySolution.hostsRiskTable.hostRiskToolTip": "主机风险分类由主机风险分数决定。分类为紧急或高的主机即表示存在风险。", + "xpack.securitySolution.hostsRiskTable.hostsTableTooltip": "主机风险表不受 KQL 时间范围影响。本表显示每台主机最新记录的风险分数。", "xpack.securitySolution.hostsRiskTable.riskTitle": "主机风险分类", "xpack.securitySolution.hostsRiskTable.tableTitle": "主机风险", + "xpack.securitySolution.hostsRiskTable.usersTableTooltip": "用户风险表不受 KQL 时间范围影响。本表显示每个用户最新记录的风险分数。", "xpack.securitySolution.hostsTable.firstLastSeenToolTip": "相对于选定日期范围", "xpack.securitySolution.hostsTable.hostRiskTitle": "主机风险分类", "xpack.securitySolution.hostsTable.hostRiskToolTip": "主机风险分类由主机风险分数决定。分类为紧急或高的主机即表示存在风险。", @@ -28288,6 +30279,7 @@ "xpack.securitySolution.indexPatterns.updateAvailableBadgeTitle": "有可用更新", "xpack.securitySolution.indexPatterns.updateDataView": "是否要将此索引模式添加到安全数据视图?否则,我们可以不使用缺失的索引模式来重新创建数据视图。", "xpack.securitySolution.indexPatterns.updateSecurityDataView": "更新安全数据视图", + "xpack.securitySolution.inputCapture.ariaPlaceHolder": "输入命令", "xpack.securitySolution.inspect.modal.closeTitle": "关闭", "xpack.securitySolution.inspect.modal.indexPatternDescription": "连接到 Elasticsearch 索引的索引模式。可以在“Kibana”>“高级设置”中配置这些索引。", "xpack.securitySolution.inspect.modal.indexPatternLabel": "索引模式", @@ -28349,6 +30341,9 @@ "xpack.securitySolution.lists.closeValueListsModalTitle": "关闭", "xpack.securitySolution.lists.detectionEngine.rules.importValueListsButton": "导入值列表", "xpack.securitySolution.lists.detectionEngine.rules.uploadValueListsButtonTooltip": "在字段值与列表中找到的值匹配时,使用值列表创建例外", + "xpack.securitySolution.lists.exceptionListImportSuccess": "例外列表“{fileName}”已导入", + "xpack.securitySolution.lists.exceptionListImportSuccessTitle": "已导入例外列表", + "xpack.securitySolution.lists.exceptionListUploadError": "加载例外列表时出现错误。", "xpack.securitySolution.lists.importValueListDescription": "导入编写规则例外时要使用的单值列表。", "xpack.securitySolution.lists.importValueListTitle": "导入值列表", "xpack.securitySolution.lists.referenceModalCancelButton": "取消", @@ -28377,6 +30372,15 @@ "xpack.securitySolution.management.policiesSelector.label": "策略", "xpack.securitySolution.management.policiesSelector.unassignedEntries": "未分配的条目", "xpack.securitySolution.management.search.button": "刷新", + "xpack.securitySolution.markdown.osquery.addModalConfirmButtonLabel": "添加查询", + "xpack.securitySolution.markdown.osquery.addModalTitle": "添加查询", + "xpack.securitySolution.markdown.osquery.editModalConfirmButtonLabel": "保存更改", + "xpack.securitySolution.markdown.osquery.editModalTitle": "编辑查询", + "xpack.securitySolution.markdown.osquery.labelFieldText": "标签", + "xpack.securitySolution.markdown.osquery.modalCancelButtonLabel": "取消", + "xpack.securitySolution.markdown.osquery.permissionDenied": "权限被拒绝", + "xpack.securitySolution.markdown.osquery.runOsqueryButtonLabel": "运行 Osquery", + "xpack.securitySolution.markdownEditor.plugins.insightProviderError": "无法解析洞见提供程序配置", "xpack.securitySolution.markdownEditor.plugins.timeline.insertTimelineButtonLabel": "插入时间线链接", "xpack.securitySolution.markdownEditor.plugins.timeline.noParenthesesErrorMsg": "应为左括号", "xpack.securitySolution.markdownEditor.plugins.timeline.noTimelineIdFoundErrorMsg": "找不到时间线 ID", @@ -28395,6 +30399,13 @@ "xpack.securitySolution.ml.table.entityTitle": "实体", "xpack.securitySolution.ml.table.hostNameTitle": "主机名", "xpack.securitySolution.ml.table.influencedByTitle": "影响因素", + "xpack.securitySolution.ml.table.intervalAutoOption": "自动", + "xpack.securitySolution.ml.table.intervalDayOption": "1 天", + "xpack.securitySolution.ml.table.intervalHourOption": "1 小时", + "xpack.securitySolution.ml.table.intervalLabel": "时间间隔", + "xpack.securitySolution.ml.table.intervalshowAllOption": "全部显示", + "xpack.securitySolution.ml.table.intervalTooltip": "仅显示每个时间间隔(如小时或天)严重性最高的异常或显示选定时间段中的所有异常。", + "xpack.securitySolution.ml.table.jobIdFilter": "作业", "xpack.securitySolution.ml.table.networkNameTitle": "网络 IP", "xpack.securitySolution.ml.table.scoreTitle": "异常分数", "xpack.securitySolution.ml.table.timestampTitle": "时间戳", @@ -28410,7 +30421,8 @@ "xpack.securitySolution.navigation.dashboards": "仪表板", "xpack.securitySolution.navigation.detect": "检测", "xpack.securitySolution.navigation.detectionResponse": "检测和响应", - "xpack.securitySolution.navigation.exceptions": "例外列表", + "xpack.securitySolution.navigation.entityAnalytics": "实体分析", + "xpack.securitySolution.navigation.exceptions": "规则例外", "xpack.securitySolution.navigation.explore": "浏览", "xpack.securitySolution.navigation.findings": "结果", "xpack.securitySolution.navigation.gettingStarted": "开始使用", @@ -28422,8 +30434,9 @@ "xpack.securitySolution.navigation.network": "网络", "xpack.securitySolution.navigation.newRuleTitle": "创建新规则", "xpack.securitySolution.navigation.overview": "概览", + "xpack.securitySolution.navigation.responseActionsHistory": "响应操作历史记录", "xpack.securitySolution.navigation.rules": "规则", - "xpack.securitySolution.navigation.threatIntelligence": "威胁情报", + "xpack.securitySolution.navigation.threatIntelligence": "情报", "xpack.securitySolution.navigation.timelines": "时间线", "xpack.securitySolution.navigation.users": "用户", "xpack.securitySolution.network.ipDetails.ipOverview.asDestinationDropDownOptionLabel": "作为目标", @@ -28459,6 +30472,7 @@ "xpack.securitySolution.network.navigation.flowsTitle": "流", "xpack.securitySolution.network.navigation.httpTitle": "HTTP", "xpack.securitySolution.network.navigation.tlsTitle": "TLS", + "xpack.securitySolution.network.navigation.usersTitle": "用户", "xpack.securitySolution.network.pageTitle": "网络", "xpack.securitySolution.networkDetails.errorSearchDescription": "搜索网络详情时发生错误", "xpack.securitySolution.networkDetails.failSearchDescription": "无法对网络详情执行搜索", @@ -28518,6 +30532,7 @@ "xpack.securitySolution.newsFeed.noNewsMessage": "您当前的新闻源 URL 未返回最近的新闻。", "xpack.securitySolution.newsFeed.noNewsMessageForAdmin": "您当前的新闻源 URL 未返回最近的新闻。要更新 URL 或禁用安全新闻,您可以通过", "xpack.securitySolution.noPermissionsTitle": "需要权限", + "xpack.securitySolution.noPrivilegesDefaultMessage": "要查看此页面,必须更新权限。有关详细信息,请联系您的 Kibana 管理员。", "xpack.securitySolution.notes.addNoteButtonLabel": "添加备注", "xpack.securitySolution.notes.cancelButtonLabel": "取消", "xpack.securitySolution.notes.createdByLabel": "创建者", @@ -28561,6 +30576,9 @@ "xpack.securitySolution.open.timeline.withLabel": "具有", "xpack.securitySolution.open.timeline.zeroTimelinesMatchLabel": "0 条时间线匹配搜索条件", "xpack.securitySolution.open.timeline.zeroTimelineTemplatesMatchLabel": "0 个时间线模板匹配搜索条件", + "xpack.securitySolution.osquery.action.permissionDenied": "权限被拒绝", + "xpack.securitySolution.osquery.action.shortEmptyTitle": "Osquery 不可用", + "xpack.securitySolution.osquery.action.unavailable": "Osquery 管理器集成未添加到代理策略。要在此主机上运行查询,请在 Fleet 中将 Osquery 管理器集成添加到代理策略。", "xpack.securitySolution.outOfDateLabel": "过时", "xpack.securitySolution.overview.auditBeatAuditTitle": "审计", "xpack.securitySolution.overview.auditBeatFimTitle": "文件完整性模块", @@ -28574,6 +30592,7 @@ "xpack.securitySolution.overview.ctiDashboardEnableThreatIntel": "您需要启用威胁情报源才能查看数据。", "xpack.securitySolution.overview.ctiDashboardOtherDatasourceTitle": "其他", "xpack.securitySolution.overview.ctiDashboardTitle": "威胁情报", + "xpack.securitySolution.overview.ctiLinkSource": "源", "xpack.securitySolution.overview.ctiViewDasboard": "查看仪表板", "xpack.securitySolution.overview.endgameDnsTitle": "DNS", "xpack.securitySolution.overview.endgameFileTitle": "文件", @@ -28612,6 +30631,7 @@ "xpack.securitySolution.overview.landingCards.box.siemCard.title": "适用于现代 SOC 的 SIEM", "xpack.securitySolution.overview.landingCards.box.unify.desc": "Elastic Security 实现了安全运营现代化,能够对多年的数据进行分析,自动执行关键流程,并保护每台主机。", "xpack.securitySolution.overview.landingCards.box.unify.title": "集 SIEM、Endpoint Security 和云安全于一体", + "xpack.securitySolution.overview.linkPanelLearnMoreButton": "了解详情", "xpack.securitySolution.overview.networkAction": "查看网络", "xpack.securitySolution.overview.networkStatGroupAuditbeat": "Auditbeat", "xpack.securitySolution.overview.networkStatGroupFilebeat": "Filebeat", @@ -28623,6 +30643,7 @@ "xpack.securitySolution.overview.packetbeatTLSTitle": "TLS", "xpack.securitySolution.overview.recentTimelinesSidebarTitle": "最近的时间线", "xpack.securitySolution.overview.signalCountTitle": "告警趋势", + "xpack.securitySolution.overview.threatIndicatorsAction": "查看指标", "xpack.securitySolution.overview.viewAlertsButtonLabel": "查看告警", "xpack.securitySolution.overview.viewEventsButtonLabel": "查看事件", "xpack.securitySolution.overview.winlogbeatMWSysmonOperational": "Microsoft-Windows-Sysmon/Operational", @@ -28636,6 +30657,9 @@ "xpack.securitySolution.paginatedTable.showingSubtitle": "正在显示", "xpack.securitySolution.paginatedTable.tooManyResultsToastText": "缩减您的查询范围,以更好地筛选结果", "xpack.securitySolution.paginatedTable.tooManyResultsToastTitle": " - 结果过多", + "xpack.securitySolution.paywall.platinum": "白金级", + "xpack.securitySolution.paywall.upgradeButton": "升级到白金级", + "xpack.securitySolution.paywall.upgradeMessage": "白金级或更高级订阅可以使用此功能", "xpack.securitySolution.policiesTab": "策略", "xpack.securitySolution.policy.backToPolicyList": "返回到策略列表", "xpack.securitySolution.policy.list.createdAt": "创建日期", @@ -28666,6 +30690,17 @@ "xpack.securitySolution.recentTimelines.pinnedEventsTooltip": "置顶事件", "xpack.securitySolution.recentTimelines.untitledTimelineLabel": "未命名时间线", "xpack.securitySolution.recentTimelines.viewAllTimelinesLink": "查看所有时间线", + "xpack.securitySolution.renderers.alertRenderer.alertLabel": "告警", + "xpack.securitySolution.renderers.alertRenderer.byLabel": "依据", + "xpack.securitySolution.renderers.alertRenderer.createdLabel": "已创建", + "xpack.securitySolution.renderers.alertRenderer.destinationLabel": "目标", + "xpack.securitySolution.renderers.alertRenderer.eventLabel": "事件", + "xpack.securitySolution.renderers.alertRenderer.fileLabel": "文件", + "xpack.securitySolution.renderers.alertRenderer.onLabel": "在", + "xpack.securitySolution.renderers.alertRenderer.parentProcessLabel": "父进程", + "xpack.securitySolution.renderers.alertRenderer.processLabel": "进程", + "xpack.securitySolution.renderers.alertRenderer.sourceLabel": "源", + "xpack.securitySolution.renderers.alertRenderer.withLabel": "具有", "xpack.securitySolution.reputationLinks.moreLabel": "更多", "xpack.securitySolution.resolver.graphControls.center": "居中", "xpack.securitySolution.resolver.graphControls.currentlyLoadingCube": "正在加载进程", @@ -28704,27 +30739,84 @@ "xpack.securitySolution.resolver.symbolDefinitions.terminatedProcess": "已终止进程", "xpack.securitySolution.resolver.symbolDefinitions.terminatedTriggerProcess": "终止的触发过程", "xpack.securitySolution.resolver.symbolDefinitions.triggerProcess": "触发过程", - "xpack.securitySolution.responder_overlay.pageTitle": "响应方", + "xpack.securitySolution.responder_overlay.pageTitle": "响应控制台", "xpack.securitySolution.responder.hostOffline.callout.title": "主机脱机", - "xpack.securitySolution.responseActionsList.empty.body": "尝试不同的一组筛选", - "xpack.securitySolution.responseActionsList.empty.title": "无响应操作日志", + "xpack.securitySolution.responseActionFileDownloadLink.deleteNotice": "会定期删除文件以清空存储空间。在本地下载并保存文件(如有必要)。", + "xpack.securitySolution.responseActionFileDownloadLink.downloadButtonLabel": "单击此处进行下载", + "xpack.securitySolution.responseActionFileDownloadLink.fileNoLongerAvailable": "文件已过期,不再可供下载。", + "xpack.securitySolution.responseActionsHistory.empty.content": "未执行响应操作", + "xpack.securitySolution.responseActionsHistory.empty.link": "阅读有关响应操作的更多内容", + "xpack.securitySolution.responseActionsHistory.empty.title": "响应操作历史记录为空", + "xpack.securitySolution.responseActionsHistoryButton.label": "响应操作历史记录", + "xpack.securitySolution.responseActionsList.empty.body": "请尝试修改您的搜索或筛选集", + "xpack.securitySolution.responseActionsList.empty.title": "没有任何结果匹配您的搜索条件", "xpack.securitySolution.responseActionsList.list.command": "命令", "xpack.securitySolution.responseActionsList.list.comments": "注释", "xpack.securitySolution.responseActionsList.list.errorMessage": "检索响应操作时出错", + "xpack.securitySolution.responseActionsList.list.filter.actions": "操作", + "xpack.securitySolution.responseActionsList.list.filter.clearAll": "全部清除", + "xpack.securitySolution.responseActionsList.list.filter.Hosts": "主机", + "xpack.securitySolution.responseActionsList.list.filter.statuses": "状态", + "xpack.securitySolution.responseActionsList.list.filter.users": "按用户名筛选", + "xpack.securitySolution.responseActionsList.list.hosts": "主机", "xpack.securitySolution.responseActionsList.list.item.badge.failed": "失败", "xpack.securitySolution.responseActionsList.list.item.badge.pending": "待处理", + "xpack.securitySolution.responseActionsList.list.item.badge.successful": "成功", + "xpack.securitySolution.responseActionsList.list.item.expandSection.comment": "注释", "xpack.securitySolution.responseActionsList.list.item.expandSection.completedAt": "执行已完成", "xpack.securitySolution.responseActionsList.list.item.expandSection.input": "输入", "xpack.securitySolution.responseActionsList.list.item.expandSection.output": "输出", "xpack.securitySolution.responseActionsList.list.item.expandSection.parameters": "参数", "xpack.securitySolution.responseActionsList.list.item.expandSection.placedAt": "命令已下达", "xpack.securitySolution.responseActionsList.list.item.expandSection.startedAt": "执行开始时间", + "xpack.securitySolution.responseActionsList.list.item.hosts.unenrolled.host": "主机已取消注册", + "xpack.securitySolution.responseActionsList.list.item.hosts.unenrolled.hosts": "主机已取消注册", + "xpack.securitySolution.responseActionsList.list.pageSubTitle": "查看在主机上执行的响应操作的历史记录。", "xpack.securitySolution.responseActionsList.list.screenReader.expand": "展开行", "xpack.securitySolution.responseActionsList.list.status": "状态", "xpack.securitySolution.responseActionsList.list.time": "时间", "xpack.securitySolution.responseActionsList.list.user": "用户", + "xpack.securitySolution.risk_score.toast.viewDashboard": "查看仪表板", + "xpack.securitySolution.riskDeprecated.entity.upgradeRiskScoreDescription": "当前数据不再受支持。请迁移您的数据并升级该模块。启用此模板后,可能需要一小时才能生成数据。", + "xpack.securitySolution.riskInformation.buttonLabel": "如何计算风险分数?", + "xpack.securitySolution.riskInformation.classificationHeader": "分类", + "xpack.securitySolution.riskInformation.closeBtn": "关闭", + "xpack.securitySolution.riskInformation.criticalRiskDescription": "90 及以上", + "xpack.securitySolution.riskInformation.informationAriaLabel": "信息", + "xpack.securitySolution.riskInformation.link": "此处", + "xpack.securitySolution.riskInformation.unknownRiskDescription": "小于 20", + "xpack.securitySolution.riskScore.api.ingestPipeline.create.errorMessageTitle": "无法创建采集管道", + "xpack.securitySolution.riskScore.api.storedScript.create.errorMessageTitle": "无法创建存储脚本", + "xpack.securitySolution.riskScore.api.storedScript.delete.errorMessageTitle": "无法删除存储脚本", + "xpack.securitySolution.riskScore.api.transforms.create.errorMessageTitle": "无法创建转换", + "xpack.securitySolution.riskScore.api.transforms.getState.errorMessageTitle": "无法获取转换状态", + "xpack.securitySolution.riskScore.api.transforms.getState.notFoundMessageTitle": "找不到转换", + "xpack.securitySolution.riskScore.enableButtonTitle": "启用", "xpack.securitySolution.riskScore.errorSearchDescription": "搜索风险分数时发生错误", "xpack.securitySolution.riskScore.failSearchDescription": "无法对风险分数执行搜索", + "xpack.securitySolution.riskScore.hostRiskScoresEnabledTitle": "已启用主机风险分数", + "xpack.securitySolution.riskScore.hostsDashboardWarningPanelBody": "我们尚未从您环境中的主机中检测到任何主机风险分数数据。启用此模板后,可能需要一小时才能生成数据。", + "xpack.securitySolution.riskScore.hostsDashboardWarningPanelTitle": "没有可显示的主机风险分数数据", + "xpack.securitySolution.riskScore.install.errorMessageTitle": "安装错误", + "xpack.securitySolution.riskScore.kpi.failSearchDescription": "无法对风险分数执行搜索", + "xpack.securitySolution.riskScore.overview.alerts": "告警", + "xpack.securitySolution.riskScore.overview.hosts": "主机", + "xpack.securitySolution.riskScore.overview.hostTitle": "主机", + "xpack.securitySolution.riskScore.overview.users": "用户", + "xpack.securitySolution.riskScore.overview.userTitle": "用户", + "xpack.securitySolution.riskScore.restartButtonTitle": "重新启动", + "xpack.securitySolution.riskScore.savedObjects.bulkCreateFailureTitle": "无法导入已保存对象", + "xpack.securitySolution.riskScore.savedObjects.bulkDeleteFailureTitle": "无法删除已保存对象", + "xpack.securitySolution.riskScore.technicalPreviewLabel": "技术预览", + "xpack.securitySolution.riskScore.uninstall.errorMessageTitle": "卸载错误", + "xpack.securitySolution.riskScore.upgradeConfirmation.cancel": "保留数据", + "xpack.securitySolution.riskScore.upgradeConfirmation.confirm": "擦除数据并升级", + "xpack.securitySolution.riskScore.upgradeConfirmation.content": "升级会从您的环境中删除现有风险分数。您可以先保留现有风险数据,然后再升级风险分数软件包。是否升级?", + "xpack.securitySolution.riskScore.userRiskScoresEnabledTitle": "已启用用户风险分数", + "xpack.securitySolution.riskScore.usersDashboardRestartTooltip": "风险分数计算可能需要一段时间运行。但是,通过按“重新启动”,您可以立即强制运行该计算。", + "xpack.securitySolution.riskScore.usersDashboardWarningPanelBody": "我们尚未从您环境中的用户中检测到任何用户风险分数数据。启用此模板后,可能需要一小时才能生成数据。", + "xpack.securitySolution.riskScore.usersDashboardWarningPanelTitle": "没有可显示的用户风险分数数据", + "xpack.securitySolution.riskTabBody.viewDashboardButtonLabel": "查看源仪表板", "xpack.securitySolution.rowRenderer.executedProcessDescription": "已执行进程", "xpack.securitySolution.rowRenderer.forkedProcessDescription": "已分叉进程", "xpack.securitySolution.rowRenderer.loadedLibraryDescription": "已加载库", @@ -28743,6 +30835,90 @@ "xpack.securitySolution.rowRenderer.wasPreventedFromExecutingAMaliciousProcessDescription": "被阻止执行恶意进程", "xpack.securitySolution.rowRenderer.wasPreventedFromModifyingAMaliciousFileDescription": "被阻止修改恶意文件", "xpack.securitySolution.rowRenderer.wasPreventedFromRenamingAMaliciousFileDescription": "被阻止重命名恶意文件", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addExceptionToRuleOrList.addToListsLabel": "添加到规则或列表", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsOptionLabel": "添加到共享例外列表", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsOptions.addToListsTooltip": "共享例外列表为一组例外。如果要将此例外添加到共享例外列表,请选择该选项。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.addToListsDescription": "选择要添加到的共享例外列表。如果选择了多个列表,我们将创建此例外的副本。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.referencesFetchError": "无法加载共享例外列表", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToListsTableSelection.viewListDetailActionLabel": "查看列表详情", + "xpack.securitySolution.rule_exceptions.flyoutComponents.addToRulesTableSelection.addToSelectedRulesDescription": "选择规则以添加到。如果此例外链接到多个规则,我们将创建它的副本。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.bulkCloseLabel": "关闭所有与此例外匹配且根据选定规则生成的告警", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.bulkCloseLabel.disabled": "关闭所有与此例外匹配且根据此规则生成的告警(不支持列表和非 ECS 字段)", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.endpointQuarantineText": "在所有终端主机上,与该例外匹配的已隔离文件会自动还原到其原始位置。此例外适用于使用终端例外的所有规则。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.sectionTitle": "告警操作", + "xpack.securitySolution.rule_exceptions.flyoutComponents.alertsActions.singleAlertCloseLabel": "关闭此告警", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.conditionsTitle": "条件", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.infoLabel": "满足规则的条件时生成告警,但以下情况除外:", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.operatingSystemPlaceHolder": "选择操作系统", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.sequenceWarningAdd": "此规则的查询包含 EQL 序列语句。创建的例外将应用于序列中的所有事件。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.itemConditions.sequenceWarningEdit": "此规则的查询包含 EQL 序列语句。修改的例外将应用于序列中的所有事件。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToListSection.error": "无法提取例外列表。", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToListSection.title": "已链接到共享列表", + "xpack.securitySolution.rule_exceptions.flyoutComponents.linkedToRule.title": "已链接到规则", + "xpack.securitySolution.rule_exceptions.flyoutComponents.viewListDetailActionLabel": "查看列表详情", + "xpack.securitySolution.rule_exceptions.flyoutComponents.viewRuleDetailActionLabel": "查看规则详情", + "xpack.securitySolution.rule_exceptions.itemComments.addCommentPlaceholder": "添加新注释......", + "xpack.securitySolution.rule_exceptions.itemComments.unknownAvatarName": "未知", + "xpack.securitySolution.rule_exceptions.itemMeta.nameLabel": "规则例外名称", + "xpack.securitySolution.rule_exceptions.itemMeta.namePlaceholder": "命名规则例外", + "xpack.securitySolution.ruleExceptions.addException.addEndpointException": "添加终端例外", + "xpack.securitySolution.ruleExceptions.addException.cancel": "取消", + "xpack.securitySolution.ruleExceptions.addException.createRuleExceptionLabel": "添加规则例外", + "xpack.securitySolution.ruleExceptions.addException.submitError.dismissButton": "关闭", + "xpack.securitySolution.ruleExceptions.addException.submitError.message": "查看 Toast 获取错误详情。", + "xpack.securitySolution.ruleExceptions.addException.submitError.title": "提交例外时出错", + "xpack.securitySolution.ruleExceptions.addException.success": "规则例外已添加到共享例外列表", + "xpack.securitySolution.ruleExceptions.addExceptionFlyout.addRuleExceptionToastSuccessTitle": "已添加规则例外", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addExceptionsEmptyPromptTitle": "将例外添加到此规则", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addToDetectionsListLabel": "添加规则例外", + "xpack.securitySolution.ruleExceptions.allExceptionItems.addToEndpointListLabel": "添加终端例外", + "xpack.securitySolution.ruleExceptions.allExceptionItems.emptyPromptBody": "此规则没有例外。创建您的首个规则例外。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.emptyPromptButtonLabel": "添加规则例外", + "xpack.securitySolution.ruleExceptions.allExceptionItems.endpoint.emptyPromptBody": "没有终端例外。创建您的首个终端例外。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.endpoint.emptyPromptButtonLabel": "添加终端例外", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionDeleteErrorTitle": "删除例外项时出错", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionDetectionDetailsDescription": "规则例外将添加到检测规则。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionEndpointDetailsDescription": "终端例外会添加到您主机上的检测规则和 Elastic 终端代理。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemDeleteSuccessTitle": "例外已删除", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemSearchErrorBody": "搜索例外项时出错。请重试。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemSearchErrorTitle": "搜索时出错", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemsFetchError": "无法加载例外项", + "xpack.securitySolution.ruleExceptions.allExceptionItems.exceptionItemsFetchErrorDescription": "加载例外项时出现错误。请联系您的管理员寻求帮助。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.noSearchResultsPromptBody": "请尝试修改您的搜索。", + "xpack.securitySolution.ruleExceptions.allExceptionItems.noSearchResultsPromptTitle": "没有任何结果匹配您的搜索条件", + "xpack.securitySolution.ruleExceptions.allExceptionItems.paginationAriaLabel": "例外项表分页", + "xpack.securitySolution.ruleExceptions.allExceptionItems.searchPlaceholder": "使用简单的查询语法筛选例外,例如 name:\"my list\"", + "xpack.securitySolution.ruleExceptions.editException.cancel": "取消", + "xpack.securitySolution.ruleExceptions.editException.editEndpointExceptionTitle": "编辑终端例外", + "xpack.securitySolution.ruleExceptions.editException.editExceptionTitle": "编辑规则例外", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastErrorTitle": "更新例外时出错", + "xpack.securitySolution.ruleExceptions.editException.editRuleExceptionToastSuccessTitle": "已更新规则例外", + "xpack.securitySolution.ruleExceptions.exceptionItem.affectedList": "影响共享列表", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.and": "且", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.existsOperator": "存在", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.existsOperator.not": "不存在", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.linux": "Linux", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.listOperator": "包含在", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.listOperator.not": "未包括在", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.macos": "Mac", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchAnyOperator": "属于", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchAnyOperator.not": "不属于", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchOperator": "是", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.matchOperator.not": "不是", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.nestedOperator": "具有", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.os": "OS", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.wildcardDoesNotMatchOperator": "不匹配", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.wildcardMatchesOperator": "匹配", + "xpack.securitySolution.ruleExceptions.exceptionItem.conditions.windows": "Windows", + "xpack.securitySolution.ruleExceptions.exceptionItem.createdLabel": "创建时间", + "xpack.securitySolution.ruleExceptions.exceptionItem.deleteItemButton": "删除规则例外", + "xpack.securitySolution.ruleExceptions.exceptionItem.editItemButton": "编辑规则例外", + "xpack.securitySolution.ruleExceptions.exceptionItem.endpoint.deleteItemButton": "删除终端例外", + "xpack.securitySolution.ruleExceptions.exceptionItem.endpoint.editItemButton": "编辑终端例外", + "xpack.securitySolution.ruleExceptions.exceptionItem.metaDetailsBy": "依据", + "xpack.securitySolution.ruleExceptions.exceptionItem.updatedLabel": "已更新", + "xpack.securitySolution.ruleExceptions.logic.closeAlerts.error": "无法关闭告警", + "xpack.securitySolution.rules.actionForm.experimentalTitle": "技术预览", "xpack.securitySolution.rules.badge.readOnly.tooltip": "无法创建、编辑或删除规则", "xpack.securitySolution.search.administration.endpoints": "终端", "xpack.securitySolution.search.administration.eventFilters": "事件筛选", @@ -28752,6 +30928,7 @@ "xpack.securitySolution.search.dashboards": "仪表板", "xpack.securitySolution.search.detect": "检测", "xpack.securitySolution.search.detectionAndResponse": "检测和响应", + "xpack.securitySolution.search.entityAnalytics": "实体分析", "xpack.securitySolution.search.exceptions": "例外列表", "xpack.securitySolution.search.explore": "浏览", "xpack.securitySolution.search.getStarted": "入门", @@ -28765,7 +30942,9 @@ "xpack.securitySolution.search.kubernetes": "Kubernetes", "xpack.securitySolution.search.manage": "管理", "xpack.securitySolution.search.network": "网络", + "xpack.securitySolution.search.network.anomalies": "异常", "xpack.securitySolution.search.network.dns": "DNS", + "xpack.securitySolution.search.network.events": "事件", "xpack.securitySolution.search.network.http": "HTTP", "xpack.securitySolution.search.network.tls": "TLS", "xpack.securitySolution.search.overview": "概览", @@ -28777,6 +30956,7 @@ "xpack.securitySolution.search.users.authentications": "身份验证", "xpack.securitySolution.search.users.events": "事件", "xpack.securitySolution.search.users.risk": "用户风险", + "xpack.securitySolution.sections.actionForm.addResponseActionButtonLabel": "添加响应操作", "xpack.securitySolution.sessionsView.columnEntrySourceIp": "源 IP", "xpack.securitySolution.sessionsView.columnEntryType": "类型", "xpack.securitySolution.sessionsView.columnEntryUser": "用户", @@ -28784,8 +30964,13 @@ "xpack.securitySolution.sessionsView.columnHostName": "主机名", "xpack.securitySolution.sessionsView.columnInteractive": "交互", "xpack.securitySolution.sessionsView.columnSessionStart": "已启动", + "xpack.securitySolution.sessionsView.sessionsTitle": "会话", "xpack.securitySolution.sessionsView.singleCountOfSessions": "会话", "xpack.securitySolution.sessionsView.totalCountOfSessions": "会话", + "xpack.securitySolution.socTrends.properties.lockDatePickerDescription": "将全局日期选取器锁定到 SOC 趋势日期选取器", + "xpack.securitySolution.socTrends.properties.lockDatePickerTooltip": "禁用当前查看的页面与 SOC 趋势之间的日期/时间范围同步", + "xpack.securitySolution.socTrends.properties.unlockDatePickerDescription": "从 SOC 趋势日期选取器解锁全局日期选取器", + "xpack.securitySolution.socTrends.properties.unlockDatePickerTooltip": "启用当前查看的页面与您的时间线之间的日期/时间范围同步", "xpack.securitySolution.source.destination.packetsLabel": "pkts", "xpack.securitySolution.sourcerer.disabled": "数据视图的更新需要重新加载页面才能生效。", "xpack.securitySolution.sourcerer.error.title": "更新安全数据视图时出错", @@ -28834,7 +31019,8 @@ "xpack.securitySolution.system.withExitCodeDescription": "退出代码为", "xpack.securitySolution.system.withResultDescription": ",结果为", "xpack.securitySolution.tables.rowItemHelper.moreDescription": "未显示", - "xpack.securitySolution.threatMatch.andDescription": "AND", + "xpack.securitySolution.threatIntelligence.investigateInTimelineTitle": "在时间线中调查", + "xpack.securitySolution.threatMatch.andDescription": "且", "xpack.securitySolution.threatMatch.fieldDescription": "字段", "xpack.securitySolution.threatMatch.fieldPlaceholderDescription": "搜索", "xpack.securitySolution.threatMatch.matchesLabel": "匹配", @@ -28897,6 +31083,7 @@ "xpack.securitySolution.timeline.expandableEvent.closeEventDetailsLabel": "关闭", "xpack.securitySolution.timeline.expandableEvent.eventTitleLabel": "事件详情", "xpack.securitySolution.timeline.expandableEvent.messageTitle": "消息", + "xpack.securitySolution.timeline.expandableEvent.openAlertDetails": "打开告警详情页面", "xpack.securitySolution.timeline.expandableEvent.placeholder": "选择事件以显示事件详情", "xpack.securitySolution.timeline.failDescription": "发生错误", "xpack.securitySolution.timeline.failSearchDescription": "无法运行搜索", @@ -28924,6 +31111,7 @@ "xpack.securitySolution.timeline.properties.addTimelineButtonLabel": "添加新时间线或模板", "xpack.securitySolution.timeline.properties.addToFavoriteButtonLabel": "添加到收藏夹", "xpack.securitySolution.timeline.properties.attachToCaseButtonLabel": "附加到案例", + "xpack.securitySolution.timeline.properties.attachToExistingCaseButtonLabel": "附加到现有案例", "xpack.securitySolution.timeline.properties.attachToNewCaseButtonLabel": "附加到新案例", "xpack.securitySolution.timeline.properties.autosavedLabel": "已自动保存", "xpack.securitySolution.timeline.properties.descriptionPlaceholder": "添加描述", @@ -29006,7 +31194,7 @@ "xpack.securitySolution.toggleQuery.off": "已关闭", "xpack.securitySolution.toggleQuery.on": "打开", "xpack.securitySolution.topN.alertEventsSelectLabel": "检测告警", - "xpack.securitySolution.topN.allEventsSelectLabel": "所有事件", + "xpack.securitySolution.topN.allEventsSelectLabel": "告警和事件", "xpack.securitySolution.topN.closeButtonLabel": "关闭", "xpack.securitySolution.topN.rawEventsSelectLabel": "原始事件", "xpack.securitySolution.trustedApps.assignmentSectionDescription": "跨所有策略全局分配此受信任的应用程序,或将其分配给特定策略。", @@ -29021,8 +31209,11 @@ "xpack.securitySolution.trustedapps.create.nameRequiredMsg": "“名称”必填", "xpack.securitySolution.trustedapps.create.osRequiredMsg": "“操作系统”必填", "xpack.securitySolution.trustedApps.details.header": "详情", - "xpack.securitySolution.trustedApps.details.header.description": "受信任的应用程序将提高性能或缓解与主机上运行的其他应用程序的冲突。", - "xpack.securitySolution.trustedApps.emptyStateInfo": "添加受信任的应用程序,以提高性能或缓解与主机上运行的其他应用程序的冲突。", + "xpack.securitySolution.trustedApps.details.header.description": "添加受信任的应用程序,以提高性能或缓解与主机上运行的其他应用程序的冲突。在某些情况下,受信任的应用程序仍可能会生成告警。", + "xpack.securitySolution.trustedApps.docsLinkInfoEnd": " 相反。", + "xpack.securitySolution.trustedApps.docsLinkInfoStart": "存在太多告警?添加 ", + "xpack.securitySolution.trustedApps.docsLinkText": "终端告警例外", + "xpack.securitySolution.trustedApps.emptyStateInfo": "添加受信任的应用程序,以提高性能或缓解与主机上运行的其他应用程序的冲突。在某些情况下,受信任的应用程序仍可能会生成告警。", "xpack.securitySolution.trustedApps.emptyStatePrimaryButtonLabel": "添加受信任的应用程序", "xpack.securitySolution.trustedApps.emptyStateTitle": "添加您的首个受信任应用程序", "xpack.securitySolution.trustedApps.flyoutCreateSubmitButtonLabel": "添加受信任的应用程序", @@ -29044,7 +31235,7 @@ "xpack.securitySolution.trustedapps.logicalConditionBuilder.noEntries": "未定义条件", "xpack.securitySolution.trustedApps.name.label": "名称", "xpack.securitySolution.trustedApps.os.label": "选择操作系统", - "xpack.securitySolution.trustedApps.pageAboutInfo": "受信任的应用程序将提高性能或缓解与主机上运行的其他应用程序的冲突。", + "xpack.securitySolution.trustedApps.pageAboutInfo": "添加受信任的应用程序,以提高性能或缓解与主机上运行的其他应用程序的冲突。在某些情况下,受信任的应用程序仍可能会生成告警。", "xpack.securitySolution.trustedApps.pageAddButtonTitle": "添加受信任的应用程序", "xpack.securitySolution.trustedApps.pageTitle": "受信任的应用程序", "xpack.securitySolution.trustedApps.searchPlaceholderInfo": "搜索下面的字段:name、description、value", @@ -29107,17 +31298,22 @@ "xpack.securitySolution.usersRiskTable.userRiskToolTip": "用户风险分类由用户风险分数决定。分类为紧急或高的用户即表示存在风险。", "xpack.securitySolution.usersTable.domainTitle": "域", "xpack.securitySolution.usersTable.lastSeenTitle": "最后看到时间", + "xpack.securitySolution.usersTable.riskTitle": "用户风险分类", "xpack.securitySolution.usersTable.title": "用户", "xpack.securitySolution.usersTable.userNameTitle": "用户名", + "xpack.securitySolution.usersTable.userRiskToolTip": "用户风险分类由用户风险分数决定。分类为紧急或高的用户即表示存在风险。", "xpack.securitySolution.userTab.errorFetchingsData": "无法查询用户数据", "xpack.securitySolution.visualizationActions.addToCaseSuccessContent": "已成功将可视化添加到案例", "xpack.securitySolution.visualizationActions.addToExistingCase": "添加到现有案例", "xpack.securitySolution.visualizationActions.addToNewCase": "添加到新案例", + "xpack.securitySolution.visualizationActions.countLabel": "记录计数", "xpack.securitySolution.visualizationActions.inspect": "检查", "xpack.securitySolution.visualizationActions.moreActions": "更多操作", "xpack.securitySolution.visualizationActions.openInLens": "在 Lens 中打开", "xpack.securitySolution.visualizationActions.uniqueIps.destinationChartLabel": "目标", "xpack.securitySolution.visualizationActions.uniqueIps.sourceChartLabel": "源", + "xpack.securitySolution.visualizationActions.userAuthentications.authentication.failureChartLabel": "失败", + "xpack.securitySolution.visualizationActions.userAuthentications.authentication.successChartLabel": "成功", "xpack.securitySolution.visualizationActions.userAuthentications.failChartLabel": "失败", "xpack.securitySolution.visualizationActions.userAuthentications.successChartLabel": "成功", "xpack.securitySolution.zeek.othDescription": "未看到 SYN,仅中游流量", @@ -29133,10 +31329,20 @@ "xpack.securitySolution.zeek.sfDescription": "正常 SYN/FIN 完成", "xpack.securitySolution.zeek.shDescription": "发起方已发送 SYN,后跟 FIN,响应方未发送 SYN ACK", "xpack.securitySolution.zeek.shrDescription": "响应方已发送 SYN ACK,后跟 FIN,发起方未发送 SYN", + "xpack.sessionView.alertFilteredCountStatusLabel": " 正在显示 {count} 个告警", + "xpack.sessionView.alertTotalCountStatusLabel": "正在显示 {count} 个告警", "xpack.sessionView.processTree.loadMore": "显示 {pageSize} 个后续事件", "xpack.sessionView.processTree.loadPrevious": "显示 {pageSize} 个之前的事件", "xpack.sessionView.processTreeLoadMoreButton": " (剩下 {count} 个)", "xpack.sessionView.alert": "告警", + "xpack.sessionView.alertDetailsAllFilterItem": "查看所有告警", + "xpack.sessionView.alertDetailsAllSelectedCategory": "查看:所有告警", + "xpack.sessionView.alertDetailsFileFilterItem": "查看文件告警", + "xpack.sessionView.alertDetailsFileSelectedCategory": "查看:文件告警", + "xpack.sessionView.alertDetailsNetworkFilterItem": "查看网络告警", + "xpack.sessionView.alertDetailsNetworkSelectedCategory": "查看:网络告警", + "xpack.sessionView.alertDetailsProcessFilterItem": "查看进程告警", + "xpack.sessionView.alertDetailsProcessSelectedCategory": "查看:进程告警", "xpack.sessionView.alertDetailsTab.groupView": "组视图", "xpack.sessionView.alertDetailsTab.listView": "列表视图", "xpack.sessionView.alertDetailsTab.toggleViewMode": "切换视图模式", @@ -29145,6 +31351,7 @@ "xpack.sessionView.backToInvestigatedAlert": "返回到已调查告警", "xpack.sessionView.beta": "公测版", "xpack.sessionView.childProcesses": "子进程", + "xpack.sessionView.detailPanel": "详情面板", "xpack.sessionView.detailPanel.entryLeaderTooltip": "与初始终端或通过 SSH、SSM 和其他远程访问协议执行的远程访问关联的会话 Leader 进程。入口会话也用于表示直接由初始进程启动的服务。在许多情况下,这与 session_leader 相同。", "xpack.sessionView.detailPanel.processGroupLeaderTooltip": "当前进程的进程组 leader。", "xpack.sessionView.detailPanel.processParentTooltip": "当前进程的直接父级。", @@ -29163,16 +31370,23 @@ "xpack.sessionView.emptyDataTitle": "没有可呈现的数据", "xpack.sessionView.errorHeading": "加载会话视图时出错", "xpack.sessionView.errorMessage": "加载会话视图时出现错误。", - "xpack.sessionView.execUserChange": "执行用户更改:", + "xpack.sessionView.execUserChange": "执行用户更改", + "xpack.sessionView.fileTooltip": "文件告警", "xpack.sessionView.loadingProcessTree": "正在加载会话……", "xpack.sessionView.metadataDetailsTab.cloud": "云", "xpack.sessionView.metadataDetailsTab.container": "容器", "xpack.sessionView.metadataDetailsTab.host": "主机 OS", "xpack.sessionView.metadataDetailsTab.metadata": "元数据", "xpack.sessionView.metadataDetailsTab.orchestrator": "Orchestrator", + "xpack.sessionView.networkTooltip": "网络告警", + "xpack.sessionView.output": "输出", + "xpack.sessionView.processDataLimitExceededEnd": "参阅高级策略配置中的“max_kilobytes_per_process”。", + "xpack.sessionView.processDataLimitExceededStart": "达到了以下数据限制", "xpack.sessionView.processNode.tooltipExec": "进程已执行", "xpack.sessionView.processNode.tooltipFork": "进程已分叉(无执行)", "xpack.sessionView.processNode.tooltipOrphan": "进程缺少父项(孤立)", + "xpack.sessionView.processTooltip": "进程告警", + "xpack.sessionView.refreshSession": "刷新会话", "xpack.sessionView.searchBar.searchBarKeyPlaceholder": "查找......", "xpack.sessionView.searchBar.searchBarNoResults": "无结果", "xpack.sessionView.sessionViewToggle.sessionViewToggleOptionsTimestamp": "时间戳", @@ -29182,6 +31396,19 @@ "xpack.sessionView.sessionViewToggle.sessionViewVerboseTipContent": "如需完整的结果集,请打开详细模式。", "xpack.sessionView.sessionViewToggle.sessionViewVerboseTipTitle": "某些结果可能处于隐藏状态", "xpack.sessionView.startedBy": "启动者", + "xpack.sessionView.toggleTTYPlayer": "切换 TTY 播放器", + "xpack.sessionView.ttyEnd": "结束", + "xpack.sessionView.ttyNext": "下一步", + "xpack.sessionView.ttyPause": "暂停", + "xpack.sessionView.ttyPlay": "播放", + "xpack.sessionView.ttyPrevious": "上一步", + "xpack.sessionView.ttyStart": "启动", + "xpack.sessionView.ttyToggleTip": " TTY 输出", + "xpack.sessionView.ttyViewInSession": "在会话中查看", + "xpack.sessionView.viewPoliciesLink": "查看策略", + "xpack.sessionView.zoomFit": "适应屏幕", + "xpack.sessionView.zoomIn": "放大", + "xpack.sessionView.zoomOut": "缩小", "xpack.snapshotRestore.app.deniedPrivilegeDescription": "要使用“快照和还原”,必须具有{privilegesCount, plural, other {以下集群权限}}:{missingPrivileges}。", "xpack.snapshotRestore.dataStreamsList.dataStreamsCollapseAllLink": "隐藏 {count, plural, other {# 个数据流}}", "xpack.snapshotRestore.dataStreamsList.dataStreamsExpandAllLink": "显示 {count, plural, other {# 个数据流}}", @@ -29389,8 +31616,8 @@ "xpack.snapshotRestore.policyDetails.snapshotDeletionFailuresStat": "删除失败", "xpack.snapshotRestore.policyDetails.snapshotNameLabel": "快照名称", "xpack.snapshotRestore.policyDetails.snapshotsDeletedStat": "已删除", - "xpack.snapshotRestore.policyDetails.snapshotsFailedStat": "失败", - "xpack.snapshotRestore.policyDetails.snapshotsTakenStat": "快照", + "xpack.snapshotRestore.policyDetails.snapshotsFailedStat": "错误", + "xpack.snapshotRestore.policyDetails.snapshotsTakenStat": "已拍摄快照", "xpack.snapshotRestore.policyDetails.summaryTabTitle": "摘要", "xpack.snapshotRestore.policyDetails.versionLabel": "版本", "xpack.snapshotRestore.policyForm.addRepositoryButtonLabel": "注册存储库", @@ -29980,6 +32207,7 @@ "xpack.spaces.management.spacesGridPage.deleteActionName": "删除 {spaceName}。", "xpack.spaces.management.spacesGridPage.editSpaceActionName": "编辑 {spaceName}。", "xpack.spaces.management.spacesGridPage.someFeaturesEnabled": "{enabledFeatureCount} / {totalFeatureCount} 个功能可见", + "xpack.spaces.navControl.popover.spaceNavigationDetails": "{space} 为将当前选定的工作区。单击此按钮可打开一个弹出框以便您选择活动工作区。", "xpack.spaces.redirectLegacyUrlToast.text": "您正在寻找的{objectNoun}具有新的位置。从现在开始使用此 URL。", "xpack.spaces.shareToSpace.aliasTableCalloutBody": "将禁用 {aliasesToDisableCount, plural, other {# 个旧版 URL}}。", "xpack.spaces.shareToSpace.flyoutTitle": "将 {objectNoun} 共享到工作区", @@ -30137,9 +32365,12 @@ "xpack.spaces.management.validateSpace.urlIdentifierAllowedCharactersErrorMessage": "URL 标识符只能包含 a-z、0-9 和字符“_”及“-”。", "xpack.spaces.management.validateSpace.urlIdentifierRequiredErrorMessage": "输入 URL 标识符。", "xpack.spaces.manageSpacesButton.manageSpacesButtonLabel": "管理空间", + "xpack.spaces.navControl.loadingMessage": "正在加载……", + "xpack.spaces.navControl.popover.spacesNavigationLabel": "工作区导航", "xpack.spaces.navControl.spacesMenu.changeCurrentSpaceTitle": "更改当前空间", "xpack.spaces.navControl.spacesMenu.findSpacePlaceholder": "查找工作区", "xpack.spaces.navControl.spacesMenu.noSpacesFoundTitle": " 未找到工作区 ", + "xpack.spaces.navControl.spacesMenu.selectSpacesTitle": "您的工作区", "xpack.spaces.redirectLegacyUrlToast.title": "我们已将您重定向到新 URL", "xpack.spaces.shareToSpace.aliasTableCalloutTitle": "旧版 URL 冲突", "xpack.spaces.shareToSpace.allSpacesTarget": "所有工作区", @@ -30187,6 +32418,7 @@ "xpack.stackAlerts.esQuery.invalidWindowSizeErrorMessage": "windowSize 的格式无效:“{windowValue}”", "xpack.stackAlerts.esQuery.ui.numQueryMatchesText": "查询在过去 {window} 匹配 {count} 个文档。", "xpack.stackAlerts.esQuery.ui.queryError": "测试查询时出错:{message}", + "xpack.stackAlerts.esQuery.ui.thresholdHelp.duplicateMatches": "如果打开 {excludePrevious},则在多次运行中匹配查询的文档将仅用在第一次阈值计算过程中。", "xpack.stackAlerts.esQuery.ui.thresholdHelp.timeWindow": "此时间窗口指示向后搜索多长时间。为避免检测缺口,请将此值设置为大于或等于您为 {checkField} 字段选择的值。", "xpack.stackAlerts.esQuery.ui.validation.error.invalidSizeRangeText": "大小必须介于 0 和 {max, number} 之间。", "xpack.stackAlerts.geoContainment.noGeoFieldInIndexPattern.message": "数据视图不包含任何允许的地理空间字段。必须具有一个类型 {geoFields}。", @@ -30233,6 +32465,7 @@ "xpack.stackAlerts.esQuery.ui.copyQuery": "复制查询", "xpack.stackAlerts.esQuery.ui.defineQueryPrompt": "使用查询 DSL 定义查询", "xpack.stackAlerts.esQuery.ui.defineTextQueryPrompt": "定义您的查询", + "xpack.stackAlerts.esQuery.ui.excludePreviousHitsExpression": "排除上次运行中的匹配项", "xpack.stackAlerts.esQuery.ui.queryCopiedToClipboard": "已复制", "xpack.stackAlerts.esQuery.ui.queryEditor": "Elasticsearch 查询编辑器", "xpack.stackAlerts.esQuery.ui.queryPrompt.help": "Elasticsearch 查询 DSL 文档", @@ -30255,6 +32488,7 @@ "xpack.stackAlerts.esQuery.ui.validation.error.greaterThenThreshold0Text": "阈值 1 必须 > 阈值 0。", "xpack.stackAlerts.esQuery.ui.validation.error.jsonQueryText": "查询必须是有效的 JSON。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredDataViewText": "需要数据视图。", + "xpack.stackAlerts.esQuery.ui.validation.error.requiredDataViewTimeFieldText": "数据视图应具有时间字段。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredEsQueryText": "“查询字段”必填。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredIndexText": "“索引”必填。", "xpack.stackAlerts.esQuery.ui.validation.error.requiredQueryText": "“Elasticsearch 查询”必填。", @@ -30321,9 +32555,12 @@ "xpack.stackAlerts.threshold.ui.alertType.defaultActionMessage": "组“\\{\\{context.group\\}\\}”的告警“\\{\\{alertName\\}\\}”处于活动状态:\n\n- 值:\\{\\{context.value\\}\\}\n- 满足的条件:\\{\\{context.conditions\\}\\} 超过 \\{\\{params.timeWindowSize\\}\\}\\{\\{params.timeWindowUnit\\}\\}\n- 时间戳:\\{\\{context.date\\}\\}", "xpack.stackAlerts.threshold.ui.alertType.descriptionText": "聚合查询达到阈值时告警。", "xpack.stackAlerts.threshold.ui.conditionPrompt": "定义条件", + "xpack.stackAlerts.threshold.ui.filterKQLHelpText": "使用 KQL 表达式限制告警触发的范围。", + "xpack.stackAlerts.threshold.ui.filterTitle": "筛选(可选)", "xpack.stackAlerts.threshold.ui.previewAlertVisualizationDescription": "完成表达式以生成预览。", "xpack.stackAlerts.threshold.ui.selectIndex": "选择索引", "xpack.stackAlerts.threshold.ui.validation.error.greaterThenThreshold0Text": "阈值 1 应 > 阈值 0。", + "xpack.stackAlerts.threshold.ui.validation.error.invalidKql": "筛选查询无效。", "xpack.stackAlerts.threshold.ui.validation.error.requiredAggFieldText": "聚合字段必填。", "xpack.stackAlerts.threshold.ui.validation.error.requiredIndexText": "“索引”必填。", "xpack.stackAlerts.threshold.ui.validation.error.requiredTermFieldText": "“词字段”必填。", @@ -30336,6 +32573,556 @@ "xpack.stackAlerts.threshold.ui.visualization.loadingAlertVisualizationDescription": "正在加载告警可视化……", "xpack.stackAlerts.threshold.ui.visualization.thresholdPreviewChart.dataDoesNotExistTextMessage": "确认您的时间范围和筛选正确。", "xpack.stackAlerts.threshold.ui.visualization.thresholdPreviewChart.noDataTitle": "没有数据匹配此查询", + "xpack.stackConnectors.casesWebhook.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", + "xpack.stackConnectors.casesWebhook.configurationError": "配置案例 Webhook 操作时出错:{err}", + "xpack.stackConnectors.casesWebhook.configurationErrorNoHostname": "配置案例 Webhook 操作时出错:无法解析 {url}:{err}", + "xpack.stackConnectors.components.casesWebhook.error.missingVariables": "缺少所需{variableCount, plural, other {变量}}:{variables}", + "xpack.stackConnectors.components.email.error.invalidEmail": "电子邮件地址 {email} 无效。", + "xpack.stackConnectors.components.email.error.notAllowed": "不允许使用电子邮件地址 {email}。", + "xpack.stackConnectors.components.index.error.badIndexOverrideValue": "告警历史记录索引必须以“{alertHistoryPrefix}”开头。", + "xpack.stackConnectors.components.index.preconfiguredIndexHelpText": "文档已索引到 {alertHistoryIndex} 索引中。", + "xpack.stackConnectors.components.jira.unableToGetIssueMessage": "无法获取 ID 为 {id} 的问题", + "xpack.stackConnectors.components.opsgenie.apiKeyDocumentation": "HTTP 基本身份验证的 Opsgenie API 身份验证密钥。有关生成 Opsgenie API 密钥的详细信息,请参阅 {opsgenieAPIKeyDocs}。", + "xpack.stackConnectors.components.opsgenie.apiUrlDocumentation": "Opsgenie URL。有关该 URL 的详细信息,请参阅 {opsgenieAPIUrlDocs}。", + "xpack.stackConnectors.components.pagerDuty.error.invalidTimestamp": "时间戳必须是有效的日期,例如 {nowShortFormat} 或 {nowLongFormat}。", + "xpack.stackConnectors.components.serviceNow.apiInfoError": "尝试获取应用程序信息时收到的状态:{status}", + "xpack.stackConnectors.components.serviceNow.apiUrlHelpLabel": "提供所需 ServiceNow 实例的完整 URL。如果没有,{instance}。", + "xpack.stackConnectors.components.serviceNow.appInstallationInfo": "{update} {create} ", + "xpack.stackConnectors.components.serviceNow.appRunning": "在运行更新之前,必须从 ServiceNow 应用商店安装 Elastic 应用。{visitLink} 以安装该应用", + "xpack.stackConnectors.components.serviceNow.updateSuccessToastTitle": "{connectorName} 连接器已更新", + "xpack.stackConnectors.components.swimlane.unableToGetApplicationMessage": "无法获取 ID 为 {id} 的应用程序", + "xpack.stackConnectors.email.customViewInKibanaMessage": "此消息由 Kibana 发送。[{kibanaFooterLinkText}]({link})。", + "xpack.stackConnectors.jira.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", + "xpack.stackConnectors.pagerduty.configurationError": "配置 pagerduty 操作时出错:{message}", + "xpack.stackConnectors.pagerduty.invalidTimestampErrorMessage": "解析时间戳“{timestamp}”时出错", + "xpack.stackConnectors.pagerduty.missingDedupkeyErrorMessage": "当 eventAction 是“{eventAction}”时需要 DedupKey", + "xpack.stackConnectors.pagerduty.postingRetryErrorMessage": "发布 pagerduty 事件时出错:http 状态 {status},请稍后重试", + "xpack.stackConnectors.pagerduty.postingUnexpectedErrorMessage": "发布 pagerduty 事件时出错:非预期状态 {status}", + "xpack.stackConnectors.pagerduty.timestampParsingFailedErrorMessage": "解析时间戳“{timestamp}”出错:{message}", + "xpack.stackConnectors.resilient.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", + "xpack.stackConnectors.security.tines.params.webhookUrlFallbackText": "无法从 Tines {entity} API 中检索超过 {limit} 个结果。如果 {entity} 未在列表中显示,请在下面填写 Webhook URL", + "xpack.stackConnectors.serviceNow.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", + "xpack.stackConnectors.serviceNow.configuration.apiValidateMissingOAuthFieldError": "isOAuth = {isOAuth} 时,必须提供 {field}", + "xpack.stackConnectors.serviceNow.configuration.apiValidateOAuthFieldError": "不得与 isOAuth = {isOAuth} 一起提供 {field}", + "xpack.stackConnectors.slack.configurationError": "配置 slack 操作时出错:{message}", + "xpack.stackConnectors.slack.errorPostingRetryDateErrorMessage": "发布 Slack 消息时出错,在 {retryString} 重试", + "xpack.stackConnectors.slack.unexpectedHttpResponseErrorMessage": "来自 slack 的非预期 http 响应:{httpStatus} {httpStatusText}", + "xpack.stackConnectors.swimlane.configuration.apiAllowedHostsError": "配置连接器操作时出错:{message}", + "xpack.stackConnectors.teams.configurationError": "配置 Teams 操作时出错:{message}", + "xpack.stackConnectors.teams.errorPostingRetryDateErrorMessage": "发布 Microsoft Teams 消息时出错,请在 {retryString} 重试", + "xpack.stackConnectors.webhook.configurationError": "配置 Webhook 操作时出错:{message}", + "xpack.stackConnectors.webhook.configurationErrorNoHostname": "配置 Webhook 操作时出错:无法解析 url:{err}", + "xpack.stackConnectors.webhook.invalidResponseRetryDateErrorMessage": "调用 webhook 时出错,请在 {retryString} 重试", + "xpack.stackConnectors.xmatters.configurationError": "配置 xMatters 操作时出错:{message}", + "xpack.stackConnectors.xmatters.configurationErrorNoHostname": "配置 xMatters 操作时出错:无法解析 url:{err}", + "xpack.stackConnectors.xmatters.hostnameNotAllowed": "{message}", + "xpack.stackConnectors.xmatters.invalidUrlError": "secretsUrl 无效:{err}", + "xpack.stackConnectors.xmatters.postingRetryErrorMessage": "触发 xMatters 流时出错:http 状态为 {status},请稍后重试", + "xpack.stackConnectors.xmatters.unexpectedStatusErrorMessage": "触发 xMatters 流时出错:非预期状态 {status}", + "xpack.stackConnectors.casesWebhook.invalidUsernamePassword": "必须指定用户及密码", + "xpack.stackConnectors.casesWebhook.title": "Webhook - 案例管理", + "xpack.stackConnectors.components.casesWebhook.addHeaderButton": "添加", + "xpack.stackConnectors.components.casesWebhook.addVariable": "添加变量", + "xpack.stackConnectors.components.casesWebhook.authenticationLabel": "身份验证", + "xpack.stackConnectors.components.casesWebhook.caseCommentDesc": "Kibana 案例注释", + "xpack.stackConnectors.components.casesWebhook.caseDescriptionDesc": "Kibana 案例描述", + "xpack.stackConnectors.components.casesWebhook.caseTagsDesc": "Kibana 案例标签", + "xpack.stackConnectors.components.casesWebhook.caseTitleDesc": "Kibana 案例标题", + "xpack.stackConnectors.components.casesWebhook.commentsTextAreaFieldLabel": "其他注释", + "xpack.stackConnectors.components.casesWebhook.createCommentJsonHelp": "用于创建注释的 JSON 对象。使用变量选择器将案例数据添加到有效负载。", + "xpack.stackConnectors.components.casesWebhook.createCommentJsonTextFieldLabel": "创建注释对象", + "xpack.stackConnectors.components.casesWebhook.createCommentMethodTextFieldLabel": "创建注释方法", + "xpack.stackConnectors.components.casesWebhook.createCommentUrlHelp": "用于添加注释到案例的 API URL。", + "xpack.stackConnectors.components.casesWebhook.createCommentUrlTextFieldLabel": "创建注释 URL", + "xpack.stackConnectors.components.casesWebhook.createCommentWarningDesc": "为连接器配置“创建注释 URL”和“创建注释对象”字段以在外部共享注释。", + "xpack.stackConnectors.components.casesWebhook.createCommentWarningTitle": "无法共享案例注释", + "xpack.stackConnectors.components.casesWebhook.createIncidentJsonHelpText": "用于创建案例的 JSON 对象。使用变量选择器将案例数据添加到有效负载。", + "xpack.stackConnectors.components.casesWebhook.createIncidentJsonTextFieldLabel": "创建案例对象", + "xpack.stackConnectors.components.casesWebhook.createIncidentMethodTextFieldLabel": "创建案例方法", + "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyHelpText": "创建案例响应中包含外部案例 ID 的 JSON 键", + "xpack.stackConnectors.components.casesWebhook.createIncidentResponseKeyTextFieldLabel": "创建案例响应案例键", + "xpack.stackConnectors.components.casesWebhook.createIncidentUrlTextFieldLabel": "创建案例 URL", + "xpack.stackConnectors.components.casesWebhook.deleteHeaderButton": "删除", + "xpack.stackConnectors.components.casesWebhook.descriptionTextAreaFieldLabel": "描述", + "xpack.stackConnectors.components.casesWebhook.docLink": "正在配置 Webhook - 案例管理连接器。", + "xpack.stackConnectors.components.casesWebhook.error.requiredAuthUserNameText": "“用户名”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentIncidentText": "创建注释对象必须为有效 JSON。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentMethodText": "“创建注释方法”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateCommentUrlText": "创建注释 URL 必须为 URL 格式。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentResponseKeyText": "“创建案例响应案例 ID 键”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateIncidentText": "“创建案例对象”必填并且必须为有效 JSON。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateMethodText": "“创建案例方法”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredCreateUrlText": "“创建案例 URL”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseCreatedKeyText": "“获取案例响应创建日期键”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseExternalTitleKeyText": "“获取案例响应外部案例标题键”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentResponseUpdatedKeyText": "“获取案例响应更新日期键”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentUrlText": "“获取案例 URL”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredGetIncidentViewUrlKeyText": "“查看案例 URL”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateIncidentText": "“更新案例对象”必填并且必须为有效 JSON。", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateMethodText": "“更新案例方法”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredUpdateUrlText": "“更新案例 URL”必填。", + "xpack.stackConnectors.components.casesWebhook.error.requiredWebhookSummaryText": "“标题”必填。", + "xpack.stackConnectors.components.casesWebhook.externalIdDesc": "外部系统 ID", + "xpack.stackConnectors.components.casesWebhook.externalTitleDesc": "外部系统标题", + "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyHelp": "获取案例响应中包含外部案例标题的 JSON 键", + "xpack.stackConnectors.components.casesWebhook.getIncidentResponseExternalTitleKeyTextFieldLabel": "获取案例响应外部标题键", + "xpack.stackConnectors.components.casesWebhook.getIncidentUrlHelp": "用于从外部系统中获取案例详情 JSON 的 API URL。使用变量选择器添加外部系统 ID 到 URL。", + "xpack.stackConnectors.components.casesWebhook.getIncidentUrlTextFieldLabel": "获取案例 URL", + "xpack.stackConnectors.components.casesWebhook.hasAuthSwitchLabel": "此 Webhook 需要身份验证", + "xpack.stackConnectors.components.casesWebhook.httpHeadersTitle": "在用的标头", + "xpack.stackConnectors.components.casesWebhook.jsonCodeEditorAriaLabel": "代码编辑器", + "xpack.stackConnectors.components.casesWebhook.jsonFieldLabel": "JSON", + "xpack.stackConnectors.components.casesWebhook.keyTextFieldLabel": "钥匙", + "xpack.stackConnectors.components.casesWebhook.next": "下一步", + "xpack.stackConnectors.components.casesWebhook.passwordTextFieldLabel": "密码", + "xpack.stackConnectors.components.casesWebhook.previous": "上一步", + "xpack.stackConnectors.components.casesWebhook.selectMessageText": "发送请求到案例管理 Web 服务。", + "xpack.stackConnectors.components.casesWebhook.step1": "设置连接器", + "xpack.stackConnectors.components.casesWebhook.step2": "创建案例", + "xpack.stackConnectors.components.casesWebhook.step2Description": "设置字段以在外部系统中创建案例。查阅您服务的 API 文档以了解需要哪些字段", + "xpack.stackConnectors.components.casesWebhook.step3": "获取案例信息", + "xpack.stackConnectors.components.casesWebhook.step3Description": "设置字段以在外部系统中添加案例注释。对于某些系统,这可能采取与在案例中创建更新相同的方法。查阅您服务的 API 文档以了解需要哪些字段。", + "xpack.stackConnectors.components.casesWebhook.step4": "注释和更新", + "xpack.stackConnectors.components.casesWebhook.step4a": "在案例中创建更新", + "xpack.stackConnectors.components.casesWebhook.step4aDescription": "设置字段以在外部系统中创建案例更新。对于某些系统,这可能采取与添加案例注释相同的方法。", + "xpack.stackConnectors.components.casesWebhook.step4b": "在案例中添加注释", + "xpack.stackConnectors.components.casesWebhook.step4bDescription": "设置字段以在外部系统中添加案例注释。对于某些系统,这可能采取与在案例中创建更新相同的方法。", + "xpack.stackConnectors.components.casesWebhook.tagsFieldLabel": "标签", + "xpack.stackConnectors.components.casesWebhook.titleFieldLabel": "摘要(必填)", + "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonHelpl": "用于更新案例的 JSON 对象。使用变量选择器将案例数据添加到有效负载。", + "xpack.stackConnectors.components.casesWebhook.updateIncidentJsonTextFieldLabel": "更新案例对象", + "xpack.stackConnectors.components.casesWebhook.updateIncidentMethodTextFieldLabel": "更新案例方法", + "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlHelp": "用于更新案例的 API URL。", + "xpack.stackConnectors.components.casesWebhook.updateIncidentUrlTextFieldLabel": "更新案例 URL", + "xpack.stackConnectors.components.casesWebhook.userTextFieldLabel": "用户名", + "xpack.stackConnectors.components.casesWebhook.valueTextFieldLabel": "值", + "xpack.stackConnectors.components.casesWebhook.viewHeadersSwitch": "添加 HTTP 标头", + "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlHelp": "用于查看外部系统中的案例的 URL。使用变量选择器添加外部系统 ID 或外部系统标题到 URL。", + "xpack.stackConnectors.components.casesWebhook.viewIncidentUrlTextFieldLabel": "外部案例查看 URL", + "xpack.stackConnectors.components.casesWebhookxpack.stackConnectors.components.casesWebhook.connectorTypeTitle": "Webhook - 案例管理数据", + "xpack.stackConnectors.components.email.addBccButton": "密送", + "xpack.stackConnectors.components.email.addCcButton": "抄送", + "xpack.stackConnectors.components.email.amazonSesServerTypeLabel": "Amazon SES", + "xpack.stackConnectors.components.email.authenticationLabel": "身份验证", + "xpack.stackConnectors.components.email.clientIdFieldLabel": "客户端 ID", + "xpack.stackConnectors.components.email.clientSecretTextFieldLabel": "客户端密钥", + "xpack.stackConnectors.components.email.configureAccountsHelpLabel": "配置电子邮件帐户", + "xpack.stackConnectors.components.email.connectorTypeTitle": "发送到电子邮件", + "xpack.stackConnectors.components.email.elasticCloudServerTypeLabel": "Elastic Cloud", + "xpack.stackConnectors.components.email.error.invalidPortText": "端口无效。", + "xpack.stackConnectors.components.email.error.requiredAuthUserNameText": "“用户名”必填。", + "xpack.stackConnectors.components.email.error.requiredClientIdText": "“客户端 ID”必填。", + "xpack.stackConnectors.components.email.error.requiredEntryText": "未输入收件人、抄送、密送。 至少需要输入一个。", + "xpack.stackConnectors.components.email.error.requiredFromText": "“发送者”必填。", + "xpack.stackConnectors.components.email.error.requiredHostText": "“主机”必填。", + "xpack.stackConnectors.components.email.error.requiredMessageText": "“消息”必填。", + "xpack.stackConnectors.components.email.error.requiredPortText": "“端口”必填。", + "xpack.stackConnectors.components.email.error.requiredServiceText": "“服务”必填。", + "xpack.stackConnectors.components.email.error.requiredSubjectText": "“主题”必填。", + "xpack.stackConnectors.components.email.error.requiredTenantIdText": "“租户 ID”必填。", + "xpack.stackConnectors.components.email.exchangeForm.clientIdHelpLabel": "配置客户端 ID", + "xpack.stackConnectors.components.email.exchangeForm.clientSecretHelpLabel": "配置客户端密钥", + "xpack.stackConnectors.components.email.exchangeForm.tenantIdHelpLabel": "配置租户 ID", + "xpack.stackConnectors.components.email.exchangeServerTypeLabel": "MS Exchange Server", + "xpack.stackConnectors.components.email.fromTextFieldLabel": "发送者", + "xpack.stackConnectors.components.email.gmailServerTypeLabel": "Gmail", + "xpack.stackConnectors.components.email.hasAuthSwitchLabel": "需要对此服务器进行身份验证", + "xpack.stackConnectors.components.email.hostTextFieldLabel": "主机", + "xpack.stackConnectors.components.email.messageTextAreaFieldLabel": "消息", + "xpack.stackConnectors.components.email.otherServerTypeLabel": "其他", + "xpack.stackConnectors.components.email.outlookServerTypeLabel": "Outlook", + "xpack.stackConnectors.components.email.passwordFieldLabel": "密码", + "xpack.stackConnectors.components.email.portTextFieldLabel": "端口", + "xpack.stackConnectors.components.email.recipientBccTextFieldLabel": "密送", + "xpack.stackConnectors.components.email.recipientCopyTextFieldLabel": "抄送", + "xpack.stackConnectors.components.email.recipientTextFieldLabel": "至", + "xpack.stackConnectors.components.email.secureSwitchLabel": "安全", + "xpack.stackConnectors.components.email.selectMessageText": "从您的服务器发送电子邮件。", + "xpack.stackConnectors.components.email.serviceTextFieldLabel": "服务", + "xpack.stackConnectors.components.email.subjectTextFieldLabel": "主题", + "xpack.stackConnectors.components.email.tenantIdFieldLabel": "租户 ID", + "xpack.stackConnectors.components.email.updateErrorNotificationText": "无法获取服务配置", + "xpack.stackConnectors.components.email.userTextFieldLabel": "用户名", + "xpack.stackConnectors.components.index.configureIndexHelpLabel": "配置索引连接器。", + "xpack.stackConnectors.components.index.connectorSectionTitle": "写入到索引", + "xpack.stackConnectors.components.index.connectorTypeTitle": "索引数据", + "xpack.stackConnectors.components.index.definedateFieldTooltip": "将此时间字段设置为索引文档的时间。", + "xpack.stackConnectors.components.index.defineTimeFieldLabel": "为每个文档定义时间字段", + "xpack.stackConnectors.components.index.documentsFieldLabel": "要索引的文档", + "xpack.stackConnectors.components.index.error.badIndexOverrideSuffix": "告警历史记录索引必须包含有效的后缀。", + "xpack.stackConnectors.components.index.error.notValidIndexText": "索引无效。", + "xpack.stackConnectors.components.index.error.requiredDocumentJson": "“文档”必填,并且应为有效的 JSON 对象。", + "xpack.stackConnectors.components.index.executionTimeFieldLabel": "时间字段", + "xpack.stackConnectors.components.index.howToBroadenSearchQueryDescription": "使用 * 可扩大您的查询范围。", + "xpack.stackConnectors.components.index.indexDocumentHelpLabel": "索引文档示例。", + "xpack.stackConnectors.components.index.indicesToQueryLabel": "索引", + "xpack.stackConnectors.components.index.jsonDocAriaLabel": "代码编辑器", + "xpack.stackConnectors.components.index.preconfiguredIndex": "Elasticsearch 索引", + "xpack.stackConnectors.components.index.preconfiguredIndexDocLink": "查看文档。", + "xpack.stackConnectors.components.index.refreshLabel": "刷新索引", + "xpack.stackConnectors.components.index.refreshTooltip": "刷新影响的分片以使此操作对搜索可见。", + "xpack.stackConnectors.components.index.resetDefaultIndexLabel": "重置默认索引", + "xpack.stackConnectors.components.index.selectMessageText": "将数据索引到 Elasticsearch 中。", + "xpack.stackConnectors.components.jira.apiTokenTextFieldLabel": "API 令牌", + "xpack.stackConnectors.components.jira.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.jira.commentsTextAreaFieldLabel": "其他注释", + "xpack.stackConnectors.components.jira.connectorTypeTitle": "Jira", + "xpack.stackConnectors.components.jira.descriptionTextAreaFieldLabel": "描述", + "xpack.stackConnectors.components.jira.emailTextFieldLabel": "电子邮件地址", + "xpack.stackConnectors.components.jira.impactSelectFieldLabel": "标签", + "xpack.stackConnectors.components.jira.labelsSpacesErrorMessage": "标签不能包含空格。", + "xpack.stackConnectors.components.jira.parentIssueSearchLabel": "父问题", + "xpack.stackConnectors.components.jira.projectKey": "项目键", + "xpack.stackConnectors.components.jira.requiredSummaryTextField": "“摘要”必填。", + "xpack.stackConnectors.components.jira.searchIssuesComboBoxAriaLabel": "键入内容进行搜索", + "xpack.stackConnectors.components.jira.searchIssuesComboBoxPlaceholder": "键入内容进行搜索", + "xpack.stackConnectors.components.jira.searchIssuesLoading": "正在加载……", + "xpack.stackConnectors.components.jira.selectMessageText": "在 Jira 创建事件。", + "xpack.stackConnectors.components.jira.severitySelectFieldLabel": "优先级", + "xpack.stackConnectors.components.jira.summaryFieldLabel": "摘要(必填)", + "xpack.stackConnectors.components.jira.unableToGetFieldsMessage": "无法获取字段", + "xpack.stackConnectors.components.jira.unableToGetIssuesMessage": "无法获取问题", + "xpack.stackConnectors.components.jira.unableToGetIssueTypesMessage": "无法获取问题类型", + "xpack.stackConnectors.components.jira.urgencySelectFieldLabel": "问题类型", + "xpack.stackConnectors.components.opsgenie.actionLabel": "操作", + "xpack.stackConnectors.components.opsgenie.alertFieldsLabel": "告警字段", + "xpack.stackConnectors.components.opsgenie.aliasLabel": "别名", + "xpack.stackConnectors.components.opsgenie.aliasRequiredLabel": "别名(必填)", + "xpack.stackConnectors.components.opsgenie.apiKeySecret": "API 密钥", + "xpack.stackConnectors.components.opsgenie.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.opsgenie.closeAlertAction": "关闭告警", + "xpack.stackConnectors.components.opsgenie.connectorTypeTitle": "Opsgenie", + "xpack.stackConnectors.components.opsgenie.createAlertAction": "创建告警", + "xpack.stackConnectors.components.opsgenie.descriptionLabel": "描述", + "xpack.stackConnectors.components.opsgenie.documentation": "Opsgenie 文档", + "xpack.stackConnectors.components.opsgenie.entityLabel": "实体", + "xpack.stackConnectors.components.opsgenie.fieldAliasHelpText": "用于在 Opsgenie 中取消重复数据消除的唯一告警标识符。", + "xpack.stackConnectors.components.opsgenie.fieldEntityHelpText": "告警的域。例如,应用程序名称。", + "xpack.stackConnectors.components.opsgenie.fieldSourceHelpText": "告警来源的显示名称。", + "xpack.stackConnectors.components.opsgenie.fieldUserHelpText": "所有者的显示名称。", + "xpack.stackConnectors.components.opsgenie.hideOptions": "隐藏选项", + "xpack.stackConnectors.components.opsgenie.jsonEditorAriaLabel": "JSON 编辑器", + "xpack.stackConnectors.components.opsgenie.jsonEditorError": "存在 JSON 编辑器错误", + "xpack.stackConnectors.components.opsgenie.messageLabel": "消息(必填)", + "xpack.stackConnectors.components.opsgenie.messageNotDefined": "[消息]:应为[字符串]类型的值,但收到的是[未定义]", + "xpack.stackConnectors.components.opsgenie.messageNotWhitespace": "[消息]:必须用值而不只是空格填充", + "xpack.stackConnectors.components.opsgenie.moreOptions": "更多选项", + "xpack.stackConnectors.components.opsgenie.nonEmptyMessageField": "必须用值而不只是空格填充", + "xpack.stackConnectors.components.opsgenie.noteLabel": "备注", + "xpack.stackConnectors.components.opsgenie.priority1": "P1-紧急", + "xpack.stackConnectors.components.opsgenie.priority2": "P2-高", + "xpack.stackConnectors.components.opsgenie.priority3": "P3-适中", + "xpack.stackConnectors.components.opsgenie.priority4": "P4-低", + "xpack.stackConnectors.components.opsgenie.priority5": "P5-信息", + "xpack.stackConnectors.components.opsgenie.priorityLabel": "优先级", + "xpack.stackConnectors.components.opsgenie.requiredAliasTextField": "“别名”必填。", + "xpack.stackConnectors.components.opsgenie.requiredMessageTextField": "“消息”必填。", + "xpack.stackConnectors.components.opsgenie.ruleTagsDescription": "规则的标签。", + "xpack.stackConnectors.components.opsgenie.selectMessageText": "在 Opsgenie 中创建或关闭告警。", + "xpack.stackConnectors.components.opsgenie.sourceLabel": "源", + "xpack.stackConnectors.components.opsgenie.tagsHelp": "在每个标签后按 Enter 键可开始新的标签。", + "xpack.stackConnectors.components.opsgenie.tagsLabel": "Opsgenie 标签", + "xpack.stackConnectors.components.opsgenie.useJsonEditorLabel": "使用 JSON 编辑器", + "xpack.stackConnectors.components.opsgenie.userLabel": "用户", + "xpack.stackConnectors.components.pagerDuty.apiUrlInvalid": "API URL 无效", + "xpack.stackConnectors.components.pagerDuty.apiUrlTextFieldLabel": "API URL(可选)", + "xpack.stackConnectors.components.pagerDuty.classFieldLabel": "类(可选)", + "xpack.stackConnectors.components.pagerDuty.componentTextFieldLabel": "组件(可选)", + "xpack.stackConnectors.components.pagerDuty.connectorTypeTitle": "发送到 PagerDuty", + "xpack.stackConnectors.components.pagerDuty.dedupKeyTextFieldLabel": "DedupKey(可选)", + "xpack.stackConnectors.components.pagerDuty.dedupKeyTextRequiredFieldLabel": "DedupKey", + "xpack.stackConnectors.components.pagerDuty.error.requiredDedupKeyText": "解决或确认事件时需要 DedupKey。", + "xpack.stackConnectors.components.pagerDuty.error.requiredRoutingKeyText": "需要集成密钥/路由密钥。", + "xpack.stackConnectors.components.pagerDuty.error.requiredSummaryText": "“摘要”必填。", + "xpack.stackConnectors.components.pagerDuty.eventActionSelectFieldLabel": "事件操作", + "xpack.stackConnectors.components.pagerDuty.eventSelectAcknowledgeOptionLabel": "确认", + "xpack.stackConnectors.components.pagerDuty.eventSelectResolveOptionLabel": "解决", + "xpack.stackConnectors.components.pagerDuty.eventSelectTriggerOptionLabel": "触发", + "xpack.stackConnectors.components.pagerDuty.groupTextFieldLabel": "组(可选)", + "xpack.stackConnectors.components.pagerDuty.routingKeyNameHelpLabel": "配置 PagerDuty 帐户", + "xpack.stackConnectors.components.pagerDuty.routingKeyTextFieldLabel": "集成密钥", + "xpack.stackConnectors.components.pagerDuty.selectMessageText": "在 PagerDuty 中发送事件。", + "xpack.stackConnectors.components.pagerDuty.severitySelectCriticalOptionLabel": "紧急", + "xpack.stackConnectors.components.pagerDuty.severitySelectErrorOptionLabel": "错误", + "xpack.stackConnectors.components.pagerDuty.severitySelectFieldLabel": "严重性(可选)", + "xpack.stackConnectors.components.pagerDuty.severitySelectInfoOptionLabel": "信息", + "xpack.stackConnectors.components.pagerDuty.severitySelectWarningOptionLabel": "警告", + "xpack.stackConnectors.components.pagerDuty.sourceTextFieldLabel": "源(可选)", + "xpack.stackConnectors.components.pagerDuty.summaryFieldLabel": "摘要", + "xpack.stackConnectors.components.pagerDuty.timestampTextFieldLabel": "时间戳(可选)", + "xpack.stackConnectors.components.resilient.apiKeyId": "API 密钥 ID", + "xpack.stackConnectors.components.resilient.apiKeySecret": "API 密钥密码", + "xpack.stackConnectors.components.resilient.apiUrlTextFieldLabel": "URL", + "xpack.stackConnectors.components.resilient.commentsTextAreaFieldLabel": "其他注释", + "xpack.stackConnectors.components.resilient.connectorTypeTitle": "Resilient", + "xpack.stackConnectors.components.resilient.descriptionTextAreaFieldLabel": "描述", + "xpack.stackConnectors.components.resilient.nameFieldLabel": "名称(必填)", + "xpack.stackConnectors.components.resilient.orgId": "组织 ID", + "xpack.stackConnectors.components.resilient.requiredNameTextField": "“名称”必填。", + "xpack.stackConnectors.components.resilient.selectMessageText": "在 IBM Resilient 中创建事件。", + "xpack.stackConnectors.components.resilient.severity": "严重性", + "xpack.stackConnectors.components.resilient.unableToGetIncidentTypesMessage": "无法获取事件类型", + "xpack.stackConnectors.components.resilient.unableToGetSeverityMessage": "无法获取严重性", + "xpack.stackConnectors.components.resilient.urgencySelectFieldLabel": "事件类型", + "xpack.stackConnectors.components.serverLog.connectorTypeTitle": "发送到服务器日志", + "xpack.stackConnectors.components.serverLog.error.requiredServerLogMessageText": "“消息”必填。", + "xpack.stackConnectors.components.serverLog.logLevelFieldLabel": "级别", + "xpack.stackConnectors.components.serverLog.logMessageFieldLabel": "消息", + "xpack.stackConnectors.components.serverLog.selectMessageText": "将消息添加到 Kibana 日志。", + "xpack.stackConnectors.components.serviceNow.apiUrlTextFieldLabel": "ServiceNow 实例 URL", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout": "未安装 Elastic ServiceNow 应用", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.content": "请前往 ServiceNow 应用商店并安装该应用程序", + "xpack.stackConnectors.components.serviceNow.applicationRequiredCallout.errorMessage": "错误消息", + "xpack.stackConnectors.components.serviceNow.authenticationLabel": "身份验证", + "xpack.stackConnectors.components.serviceNow.cancelButtonText": "取消", + "xpack.stackConnectors.components.serviceNow.categoryTitle": "类别", + "xpack.stackConnectors.components.serviceNow.clientIdTextFieldLabel": "客户端 ID", + "xpack.stackConnectors.components.serviceNow.clientSecretTextFieldLabel": "客户端密钥", + "xpack.stackConnectors.components.serviceNow.commentsTextAreaFieldLabel": "其他注释", + "xpack.stackConnectors.components.serviceNow.confirmButtonText": "更新", + "xpack.stackConnectors.components.serviceNow.correlationDisplay": "相关性显示(可选)", + "xpack.stackConnectors.components.serviceNow.correlationID": "相关性 ID(可选)", + "xpack.stackConnectors.components.serviceNow.correlationIDHelpLabel": "用于更新事件的标识符", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutCreate": "或新建一个。", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutMigrate": "更新此连接器,", + "xpack.stackConnectors.components.serviceNow.deprecatedCalloutTitle": "此连接器类型已过时", + "xpack.stackConnectors.components.serviceNow.deprecatedTooltipTitle": "过时连接器", + "xpack.stackConnectors.components.serviceNow.descriptionTextAreaFieldLabel": "描述", + "xpack.stackConnectors.components.serviceNow.eventClassTextAreaFieldLabel": "源实例", + "xpack.stackConnectors.components.serviceNow.fetchErrorMsg": "无法提取。检查 ServiceNow 实例的 URL 或 CORS 配置。", + "xpack.stackConnectors.components.serviceNow.impactSelectFieldLabel": "影响", + "xpack.stackConnectors.components.serviceNow.installationCalloutTitle": "要使用此连接器,请先从 ServiceNow 应用商店安装 Elastic 应用。", + "xpack.stackConnectors.components.serviceNow.invalidApiUrlTextField": "URL 无效。", + "xpack.stackConnectors.components.serviceNow.keyIdTextFieldLabel": "JWT Verifier 密钥 ID", + "xpack.stackConnectors.components.serviceNow.messageKeyTextAreaFieldLabel": "消息密钥", + "xpack.stackConnectors.components.serviceNow.metricNameTextAreaFieldLabel": "指标名称", + "xpack.stackConnectors.components.serviceNow.nodeTextAreaFieldLabel": "节点", + "xpack.stackConnectors.components.serviceNow.passwordTextFieldLabel": "密码", + "xpack.stackConnectors.components.serviceNow.prioritySelectFieldLabel": "优先级", + "xpack.stackConnectors.components.serviceNow.privateKeyPassLabelHelpText": "仅在设置了私钥密码时才需要此项", + "xpack.stackConnectors.components.serviceNow.privateKeyPassTextFieldLabel": "私钥密码", + "xpack.stackConnectors.components.serviceNow.privateKeyTextFieldLabel": "私钥", + "xpack.stackConnectors.components.serviceNow.requiredClientIdTextField": "“客户端 ID”必填。", + "xpack.stackConnectors.components.serviceNow.requiredKeyIdTextField": "JWT Verifier 密钥 ID 必填。", + "xpack.stackConnectors.components.serviceNow.requiredPrivateKeyTextField": "“私钥”必填。", + "xpack.stackConnectors.components.serviceNow.requiredSeverityTextField": "“严重性”必填。", + "xpack.stackConnectors.components.serviceNow.requiredShortDescTextField": "“简短描述”必填。", + "xpack.stackConnectors.components.serviceNow.requiredUserIdentifierTextField": "“用户标识符”必填。", + "xpack.stackConnectors.components.serviceNow.requiredUsernameTextField": "“用户名”必填。", + "xpack.stackConnectors.components.serviceNow.resourceTextAreaFieldLabel": "资源", + "xpack.stackConnectors.components.serviceNow.setupDevInstance": "设置开发者实例", + "xpack.stackConnectors.components.serviceNow.severityRequiredSelectFieldLabel": "严重性(必需)", + "xpack.stackConnectors.components.serviceNow.severitySelectFieldLabel": "严重性", + "xpack.stackConnectors.components.serviceNow.snInstanceLabel": "ServiceNow 实例", + "xpack.stackConnectors.components.serviceNow.sourceTextAreaFieldLabel": "源", + "xpack.stackConnectors.components.serviceNow.subcategoryTitle": "子类别", + "xpack.stackConnectors.components.serviceNow.title": "事件", + "xpack.stackConnectors.components.serviceNow.titleFieldLabel": "简短描述(必填)", + "xpack.stackConnectors.components.serviceNow.typeTextAreaFieldLabel": "类型", + "xpack.stackConnectors.components.serviceNow.unableToGetChoicesMessage": "无法获取选项", + "xpack.stackConnectors.components.serviceNow.unknown": "未知", + "xpack.stackConnectors.components.serviceNow.updateCalloutText": "连接器已更新。", + "xpack.stackConnectors.components.serviceNow.updateFormCredentialsTitle": "提供身份验证凭据", + "xpack.stackConnectors.components.serviceNow.updateFormInstallTitle": "安装 Elastic ServiceNow 应用", + "xpack.stackConnectors.components.serviceNow.updateFormTitle": "更新 ServiceNow 连接器", + "xpack.stackConnectors.components.serviceNow.updateFormUrlTitle": "输入 ServiceNow 实例 URL", + "xpack.stackConnectors.components.serviceNow.urgencySelectFieldLabel": "紧急性", + "xpack.stackConnectors.components.serviceNow.useOAuth": "使用 OAuth 身份验证", + "xpack.stackConnectors.components.serviceNow.userEmailTextFieldLabel": "用户标识符", + "xpack.stackConnectors.components.serviceNow.usernameTextFieldLabel": "用户名", + "xpack.stackConnectors.components.serviceNow.visitSNStore": "访问 ServiceNow 应用商店", + "xpack.stackConnectors.components.serviceNow.warningMessage": "这会更新此连接器的所有实例并且无法恢复。", + "xpack.stackConnectors.components.serviceNowITOM.connectorTypeTitle": "ServiceNow ITOM", + "xpack.stackConnectors.components.serviceNowITOM.event": "事件", + "xpack.stackConnectors.components.serviceNowITOM.selectMessageText": "在 ServiceNow ITOM 中创建事件。", + "xpack.stackConnectors.components.serviceNowITSM.connectorTypeTitle": "ServiceNow ITSM", + "xpack.stackConnectors.components.serviceNowITSM.selectMessageText": "在 ServiceNow ITSM 中创建事件。", + "xpack.stackConnectors.components.serviceNowSIR.connectorTypeTitle": "ServiceNow SecOps", + "xpack.stackConnectors.components.serviceNowSIR.correlationIDHelpLabel": "用于更新事件的标识符", + "xpack.stackConnectors.components.serviceNowSIR.selectMessageText": "在 ServiceNow SecOps 中创建事件。", + "xpack.stackConnectors.components.serviceNowSIR.title": "安全事件", + "xpack.stackConnectors.components.slack..error.requiredSlackMessageText": "“消息”必填。", + "xpack.stackConnectors.components.slack.connectorTypeTitle": "发送到 Slack", + "xpack.stackConnectors.components.slack.error.invalidWebhookUrlText": "Webhook URL 无效。", + "xpack.stackConnectors.components.slack.messageTextAreaFieldLabel": "消息", + "xpack.stackConnectors.components.slack.selectMessageText": "向 Slack 频道或用户发送消息。", + "xpack.stackConnectors.components.slack.webhookUrlHelpLabel": "创建 Slack webhook URL", + "xpack.stackConnectors.components.slack.webhookUrlTextFieldLabel": "Webhook URL", + "xpack.stackConnectors.components.swimlane.alertIdFieldLabel": "告警 ID", + "xpack.stackConnectors.components.swimlane.apiTokenNameHelpLabel": "提供泳道 API 令牌", + "xpack.stackConnectors.components.swimlane.apiTokenTextFieldLabel": "API 令牌", + "xpack.stackConnectors.components.swimlane.apiUrlTextFieldLabel": "API URL", + "xpack.stackConnectors.components.swimlane.appIdTextFieldLabel": "应用程序 ID", + "xpack.stackConnectors.components.swimlane.caseIdFieldLabel": "案例 ID", + "xpack.stackConnectors.components.swimlane.caseNameFieldLabel": "案例名称", + "xpack.stackConnectors.components.swimlane.commentsFieldLabel": "注释", + "xpack.stackConnectors.components.swimlane.configureConnectionLabel": "配置 API 连接", + "xpack.stackConnectors.components.swimlane.connectorType": "连接器类型", + "xpack.stackConnectors.components.swimlane.connectorTypeTitle": "创建泳道记录", + "xpack.stackConnectors.components.swimlane.descriptionFieldLabel": "描述", + "xpack.stackConnectors.components.swimlane.emptyMappingWarningDesc": "无法选择此连接器,因为其缺失所需的告警字段映射。您可以编辑此连接器以添加所需的字段映射或选择告警类型的连接器。", + "xpack.stackConnectors.components.swimlane.emptyMappingWarningTitle": "此连接器缺失字段映射", + "xpack.stackConnectors.components.swimlane.error.requiredAlertID": "“告警 ID”必填。", + "xpack.stackConnectors.components.swimlane.error.requiredAppIdText": "“应用 ID”必填。", + "xpack.stackConnectors.components.swimlane.error.requiredCaseID": "“案例 ID”必填。", + "xpack.stackConnectors.components.swimlane.error.requiredCaseName": "“案例名称”必填。", + "xpack.stackConnectors.components.swimlane.error.requiredComments": "“注释”必填。", + "xpack.stackConnectors.components.swimlane.error.requiredDescription": "“描述”必填。", + "xpack.stackConnectors.components.swimlane.error.requiredRuleName": "“规则名称”必填。", + "xpack.stackConnectors.components.swimlane.error.requiredSeverity": "“严重性”必填。", + "xpack.stackConnectors.components.swimlane.invalidApiUrlTextField": "URL 无效。", + "xpack.stackConnectors.components.swimlane.mappingTitleTextFieldLabel": "配置字段映射", + "xpack.stackConnectors.components.swimlane.nextStep": "下一步", + "xpack.stackConnectors.components.swimlane.nextStepHelpText": "如果未配置字段映射,泳道连接器类型将设置为 all。", + "xpack.stackConnectors.components.swimlane.prevStep": "返回", + "xpack.stackConnectors.components.swimlane.ruleNameFieldLabel": "规则名称", + "xpack.stackConnectors.components.swimlane.selectMessageText": "在泳道中创建记录", + "xpack.stackConnectors.components.swimlane.severityFieldLabel": "严重性", + "xpack.stackConnectors.components.swimlane.unableToGetApplicationFieldsMessage": "无法获取应用程序字段", + "xpack.stackConnectors.components.teams.connectorTypeTitle": "向 Microsoft Teams 频道发送消息。", + "xpack.stackConnectors.components.teams.error.invalidWebhookUrlText": "Webhook URL 无效。", + "xpack.stackConnectors.components.teams.error.requiredMessageText": "“消息”必填。", + "xpack.stackConnectors.components.teams.error.webhookUrlTextLabel": "Webhook URL", + "xpack.stackConnectors.components.teams.messageTextAreaFieldLabel": "消息", + "xpack.stackConnectors.components.teams.selectMessageText": "向 Microsoft Teams 频道发送消息。", + "xpack.stackConnectors.components.teams.webhookUrlHelpLabel": "创建 Microsoft Teams Webhook URL", + "xpack.stackConnectors.components.webhook.addHeaderButtonLabel": "添加标头", + "xpack.stackConnectors.components.webhook.authenticationLabel": "身份验证", + "xpack.stackConnectors.components.webhook.bodyCodeEditorAriaLabel": "代码编辑器", + "xpack.stackConnectors.components.webhook.bodyFieldLabel": "正文", + "xpack.stackConnectors.components.webhook.connectorTypeTitle": "Webhook 数据", + "xpack.stackConnectors.components.webhook.error.invalidUrlTextField": "URL 无效。", + "xpack.stackConnectors.components.webhook.error.requiredAuthUserNameText": "“用户名”必填。", + "xpack.stackConnectors.components.webhook.error.requiredMethodText": "“方法”必填", + "xpack.stackConnectors.components.webhook.error.requiredWebhookBodyText": "“正文”必填。", + "xpack.stackConnectors.components.webhook.hasAuthSwitchLabel": "此 Webhook 需要身份验证", + "xpack.stackConnectors.components.webhook.headerKeyTextFieldLabel": "钥匙", + "xpack.stackConnectors.components.webhook.headerValueTextFieldLabel": "值", + "xpack.stackConnectors.components.webhook.methodTextFieldLabel": "方法", + "xpack.stackConnectors.components.webhook.passwordTextFieldLabel": "密码", + "xpack.stackConnectors.components.webhook.removeHeaderIconLabel": "钥匙", + "xpack.stackConnectors.components.webhook.selectMessageText": "将请求发送到 Web 服务。", + "xpack.stackConnectors.components.webhook.urlTextFieldLabel": "URL", + "xpack.stackConnectors.components.webhook.userTextFieldLabel": "用户名", + "xpack.stackConnectors.components.webhook.viewHeadersSwitch": "添加 HTTP 标头", + "xpack.stackConnectors.components.xmatters.authenticationLabel": "身份验证", + "xpack.stackConnectors.components.xmatters.basicAuthButtonGroupLegend": "基本身份验证", + "xpack.stackConnectors.components.xmatters.basicAuthLabel": "基本身份验证", + "xpack.stackConnectors.components.xmatters.connectorSettingsLabel": "选择在设置 xMatters 触发器时使用的身份验证方法。", + "xpack.stackConnectors.components.xmatters.connectorTypeTitle": "xMatters 数据", + "xpack.stackConnectors.components.xmatters.error.invalidUrlTextField": "URL 无效。", + "xpack.stackConnectors.components.xmatters.error.invalidUsernameTextField": "用户名无效。", + "xpack.stackConnectors.components.xmatters.error.requiredUrlText": "“URL”必填。", + "xpack.stackConnectors.components.xmatters.initiationUrlHelpText": "包括完整 xMatters url。", + "xpack.stackConnectors.components.xmatters.passwordTextFieldLabel": "密码", + "xpack.stackConnectors.components.xmatters.selectMessageText": "触发 xMatters 工作流。", + "xpack.stackConnectors.components.xmatters.severity": "严重性", + "xpack.stackConnectors.components.xmatters.severitySelectCriticalOptionLabel": "紧急", + "xpack.stackConnectors.components.xmatters.severitySelectHighOptionLabel": "高", + "xpack.stackConnectors.components.xmatters.severitySelectLowOptionLabel": "低", + "xpack.stackConnectors.components.xmatters.severitySelectMediumOptionLabel": "中", + "xpack.stackConnectors.components.xmatters.severitySelectMinimalOptionLabel": "最小", + "xpack.stackConnectors.components.xmatters.tags": "标签", + "xpack.stackConnectors.components.xmatters.urlAuthLabel": "URL 身份验证", + "xpack.stackConnectors.components.xmatters.urlLabel": "发起 URL", + "xpack.stackConnectors.components.xmatters.userCredsLabel": "用户凭据", + "xpack.stackConnectors.components.xmatters.userTextFieldLabel": "用户名", + "xpack.stackConnectors.email.errorSendingErrorMessage": "发送电子邮件时出错", + "xpack.stackConnectors.email.kibanaFooterLinkText": "前往 Kibana", + "xpack.stackConnectors.email.sentByKibanaMessage": "此消息由 Kibana 发送。", + "xpack.stackConnectors.email.title": "电子邮件", + "xpack.stackConnectors.esIndex.errorIndexingErrorMessage": "索引文档时出错", + "xpack.stackConnectors.esIndex.title": "索引", + "xpack.stackConnectors.jira.title": "Jira", + "xpack.stackConnectors.opsgenie.name": "Opsgenie", + "xpack.stackConnectors.opsgenie.unknownError": "未知错误", + "xpack.stackConnectors.pagerduty.postingErrorMessage": "发布 pagerduty 事件时出错", + "xpack.stackConnectors.pagerduty.title": "PagerDuty", + "xpack.stackConnectors.pagerduty.unexpectedNullResponseErrorMessage": "来自 PagerDuty 的异常空响应", + "xpack.stackConnectors.resilient.title": "IBM Resilient", + "xpack.stackConnectors.sections.ospgenie.loadingJsonEditor": "正在加载 JSON 编辑器", + "xpack.stackConnectors.security.tines.config.authenticationTitle": "身份验证", + "xpack.stackConnectors.security.tines.config.emailTextFieldLabel": "电子邮件", + "xpack.stackConnectors.security.tines.config.error.invalidUrlTextField": "租户 URL 无效。", + "xpack.stackConnectors.security.tines.config.error.requiredAuthTokenText": "“身份验证令牌”必填。", + "xpack.stackConnectors.security.tines.config.error.requiredEmailText": "“电子邮件”必填。", + "xpack.stackConnectors.security.tines.config.selectMessageText": "发送事件到故事。", + "xpack.stackConnectors.security.tines.config.tokenTextFieldLabel": "API 令牌", + "xpack.stackConnectors.security.tines.config.urlTextFieldLabel": "Tines 租户 URL", + "xpack.stackConnectors.security.tines.params.bodyFieldAriaLabel": "请求正文有效负载", + "xpack.stackConnectors.security.tines.params.bodyFieldLabel": "正文", + "xpack.stackConnectors.security.tines.params.componentError.storiesRequestFailed": "从 Tines 中检索故事时出错", + "xpack.stackConnectors.security.tines.params.componentError.webhooksRequestFailed": "从 Tines 中检索 Webhook 操作时出错", + "xpack.stackConnectors.security.tines.params.componentWarning.storyNotFound": "找不到保存的故事。请从选择器中选择有效故事", + "xpack.stackConnectors.security.tines.params.componentWarning.webhookNotFound": "找不到保存的 Webhook。请从选择器中选择有效 Webhook", + "xpack.stackConnectors.security.tines.params.disabledByWebhookUrlPlaceholder": "移除 Webhook URL 以使用此选择器", + "xpack.stackConnectors.security.tines.params.error.invalidActionText": "操作名称无效。", + "xpack.stackConnectors.security.tines.params.error.invalidBodyText": "正文不包含有效 JSON 格式。", + "xpack.stackConnectors.security.tines.params.error.invalidHostnameWebhookUrlText": "Webhook URL 不包含有效的“.tines.com”域。", + "xpack.stackConnectors.security.tines.params.error.invalidProtocolWebhookUrlText": "Webhook URL 不包含有效的“https”协议。", + "xpack.stackConnectors.security.tines.params.error.invalidWebhookUrlText": "Webhook URL 无效。", + "xpack.stackConnectors.security.tines.params.error.requiredActionText": "“操作”必填。", + "xpack.stackConnectors.security.tines.params.error.requiredBodyText": "“正文”必填。", + "xpack.stackConnectors.security.tines.params.error.requiredStoryText": "“故事”必填。", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookPathText": "缺少 Webhook 操作路径。", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookSecretText": "缺少 Webhook 操作密钥。", + "xpack.stackConnectors.security.tines.params.error.requiredWebhookText": "“Webhook”必填。", + "xpack.stackConnectors.security.tines.params.storyFieldAriaLabel": "选择 Tines 故事", + "xpack.stackConnectors.security.tines.params.storyFieldLabel": "Tines 故事", + "xpack.stackConnectors.security.tines.params.storyHelp": "要将事件发送到的 Tines 故事", + "xpack.stackConnectors.security.tines.params.storyPlaceholder": "选择一个故事", + "xpack.stackConnectors.security.tines.params.storyPublishedBadgeText": "已发布", + "xpack.stackConnectors.security.tines.params.webhookDisabledPlaceholder": "先选择一个故事", + "xpack.stackConnectors.security.tines.params.webhookFieldAriaLabel": "选择 Tines Webhook 操作", + "xpack.stackConnectors.security.tines.params.webhookFieldLabel": "Tines Webhook 操作", + "xpack.stackConnectors.security.tines.params.webhookHelp": "故事中的数据输入操作", + "xpack.stackConnectors.security.tines.params.webhookPlaceholder": "选择 Webhook 操作", + "xpack.stackConnectors.security.tines.params.webhookUrlFallbackTitle": "已达到 Tines API 结果上限", + "xpack.stackConnectors.security.tines.params.webhookUrlFieldLabel": "Webhook URL", + "xpack.stackConnectors.security.tines.params.webhookUrlHelp": "如果定义了 Webhook URL,将忽略故事和 Webhook 选择器", + "xpack.stackConnectors.security.tines.params.webhookUrlPlaceholder": "在此处粘贴 Webhook URL", + "xpack.stackConnectors.serverLog.errorLoggingErrorMessage": "记录消息时出错", + "xpack.stackConnectors.serverLog.title": "服务器日志", + "xpack.stackConnectors.serviceNow.configuration.apiBasicAuthCredentialsError": "必须同时指定用户名和密码", + "xpack.stackConnectors.serviceNow.configuration.apiCredentialsError": "必须指定基本身份验证或 OAuth 凭据", + "xpack.stackConnectors.serviceNow.configuration.apiOAuthCredentialsError": "必须同时指定 clientSecret 和 privateKey", + "xpack.stackConnectors.serviceNow.title": "ServiceNow", + "xpack.stackConnectors.serviceNowITOM.title": "ServiceNow ITOM", + "xpack.stackConnectors.serviceNowITSM.title": "ServiceNow ITSM", + "xpack.stackConnectors.serviceNowSIR.title": "ServiceNow SecOps", + "xpack.stackConnectors.slack.configurationErrorNoHostname": "配置 slack 操作时出错:无法解析 webhookUrl 中的主机名", + "xpack.stackConnectors.slack.errorPostingErrorMessage": "发布 slack 消息时出错", + "xpack.stackConnectors.slack.errorPostingRetryLaterErrorMessage": "发布 slack 消息时出错,稍后重试", + "xpack.stackConnectors.slack.title": "Slack", + "xpack.stackConnectors.slack.unexpectedNullResponseErrorMessage": "来自 slack 的异常空响应", + "xpack.stackConnectors.swimlane.title": "泳道", + "xpack.stackConnectors.teams.configurationErrorNoHostname": "配置 Teams 操作时出错:无法解析 webhookUrl 中的主机名", + "xpack.stackConnectors.teams.errorPostingRetryLaterErrorMessage": "发布 Microsoft Teams 消息时出错,请稍后重试", + "xpack.stackConnectors.teams.invalidResponseErrorMessage": "向 Microsoft Teams 发布时出错,无效响应", + "xpack.stackConnectors.teams.title": "Microsoft Teams", + "xpack.stackConnectors.teams.unexpectedNullResponseErrorMessage": "来自 Microsoft Teams 的异常空响应", + "xpack.stackConnectors.teams.unreachableErrorMessage": "向 Microsoft Teams 发布时出错,意外错误", + "xpack.stackConnectors.webhook.invalidResponseErrorMessage": "调用 webhook 时出错,响应无效", + "xpack.stackConnectors.webhook.invalidResponseRetryLaterErrorMessage": "调用 webhook 时出错,请稍后重试", + "xpack.stackConnectors.webhook.invalidUsernamePassword": "必须指定用户及密码", + "xpack.stackConnectors.webhook.requestFailedErrorMessage": "调用 webhook 时出错,请求失败", + "xpack.stackConnectors.webhook.title": "Webhook", + "xpack.stackConnectors.webhook.unexpectedNullResponseErrorMessage": "来自 Webhook 的异常空响应", + "xpack.stackConnectors.webhook.unreachableErrorMessage": "调用时 webhook 出错,非预期错误", + "xpack.stackConnectors.xmatters.invalidUsernamePassword": "必须同时指定用户和密码。", + "xpack.stackConnectors.xmatters.missingConfigUrl": "请提供有效的 configUrl", + "xpack.stackConnectors.xmatters.missingPassword": "请提供有效密码", + "xpack.stackConnectors.xmatters.missingSecretsUrl": "请提供具有 API 密钥的有效 secretsUrl", + "xpack.stackConnectors.xmatters.missingUser": "请提供有效用户名", + "xpack.stackConnectors.xmatters.noSecretsProvided": "请提供 secretsUrl 链接或用户/密码以进行身份验证", + "xpack.stackConnectors.xmatters.noUserPassWhenSecretsUrl": "无法将用户/密码用于 URL 身份验证。请提供有效 secretsUrl 或使用基本身份验证。", + "xpack.stackConnectors.xmatters.postingErrorMessage": "触发 xMatters 工作流时出错", + "xpack.stackConnectors.xmatters.shouldNotHaveConfigUrl": "usesBasic 为 false 时不得提供 configUrl", + "xpack.stackConnectors.xmatters.shouldNotHaveSecretsUrl": "usesBasic 为 true 时不得提供 secretsUrl", + "xpack.stackConnectors.xmatters.shouldNotHaveUsernamePassword": "usesBasic 为 false 时不得提供用户名和密码", + "xpack.stackConnectors.xmatters.title": "xMatters", + "xpack.stackConnectors.xmatters.unexpectedNullResponseErrorMessage": "来自 xmatters 的异常空响应", + "xpack.synthetics.addMonitor.pageHeader.description": "有关可用监测类型和其他选项的更多信息,请参阅我们的 {docs}。", "xpack.synthetics.addMonitorRoute.title": "添加监测 | {baseTitle}", "xpack.synthetics.alerts.durationAnomaly.defaultActionMessage": "{anomalyStartTimestamp} 在 url {monitorUrl} 的 {monitor} 上检测到异常({severity} 级别)响应时间。异常严重性分数为 {severityScore}。\n从位置 {observerLocation} 检测到高达 {slowestAnomalyResponse} 的响应时间。预期响应时间为 {expectedResponseTime}。", "xpack.synthetics.alerts.durationAnomaly.defaultRecoveryMessage": "{anomalyStartTimestamp} 从位置 {observerLocation} 在 url {monitorUrl} 的监测 {monitor} 上检测到异常({severity} 级别)响应时间的告警已恢复", @@ -30360,16 +33147,21 @@ "xpack.synthetics.alerts.tls.validBeforeExpiredString": "自 {relativeDate} 天前,即 {date}开始生效。", "xpack.synthetics.alerts.tls.validBeforeExpiringString": "从现在到 {date}的 {relativeDate} 天里无效。", "xpack.synthetics.availabilityLabelText": "{value} %", + "xpack.synthetics.browser.zipUrl.deprecation.content": "Zip URL 已弃用,将在未来版本中移除。请改用项目监测以从远程存储库创建监测并迁移现有 Zip URL 监测。{link}", "xpack.synthetics.certificates.heading": "TLS 证书 ({total})", "xpack.synthetics.certificatesRoute.title": "证书 | {baseTitle}", "xpack.synthetics.certs.status.ok.label": " 对于 {okRelativeDate}", "xpack.synthetics.charts.mlAnnotation.header": "分数:{score}", "xpack.synthetics.charts.mlAnnotation.severity": "严重性:{severity}", "xpack.synthetics.controls.selectSeverity.scoreDetailsDescription": "{value} 及以上分数", + "xpack.synthetics.createMonitorRoute.title": "创建监测 | {baseTitle}", "xpack.synthetics.createPackagePolicy.stepConfigure.browserAdvancedSettings.throttling.throttling_exceeded.message": "您已超出 Synthetic 节点的 { throttlingField } 限制。{ throttlingField } 值不能大于 { limit }Mbps。", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.deprecation.content": "Zip URL 已弃用,将在未来版本中移除。请改用项目监测以从远程存储库创建监测并迁移现有 Zip URL 监测。{link}", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.content": "要创建“浏览器”监测,请确保使用 {agent} Docker 容器,其中包含运行这些监测的依赖项。有关更多信息,请访问我们的 {link}。", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.params.helpText": "请使用 JSON 来定义可在您的脚本中通过 {code} 引用的参数", "xpack.synthetics.durationChart.emptyPrompt.description": "在选定时间范围内此监测从未{emphasizedText}。", "xpack.synthetics.editMonitorRoute.title": "编辑监测 | {baseTitle}", + "xpack.synthetics.errorDetailsRoute.title": "错误详情 | {baseTitle}", "xpack.synthetics.gettingStartedRoute.title": "Synthetics 入门 | {baseTitle}", "xpack.synthetics.keyValuePairsField.deleteItem.label": "删除项目编号 {index},{key}:{value}", "xpack.synthetics.management.monitorDisabledSuccessMessage": "已成功禁用监测 {name}。", @@ -30379,14 +33171,28 @@ "xpack.synthetics.management.monitorList.frequencyInSeconds": "{countSeconds, number} {countSeconds, plural, other {秒}}", "xpack.synthetics.management.monitorList.recordRange": "正在显示第 {range} 个(共 {total} 个){monitorsLabel}", "xpack.synthetics.management.monitorList.recordRangeLabel": "{monitorCount, plural, other {监测}}", + "xpack.synthetics.management.monitorList.recordTotal": "正在显示 {total} 个 {monitorsLabel}", "xpack.synthetics.ml.enableAnomalyDetectionPanel.manageMLJobDescription": "创建作业后,可以在 {mlJobsPageLink} 中管理作业以及查看更多详细信息。", "xpack.synthetics.monitor.simpleStatusAlert.email.subject": "URL 为 {url} 的监测 {monitor} 已关闭", + "xpack.synthetics.monitor.stepOfSteps": "第 {stepNumber} 步,共 {totalSteps} 步", "xpack.synthetics.monitorCharts.durationChart.leftAxis.title": "持续时间 ({unit})", "xpack.synthetics.monitorCharts.monitorDuration.titleLabelWithAnomaly": "监测持续时间(异常:{noOfAnomalies})", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.description": "使用 Elastic Synthetics 记录器生成并上传脚本。或者,您也可以在脚本编辑器中编辑现有 {playwright} 脚本(或粘贴新脚本)。", + "xpack.synthetics.monitorConfig.monitorScriptStep.description": "使用 Elastic Synthetics 记录器生成一段脚本,然后上传。或者,您也可以编写自己的 {playwright} 脚本,然后将其粘贴到脚本编辑器。", + "xpack.synthetics.monitorConfig.schedule.label": "每 {value, number} {value, plural, other {小时}}", + "xpack.synthetics.monitorConfig.schedule.minutes.label": "每 {value, number} {value, plural, other {分钟}}", + "xpack.synthetics.monitorDetail.days": "{n, plural, other {天}}", + "xpack.synthetics.monitorDetail.hours": "{n, plural, other {小时}}", + "xpack.synthetics.monitorDetail.minutes": "{n, plural, other {分钟}}", + "xpack.synthetics.monitorDetail.seconds": "{n, plural, other {秒}}", + "xpack.synthetics.monitorDetails.title": "Synthetics 监测详情 | {baseTitle}", + "xpack.synthetics.monitorErrors.title": "Synthetics 监测错误 | {baseTitle}", + "xpack.synthetics.monitorHistory.title": "Synthetics 监测历史记录 | {baseTitle}", "xpack.synthetics.monitorList.defineConnector.description": "在 {link} 中定义默认连接器以启用状态告警。", "xpack.synthetics.monitorList.drawer.missingLocation": "某些 Heartbeat 实例未定义位置。{link}到您的 Heartbeat 配置。", "xpack.synthetics.monitorList.drawer.statusRowLocationList": "上次检查时状态为“{status}”的位置列表。", "xpack.synthetics.monitorList.expandDrawerButton.ariaLabel": "展开 ID {id} 的监测行", + "xpack.synthetics.monitorList.flyout.unitStr": "每 {unitMsg}", "xpack.synthetics.monitorList.infraIntegrationAction.docker.tooltip": "在 Infrastructure UI 上查找容器 ID“{containerId}”", "xpack.synthetics.monitorList.infraIntegrationAction.ip.tooltip": "在 Infrastructure UI 上查找 IP“{ip}”", "xpack.synthetics.monitorList.infraIntegrationAction.kubernetes.tooltip": "在 Infrastructure UI 上查找 Pod UID“{podUid}”。", @@ -30411,13 +33217,17 @@ "xpack.synthetics.monitorList.statusColumn.locStatusMessage.tooltip.up": "在 {locs} 运行", "xpack.synthetics.monitorList.table.description": "具有“状态”、“名称”、“URL”、“IP”、“中断历史记录”和“集成”列的“监测状态”表。该表当前显示 {length} 个项目。", "xpack.synthetics.monitorList.tags.filter": "筛选带 {tag} 标签的所有监测", + "xpack.synthetics.monitorManagement.agentCallout.content": "如果准备在此专用位置上运行“浏览器”监测,请确保使用 {code} Docker 容器,其中包含运行这些监测的依赖项。有关更多信息,请{link}。", "xpack.synthetics.monitorManagement.anotherPrivateLocation": "此代理策略已附加到以下位置:{locationName}。", "xpack.synthetics.monitorManagement.cannotDelete": "不能删除此位置,因为它正运行 {monCount} 个监测。请先从监测中移除该位置,再将其删除。", + "xpack.synthetics.monitorManagement.deleteMonitorNameLabel": "删除“{name}”监测?", "xpack.synthetics.monitorManagement.disclaimer": "通过使用此功能,客户确认已阅读并同意 {link}。", "xpack.synthetics.monitorManagement.monitorAdvancedOptions.namespaceHelpLabel": "更改默认命名空间。此设置将更改监测的数据流的名称。{learnMore}。", + "xpack.synthetics.monitorManagement.monitorDeleteSuccessMessage.name": "已成功删除监测 {name}。", "xpack.synthetics.monitorManagement.monitorDisabledSuccessMessage": "已成功禁用监测 {name}。", "xpack.synthetics.monitorManagement.monitorEnabledSuccessMessage": "已成功启用监测 {name}。", "xpack.synthetics.monitorManagement.monitorEnabledUpdateFailureMessage": "无法更新监测 {name}。", + "xpack.synthetics.monitorManagement.monitorList.disclaimer.label": "确保从项目源中移除此监测,否则会在您下次使用推送命令时重新创建该监测。有关详细信息,请参阅有关删除项目监测的{docsLink}。", "xpack.synthetics.monitorManagement.service.error.message": "已保存您的监测,但同步 {location} 的配置时遇到问题。我们会在稍后自动重试。如果此问题持续存在,您的监测将在 {location} 中停止运行。请联系支持人员获取帮助。", "xpack.synthetics.monitorManagement.service.error.reason": "原因:{reason}。", "xpack.synthetics.monitorManagement.service.error.status": "状态:{status}。", @@ -30427,6 +33237,9 @@ "xpack.synthetics.monitorRoute.title": "监测 | {baseTitle}", "xpack.synthetics.monitorStatusBar.locations.oneLocStatus": "在 {loc} 位置处于 {status}", "xpack.synthetics.monitorStatusBar.locations.upStatus": "在 {loc} 位置处于 {status}", + "xpack.synthetics.overview.actions.disabledSuccessLabel": "已成功禁用监测“{name}”。", + "xpack.synthetics.overview.actions.enabledFailLabel": "无法更新监测“{name}”。", + "xpack.synthetics.overview.actions.enabledSuccessLabel": "已成功启用监测“{name}”", "xpack.synthetics.overview.alerts.enabled.success.description": "此监测关闭时,将有消息发送到 {actionConnectors}。", "xpack.synthetics.overview.durationMsFormatting": "{millis} 毫秒", "xpack.synthetics.overview.durationSecondsFormatting": "{seconds} 秒", @@ -30441,6 +33254,10 @@ "xpack.synthetics.pingList.recencyMessage": "{fromNow}已检查", "xpack.synthetics.public.pages.mappingError.bodyDocsLink": "您可以在 {docsLink} 中了解如何解决此问题。", "xpack.synthetics.public.pages.mappingError.bodyMessage": "检测到不正确的映射!可能您忘记运行 Heartbeat {setup} 命令?", + "xpack.synthetics.service.projectMonitors.cannotUpdateMonitorToDifferentTypeDetails": "无法将类型为 {previousType} 的监测 {monitorId} 更新为类型 {currentType}。请先删除监测,然后重试。", + "xpack.synthetics.service.projectMonitors.failedToCreateXMonitors": "无法创建 {length} 个监测", + "xpack.synthetics.settingsRoute.retentionCalloutDescription": "要更改数据保留设置,建议创建您自己的索引生命周期策略,并将其附加到 {stackManagement} 中的相关定制组件模板。有关更多信息,请{docsLink}。", + "xpack.synthetics.settingsRoute.table.retentionPeriodValue": "{value} 天 + 滚动更新", "xpack.synthetics.settingsRoute.title": "设置 | {baseTitle}", "xpack.synthetics.snapshot.donutChart.ariaLabel": "显示当前状态的饼图。{total} 个监测中有 {down} 个已关闭。", "xpack.synthetics.snapshotHistogram.description": "显示 {startTime} 到 {endTime} 运行时间时移状态的条形图。", @@ -30449,6 +33266,7 @@ "xpack.synthetics.sourceConfiguration.expirationThresholdDefaultValue": "默认值为 {defaultValue}", "xpack.synthetics.sourceConfiguration.heartbeatIndicesDefaultValue": "默认值为 {defaultValue}", "xpack.synthetics.stepDetailRoute.title": "Synthetics 详细信息 | {baseTitle}", + "xpack.synthetics.stepDetailsRoute.title": "步骤详情 | {baseTitle}", "xpack.synthetics.synthetics.emptyJourney.message.checkGroupField": "该过程的检查组是 {codeBlock}。", "xpack.synthetics.synthetics.executedStep.screenshot.notSucceeded": "{status} 检查的屏幕截图", "xpack.synthetics.synthetics.executedStep.screenshot.successfulLink": "来自 {link} 的屏幕截图", @@ -30459,12 +33277,20 @@ "xpack.synthetics.synthetics.screenshotDisplay.altText": "名称为“{stepName}”的步骤的屏幕截图", "xpack.synthetics.synthetics.step.duration": "{value} 秒", "xpack.synthetics.synthetics.stepDetail.totalSteps": "第 {stepIndex} 步,共 {totalSteps} 步", + "xpack.synthetics.synthetics.testDetail.totalSteps": "第 {stepIndex} 步,共 {totalSteps} 步", + "xpack.synthetics.synthetics.testDetails.stepNav": "{stepIndex} / {totalSteps}", "xpack.synthetics.synthetics.waterfall.offsetUnit": "{offset} 毫秒", "xpack.synthetics.synthetics.waterfall.requestsHighlightedMessage": "({numHighlightedRequests}匹配筛选)", "xpack.synthetics.synthetics.waterfall.requestsTotalMessage": "{numNetworkRequests}个网络请求", "xpack.synthetics.synthetics.waterfall.requestsTotalMessage.first": "前 {count} 个", "xpack.synthetics.testRun.runErrorLocation": "无法在位置 {locationName} 运行监测。", + "xpack.synthetics.testRunDetailsRoute.title": "测试运行详情 | {baseTitle}", "xpack.synthetics.addDataButtonLabel": "添加数据", + "xpack.synthetics.addEditMonitor.scriptEditor.ariaLabel": "JavaScript 代码编辑器", + "xpack.synthetics.addEditMonitor.scriptEditor.helpText": "运行内联定义的 Synthetics 测试脚本。", + "xpack.synthetics.addEditMonitor.scriptEditor.label": "脚本编辑器", + "xpack.synthetics.addEditMonitor.scriptEditor.placeholder": "// 在此处粘贴 Playwright 脚本......", + "xpack.synthetics.addMonitor.pageHeader.docsLink": "文档", "xpack.synthetics.addMonitor.pageHeader.title": "添加监测", "xpack.synthetics.alertDropdown.noWritePermissions": "您需要 Uptime 的读写访问权限才能在此应用中创建告警。", "xpack.synthetics.alerts.anomaly.criteriaExpression.ariaLabel": "显示选定监测的条件的表达式。", @@ -30485,6 +33311,7 @@ "xpack.synthetics.alerts.durationAnomaly.clientName": "Uptime 持续时间异常", "xpack.synthetics.alerts.durationAnomaly.description": "运行时间监测持续时间异常时告警。", "xpack.synthetics.alerts.monitorStatus": "运行时间监测状态", + "xpack.synthetics.alerts.monitorStatus.actionVariables.context.alertDetailUrl.description": "Elastic 内视图的链接,显示与此告警相关的进一步详细信息和上下文", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.alertReasonMessage.description": "告警原因的简洁描述", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.downMonitorsWithGeo.description": "生成的摘要,显示告警已检测为“关闭”的部分或所有监测", "xpack.synthetics.alerts.monitorStatus.actionVariables.context.message.description": "生成的消息,汇总当前关闭的监测", @@ -30537,10 +33364,10 @@ "xpack.synthetics.alerts.monitorStatus.filters.using": "使用", "xpack.synthetics.alerts.monitorStatus.filters.usingPort": "使用端口", "xpack.synthetics.alerts.monitorStatus.filters.with": "使用", - "xpack.synthetics.alerts.monitorStatus.filters.withTag": "具有标记", - "xpack.synthetics.alerts.monitorStatus.numTimesExpression.anyMonitors.description": "任何监测关闭 >", + "xpack.synthetics.alerts.monitorStatus.filters.withTag": "具有标签", + "xpack.synthetics.alerts.monitorStatus.numTimesExpression.anyMonitors.description": "任何监测已关闭 >=", "xpack.synthetics.alerts.monitorStatus.numTimesExpression.ariaLabel": "打开弹出框以输入已关闭计数", - "xpack.synthetics.alerts.monitorStatus.numTimesExpression.matchingMonitors.description": "匹配的监测关闭 >", + "xpack.synthetics.alerts.monitorStatus.numTimesExpression.matchingMonitors.description": "匹配的监测已关闭 >=", "xpack.synthetics.alerts.monitorStatus.numTimesField.ariaLabel": "输入触发告警的已关闭计数", "xpack.synthetics.alerts.monitorStatus.oldAlertCallout.title": "您可能正在编辑较旧的告警,某些字段可能不自动填充。", "xpack.synthetics.alerts.monitorStatus.statusEnabledCheck.label": "状态检查", @@ -30596,6 +33423,7 @@ "xpack.synthetics.apmIntegrationAction.text": "显示 APM 数据", "xpack.synthetics.badge.readOnly.text": "只读", "xpack.synthetics.badge.readOnly.tooltip": "无法保存", + "xpack.synthetics.blocked": "已阻止", "xpack.synthetics.breadcrumbs.legacyOverviewBreadcrumbText": "运行时间", "xpack.synthetics.breadcrumbs.observabilityText": "Observability", "xpack.synthetics.breadcrumbs.overviewBreadcrumbText": "Synthetics", @@ -30611,6 +33439,9 @@ "xpack.synthetics.browser.project.monitorIntegrationSettingsSectionTitle": "监测设置", "xpack.synthetics.browser.project.readOnly.callout.content": "已从外部项目添加此监测。配置为只读状态。", "xpack.synthetics.browser.project.readOnly.callout.title": "只读", + "xpack.synthetics.browser.zipUrl.deprecation.dismiss": "关闭", + "xpack.synthetics.browser.zipUrl.deprecation.link": "了解详情", + "xpack.synthetics.browser.zipUrl.deprecation.title": "过时通知", "xpack.synthetics.certificates.loading": "正在加载证书......", "xpack.synthetics.certificates.refresh": "刷新", "xpack.synthetics.certificatesPage.heading": "TLS 证书", @@ -30630,10 +33461,16 @@ "xpack.synthetics.certs.list.validUntil": "失效日期", "xpack.synthetics.certs.ok": "确定", "xpack.synthetics.certs.searchCerts": "搜索证书", + "xpack.synthetics.connect.label": "连接", "xpack.synthetics.controls.selectSeverity.criticalLabel": "紧急", "xpack.synthetics.controls.selectSeverity.majorLabel": "重大", "xpack.synthetics.controls.selectSeverity.minorLabel": "轻微", "xpack.synthetics.controls.selectSeverity.warningLabel": "警告", + "xpack.synthetics.coreVitals.cls.help": "累计布局偏移 (CLS):衡量视觉稳定性。为了提供良好的用户体验,页面的 CLS 应小于 0.1。", + "xpack.synthetics.coreVitals.dclTooltip": "在浏览器解析完文档时触发。在有多个侦听器或已执行逻辑时有帮助:domContentLoadedEventEnd - domContentLoadedEventStart。", + "xpack.synthetics.coreVitals.fcpTooltip": "首次内容绘制 (FCP) 侧重于初始渲染,并测量从页面开始加载到页面内容的任何部分显示在屏幕的时间。", + "xpack.synthetics.coreVitals.lcp.help": "最大内容绘制用于衡量加载性能。为了提供良好的用户体验,LCP 应在页面首次开始加载后的 2.5 秒内执行。", + "xpack.synthetics.createMonitor.pageHeader.title": "创建监测", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.experimentalLabel": "技术预览", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.experimentalTooltip": "预览通过 Elastic Synthetics 记录器创建 Elastic Synthetics 监测脚本的最快方式", "xpack.synthetics.createPackagePolicy.stepConfigure.browser.scriptRecorder.label": "脚本记录器", @@ -30736,6 +33573,7 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.invalidFileError": "文件类型无效。请上传由 Elastic Synthetics 记录器生成的 .js 文件。", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.label": "选择记录器生成的 .js 文件", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.uploader.parsingError": "上传文件时出错。请上传 Elastic Synthetics 记录器以内联脚本格式生成的 .js 文件。", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.deprecation.title": "Zip URL 已过时", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.error": "ZIP URL 必填", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.helpText": "Synthetics 项目存储库 zip 文件的位置。", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.browser.zipUrl.label": "Zip URL", @@ -30760,6 +33598,8 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorInterval.error": "监测频率必填", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType": "监测类型", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.link": "Synthetics 文档", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.warning.title": "要求", + "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.browser.zipUrl.deprecation.link": "了解详情", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.monitorType.error": "“监测类型”必填。", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.params.label": "参数", "xpack.synthetics.createPackagePolicy.stepConfigure.monitorIntegrationSettingsSection.password.helpText": "用于在服务器上进行身份验证的密码。", @@ -30811,6 +33651,7 @@ "xpack.synthetics.createPackagePolicy.stepConfigure.tcpAdvancedOptions.responseConfiguration.title": "响应检查", "xpack.synthetics.createPackagePolicy.stepConfigure.tlsSettings.description": "配置 TLS 选项,包括验证模式、证书颁发机构和客户端证书。", "xpack.synthetics.createPackagePolicy.stepConfigure.tlsSettings.label": "TLS 设置", + "xpack.synthetics.detailsPanel.durationByLocation": "持续时间(按位置)", "xpack.synthetics.detailsPanel.durationByStep": "持续时间(按步骤)", "xpack.synthetics.detailsPanel.durationTrends": "持续时间趋势", "xpack.synthetics.detailsPanel.last24Hours": "过去 24 小时", @@ -30818,7 +33659,16 @@ "xpack.synthetics.detailsPanel.monitorDetails": "监测详情", "xpack.synthetics.detailsPanel.monitorDetails.enabled": "已启用", "xpack.synthetics.detailsPanel.monitorDetails.monitorType": "监测类型", + "xpack.synthetics.detailsPanel.summary": "摘要", + "xpack.synthetics.detailsPanel.toDate": "迄今为止", + "xpack.synthetics.dns": "DNS", "xpack.synthetics.durationChart.emptyPrompt.title": "没有持续时间数据", + "xpack.synthetics.durationTrend.max": "最大值", + "xpack.synthetics.durationTrend.median": "中值", + "xpack.synthetics.durationTrend.min": "最小值", + "xpack.synthetics.durationTrend.percentile25": "第 25 个", + "xpack.synthetics.durationTrend.percentile75": "第 75 个", + "xpack.synthetics.editMonitor.errorDetailsRoute.title": "错误详细信息", "xpack.synthetics.editMonitor.pageHeader.title": "编辑监测", "xpack.synthetics.editPackagePolicy.inUptime": "在 Uptime 中编辑", "xpack.synthetics.editPackagePolicy.inUptimeDesc": "此软件包策略由 Uptime 应用托管。", @@ -30827,7 +33677,19 @@ "xpack.synthetics.emptyStateError.notFoundPage": "未找到页面", "xpack.synthetics.emptyStateError.title": "错误", "xpack.synthetics.enableAlert.editAlert": "编辑告警", + "xpack.synthetics.errorDuration.label": "错误持续时间", + "xpack.synthetics.errorMessage.label": "错误消息", + "xpack.synthetics.errors.failedTests": "失败的测试", + "xpack.synthetics.errors.failedTests.byStep": "失败的测试(按步骤)", + "xpack.synthetics.errors.label": "错误", + "xpack.synthetics.errors.overview": "概览", + "xpack.synthetics.errorsList.label": "错误列表", + "xpack.synthetics.failedStep.label": "失败的步骤", "xpack.synthetics.featureRegistry.syntheticsFeatureName": "Synthetics 和 Uptime", + "xpack.synthetics.fieldLabels.cls": "累计布局偏移 (CLS)", + "xpack.synthetics.fieldLabels.dcl": "DOMContentLoaded 事件 (DCL)", + "xpack.synthetics.fieldLabels.fcp": "首次内容绘制 (FCP)", + "xpack.synthetics.fieldLabels.lcp": "最大内容绘制 (LCP)", "xpack.synthetics.filterBar.ariaLabel": "概览页面的输入筛选条件", "xpack.synthetics.filterBar.filterAllLabel": "全部", "xpack.synthetics.filterBar.options.location.name": "位置", @@ -30840,6 +33702,8 @@ "xpack.synthetics.gettingStarted.createSinglePageLabel": "创建单个页面浏览器监测", "xpack.synthetics.gettingStarted.gettingStartedLabel.selectDifferentMonitor": "选择不同的监测类型", "xpack.synthetics.gettingStarted.orLabel": "或", + "xpack.synthetics.historyPanel.durationTrends": "持续时间趋势", + "xpack.synthetics.historyPanel.stats": "统计信息", "xpack.synthetics.inspectButtonText": "检查", "xpack.synthetics.integrationLink.missingDataMessage": "未找到此集成的所需数据。", "xpack.synthetics.keyValuePairsField.key.ariaLabel": "钥匙", @@ -30910,34 +33774,224 @@ "xpack.synthetics.ml.enableAnomalyDetectionPanel.noPermissionsTooltip": "您需要 Uptime 的读写访问权限才能创建异常告警。", "xpack.synthetics.ml.enableAnomalyDetectionPanel.startTrial": "开始为期 14 天的免费试用", "xpack.synthetics.ml.enableAnomalyDetectionPanel.startTrialDesc": "要访问持续时间异常检测,必须订阅 Elastic 白金级许可证。", + "xpack.synthetics.monitor.duration.label": "持续时间", + "xpack.synthetics.monitor.result.label": "结果", + "xpack.synthetics.monitor.screenshot.label": "屏幕截图", + "xpack.synthetics.monitor.step.duration.label": "持续时间", + "xpack.synthetics.monitor.step.loading": "正在加载步骤......", + "xpack.synthetics.monitor.step.nextStep": "下一步", + "xpack.synthetics.monitor.step.noDataFound": "未找到任何数据", + "xpack.synthetics.monitor.step.previousStep": "上一步", + "xpack.synthetics.monitor.step.screenshot.ariaLabel": "正在加载步骤屏幕截图。", + "xpack.synthetics.monitor.step.screenshot.notAvailable": "步骤屏幕截图不可用。", + "xpack.synthetics.monitor.step.screenshot.unAvailable": "图像不可用", + "xpack.synthetics.monitor.step.thumbnail.alt": "此过程步骤的缩略图屏幕截图较大版本。", + "xpack.synthetics.monitor.step.viewDetails": "查看详情", + "xpack.synthetics.monitor.stepName.label": "步骤名称", "xpack.synthetics.monitorCharts.durationChart.wrapper.label": "显示监测的 ping 持续时间(按位置分组)的图表。", "xpack.synthetics.monitorCharts.monitorDuration.titleLabel": "监测持续时间", + "xpack.synthetics.monitorConfig.advancedOptions.title": "高级选项", + "xpack.synthetics.monitorConfig.apmServiceName.helpText": "对应于 APM 中的 service.name ECS 字段。设置此项以启用 APM 与 Synthetics 数据之间的集成。", + "xpack.synthetics.monitorConfig.apmServiceName.label": "APM 服务名称", + "xpack.synthetics.monitorConfig.certificateAuthorities.helpText": "PEM 格式自定义证书颁发机构。", + "xpack.synthetics.monitorConfig.certificateAuthorities.label": "证书颁发机构", + "xpack.synthetics.monitorConfig.clientCertificate.helpText": "用于 TLS 客户端身份验证的 PEM 格式证书。", + "xpack.synthetics.monitorConfig.clientCertificate.label": "客户端证书", + "xpack.synthetics.monitorConfig.clientKey.helpText": "用于 TLS 客户端身份验证的 PEM 格式证书密钥。", + "xpack.synthetics.monitorConfig.clientKey.label": "客户端密钥", + "xpack.synthetics.monitorConfig.clientKeyPassphrase.helpText": "用于 TLS 客户端身份验证的证书密钥密码。", + "xpack.synthetics.monitorConfig.clientKeyPassphrase.label": "客户端密钥密码", + "xpack.synthetics.monitorConfig.create.enabled.label": "已禁用监测不会运行测试。您可以创建已禁用监测并在稍后启用它。", + "xpack.synthetics.monitorConfig.customTLS.label": "使用定制 TLS 配置", + "xpack.synthetics.monitorConfig.edit.enabled.label": "已禁用监测不会运行测试。", + "xpack.synthetics.monitorConfig.enabled.label": "启用监测", + "xpack.synthetics.monitorConfig.frequency.helpText": "您要多久运行此测试一次?频率越高,总成本越高。", + "xpack.synthetics.monitorConfig.frequency.label": "频率", + "xpack.synthetics.monitorConfig.hostsICMP.label": "主机", + "xpack.synthetics.monitorConfig.hostsTCP.label": "主机:端口", + "xpack.synthetics.monitorConfig.indexResponseBody.helpText": "控制将 HTTP 响应正文内容索引到", + "xpack.synthetics.monitorConfig.indexResponseBody.label": "索引响应正文", + "xpack.synthetics.monitorConfig.indexResponseHeaders.helpText": "控制将 HTTP 响应标头索引到 ", + "xpack.synthetics.monitorConfig.indexResponseHeaders.label": "索引响应标头", + "xpack.synthetics.monitorConfig.locations.disclaimer": "您同意将测试指令和此类指令的输出(包括其中显示的任何数据)传输到 Elastic 选择的云服务提供商提供的基础架构上的选定测试位置。", + "xpack.synthetics.monitorConfig.locations.helpText": "您希望从什么位置运行此测试?附加位置会提高您的总成本。", + "xpack.synthetics.monitorConfig.locations.label": "位置", + "xpack.synthetics.monitorConfig.maxRedirects.error": "最大重定向数无效。", + "xpack.synthetics.monitorConfig.maxRedirects.helpText": "要跟随的重定向总数。", + "xpack.synthetics.monitorConfig.maxRedirects.label": "最大重定向数", + "xpack.synthetics.monitorConfig.monitorDetailsStep.description": "提供有关应如何运行监测的某些详情", + "xpack.synthetics.monitorConfig.monitorDetailsStep.title": "监测详情", + "xpack.synthetics.monitorConfig.monitorScript.error": "“监测脚本”必填", + "xpack.synthetics.monitorConfig.monitorScript.label": "监测脚本", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.playwrightLink": "Playwright", + "xpack.synthetics.monitorConfig.monitorScriptEditStep.title": "监测脚本", + "xpack.synthetics.monitorConfig.monitorScriptStep.playwrightLink": "Playwright", + "xpack.synthetics.monitorConfig.monitorScriptStep.scriptRecorder.download": "下载 Synthetics 记录器", + "xpack.synthetics.monitorConfig.monitorScriptStep.scriptRecorder.launch": "启动 Synthetics 记录器", + "xpack.synthetics.monitorConfig.monitorScriptStep.title": "添加脚本", + "xpack.synthetics.monitorConfig.monitorType.betaLabel": "此功能为公测版,可能会进行更改。设计和代码相对于正式发行版功能还不够成熟,将按原样提供,且不提供任何保证。公测版功能不受正式发行版功能的支持服务水平协议约束。", + "xpack.synthetics.monitorConfig.monitorType.http.description": "轻量型 API 检查,用于验证 Web 服务或终端的可用性。", + "xpack.synthetics.monitorConfig.monitorType.http.label": "HTTP Ping", + "xpack.synthetics.monitorConfig.monitorType.http.title": "HTTP Ping", + "xpack.synthetics.monitorConfig.monitorType.icmp.description": "轻量型 API 检查,用于验证 Web 服务或终端的可用性。", + "xpack.synthetics.monitorConfig.monitorType.icmp.label": "ICMP Ping", + "xpack.synthetics.monitorConfig.monitorType.icmp.title": "ICMP Ping", + "xpack.synthetics.monitorConfig.monitorType.label": "监测类型", + "xpack.synthetics.monitorConfig.monitorType.learnMoreLink": "了解详情", + "xpack.synthetics.monitorConfig.monitorType.multiStep.description": "在多个步骤或页面中导航以从真实浏览器测试关键用户流。", + "xpack.synthetics.monitorConfig.monitorType.multiStep.label": "多步骤", + "xpack.synthetics.monitorConfig.monitorType.multiStep.title": "多步骤浏览器历程", + "xpack.synthetics.monitorConfig.monitorType.singlePage.description": "从真实的 Web 浏览器测试单次页面加载,包括该页面上的所有对象。", + "xpack.synthetics.monitorConfig.monitorType.singlePage.label": "单个页面", + "xpack.synthetics.monitorConfig.monitorType.singlePage.title": "单个页面浏览器测试", + "xpack.synthetics.monitorConfig.monitorType.tcp.description": "轻量型 API 检查,用于验证 Web 服务或终端的可用性。", + "xpack.synthetics.monitorConfig.monitorType.tcp.label": "TCP Ping", + "xpack.synthetics.monitorConfig.monitorType.tcp.title": "TCP Ping", + "xpack.synthetics.monitorConfig.monitorTypeStep.description": "选择最适合您用例的监测", + "xpack.synthetics.monitorConfig.monitorTypeStep.title": "选择监测类型", + "xpack.synthetics.monitorConfig.name.error": "监测名称必填", + "xpack.synthetics.monitorConfig.name.existsError": "监测名称已存在", + "xpack.synthetics.monitorConfig.name.helpText": "选择名称以帮助在未来标识此监测。", + "xpack.synthetics.monitorConfig.name.label": "监测名称", + "xpack.synthetics.monitorConfig.namespace.helpText": "更改默认命名空间。此设置将更改监测的数据流的名称。", + "xpack.synthetics.monitorConfig.namespace.label": "数据流命名空间", + "xpack.synthetics.monitorConfig.namespace.learnMore": "了解详情", + "xpack.synthetics.monitorConfig.password.helpText": "用于在服务器上进行身份验证的密码。", + "xpack.synthetics.monitorConfig.password.label": "密码", + "xpack.synthetics.monitorConfig.playwrightOptions.codeEditor.json.ariaLabel": "Playwright 选项 JSON 代码编辑器", + "xpack.synthetics.monitorConfig.playwrightOptions.error": "JSON 格式无效", + "xpack.synthetics.monitorConfig.playwrightOptions.helpText": "通过定制选项配置 Playwright 代理。", + "xpack.synthetics.monitorConfig.playwrightOptions.label": "Playwright 选项", + "xpack.synthetics.monitorConfig.playwrightOptions.learnMore": "了解详情", + "xpack.synthetics.monitorConfig.proxyUrl.helpText": "HTTP 代理 URL", + "xpack.synthetics.monitorConfig.proxyUrl.label": "代理 URL", + "xpack.synthetics.monitorConfig.proxyURLTCP.helpText": "连接到服务器时要使用的 SOCKS5 代理的 URL。该值必须是具有 socks5:// 方案的 URL。", + "xpack.synthetics.monitorConfig.proxyURLTCP.label": "代理 URL", + "xpack.synthetics.monitorConfig.requestBody.helpText": "请求正文内容。", + "xpack.synthetics.monitorConfig.requestBody.label": "请求正文", + "xpack.synthetics.monitorConfig.requestHeaders.error": "标头密钥必须是有效的 HTTP 令牌。", + "xpack.synthetics.monitorConfig.requestHeaders.helpText": "要发送的额外 HTTP 标头的字典。默认情况下,客户端将设置用户代理标头以自我标识。", + "xpack.synthetics.monitorConfig.requestHeaders.label": "请求标头", + "xpack.synthetics.monitorConfig.requestMethod.helpText": "要使用的 HTTP 方法。", + "xpack.synthetics.monitorConfig.requestMethod.label": "请求方法", + "xpack.synthetics.monitorConfig.requestSendCheck.helpText": "要发送给远程主机的有效负载字符串。", + "xpack.synthetics.monitorConfig.requestSendCheck.label": "请求有效负载", + "xpack.synthetics.monitorConfig.responseBodyCheck.helpText": "匹配正文输出的正则表达式列表。按 enter 键添加新的表达式。仅单个表达式需要匹配。", + "xpack.synthetics.monitorConfig.responseBodyCheck.label": "检查响应正文包含", + "xpack.synthetics.monitorConfig.responseBodyCheckNegative.helpText": "负匹配正文输出的正则表达式列表。按 enter 键添加新的表达式。如果单个表达式匹配,返回匹配失败。", + "xpack.synthetics.monitorConfig.responseBodyCheckNegative.label": "检查响应正文不包含", + "xpack.synthetics.monitorConfig.responseHeadersCheck.error": "标头密钥必须是有效的 HTTP 令牌。", + "xpack.synthetics.monitorConfig.responseHeadersCheck.helpText": "预期响应标头的列表。", + "xpack.synthetics.monitorConfig.responseHeadersCheck.label": "检查响应标头包含", + "xpack.synthetics.monitorConfig.responseReceiveCheck.helpText": "预期远程主机响应。", + "xpack.synthetics.monitorConfig.responseReceiveCheck.label": "检查响应包含", + "xpack.synthetics.monitorConfig.responseStatusCheck.error": "状态代码只能包含数字。", + "xpack.synthetics.monitorConfig.responseStatusCheck.helpText": "预期状态代码列表。按 enter 键添加新的代码。4xx 和 5xx 代码默认情况下被视为关闭。其他代码被视为运行。", + "xpack.synthetics.monitorConfig.responseStatusCheck.label": "检查响应状态等于", + "xpack.synthetics.monitorConfig.screenshotOptions.helpText": "设置此选项以管理 Synthetics 代理捕获的屏幕截图。", + "xpack.synthetics.monitorConfig.screenshotOptions.label": "屏幕截图选项", + "xpack.synthetics.monitorConfig.scriptRecorder.label": "上传脚本", + "xpack.synthetics.monitorConfig.scriptRecorderEdit.label": "上传新脚本", + "xpack.synthetics.monitorConfig.section.dataOptions.description": "配置数据选项以将上下文添加到来自您监测的数据。", + "xpack.synthetics.monitorConfig.section.dataOptions.title": "数据选项", + "xpack.synthetics.monitorConfig.section.requestConfigTCP.description": "配置向远程主机发送的有效负载。", + "xpack.synthetics.monitorConfig.section.requestConfigTCP.title": "请求配置", + "xpack.synthetics.monitorConfig.section.requestConfiguration.description": "配置要发送到远程主机的可选请求,包括方法、正文和标头。", + "xpack.synthetics.monitorConfig.section.requestConfiguration.title": "请求配置", + "xpack.synthetics.monitorConfig.section.responseChecks.description": "配置预期的 HTTP 响应。", + "xpack.synthetics.monitorConfig.section.responseChecks.title": "响应检查", + "xpack.synthetics.monitorConfig.section.responseChecksTCP.description": "配置来自远程主机的预期响应。", + "xpack.synthetics.monitorConfig.section.responseChecksTCP.title": "响应检查", + "xpack.synthetics.monitorConfig.section.responseConfiguration.description": "控制 HTTP 响应标头的索引。", + "xpack.synthetics.monitorConfig.section.responseConfiguration.title": "响应配置", + "xpack.synthetics.monitorConfig.section.syntAgentOptions.description": "为 Synthetics 代理提供微调的配置。", + "xpack.synthetics.monitorConfig.section.syntAgentOptions.title": "Synthetics 代理选项", + "xpack.synthetics.monitorConfig.section.tlsOptions.description": "配置 TLS 选项,包括验证模式、证书颁发机构和客户端证书。", + "xpack.synthetics.monitorConfig.section.tlsOptions.title": "TLS 选项", + "xpack.synthetics.monitorConfig.tags.helpText": "将随每个监测事件一起发送的标签列表。用于搜索数据和对数据分段。", + "xpack.synthetics.monitorConfig.tags.label": "标签", + "xpack.synthetics.monitorConfig.textAssertion.helpText": "呈现指定文本时考虑加载的页面。", + "xpack.synthetics.monitorConfig.textAssertion.label": "文本断言", + "xpack.synthetics.monitorConfig.throttling.helpText": "模拟网络限制(下载、上传、延迟)。将在未来版本中添加更多选项。", + "xpack.synthetics.monitorConfig.throttling.label": "连接配置文件", + "xpack.synthetics.monitorConfig.throttling.options.default": "默认", + "xpack.synthetics.monitorConfig.timeout.formatError": "超时无效。", + "xpack.synthetics.monitorConfig.timeout.greaterThan0Error": "超时必须大于或等于 0。", + "xpack.synthetics.monitorConfig.timeout.helpText": "允许用于测试连接并交换数据的总时间。", + "xpack.synthetics.monitorConfig.timeout.label": "超时(秒)", + "xpack.synthetics.monitorConfig.timeout.scheduleError": "超时必须小于监测频率。", + "xpack.synthetics.monitorConfig.tlsVersion.label": "支持的 TLS 协议", + "xpack.synthetics.monitorConfig.uploader.label": "选择或拖放 .js 文件", + "xpack.synthetics.monitorConfig.urls.helpText": "例如,您的服务终端。", + "xpack.synthetics.monitorConfig.urls.label": "URL", + "xpack.synthetics.monitorConfig.urlsSingle.helpText": "例如 https://www.elastic.co。", + "xpack.synthetics.monitorConfig.urlsSingle.label": "网站 URL", + "xpack.synthetics.monitorConfig.username.helpText": "用于在服务器上进行身份验证的用户名。", + "xpack.synthetics.monitorConfig.username.label": "用户名", + "xpack.synthetics.monitorConfig.verificationMode.helpText": "验证提供的证书是否由受信任颁发机构 (CA) 签署,同时验证服务器的主机名(或 IP 地址)是否匹配证书内识别的名称。如果使用者备用名称为空,将返回错误。", + "xpack.synthetics.monitorConfig.verificationMode.label": "验证模式", + "xpack.synthetics.monitorConfig.wait.error": "等待持续时间无效。", + "xpack.synthetics.monitorConfig.wait.helpText": "如果未收到响应,在发出另一个 ICMP 回显请求之前要等待的时长。", + "xpack.synthetics.monitorConfig.wait.label": "等待", + "xpack.synthetics.monitorDetails.availability.label": "可用性", + "xpack.synthetics.monitorDetails.brushArea.message": "轻刷某个区域以提高保真度", + "xpack.synthetics.monitorDetails.complete.label": "已完成", + "xpack.synthetics.monitorDetails.error.label": "错误", + "xpack.synthetics.monitorDetails.failed.label": "失败", + "xpack.synthetics.monitorDetails.last24Hours": "过去 24 小时", + "xpack.synthetics.monitorDetails.loadingTestRuns": "正在加载测试运行......", "xpack.synthetics.monitorDetails.ml.confirmAlertDeleteMessage": "确定要删除异常告警?", "xpack.synthetics.monitorDetails.ml.confirmDeleteMessage": "是否确定要删除此作业?", "xpack.synthetics.monitorDetails.ml.deleteJobWarning": "删除作业可能会非常耗时。删除将在后台进行,数据可能不会马上消失。", "xpack.synthetics.monitorDetails.ml.deleteMessage": "正在删除作业......", + "xpack.synthetics.monitorDetails.noDataFound": "未找到任何数据", + "xpack.synthetics.monitorDetails.skipped.label": "已跳过", + "xpack.synthetics.monitorDetails.status": "状态", "xpack.synthetics.monitorDetails.statusBar.pingType.browser": "浏览器", "xpack.synthetics.monitorDetails.statusBar.pingType.http": "HTTP", "xpack.synthetics.monitorDetails.statusBar.pingType.icmp": "ICMP", "xpack.synthetics.monitorDetails.statusBar.pingType.tcp": "TCP", + "xpack.synthetics.monitorDetails.summary.duration": "持续时间", + "xpack.synthetics.monitorDetails.summary.lastTenTestRuns": "过去 10 次测试运行", + "xpack.synthetics.monitorDetails.summary.lastTestRunTitle": "上次测试运行", + "xpack.synthetics.monitorDetails.summary.message": "消息", + "xpack.synthetics.monitorDetails.summary.result": "结果", + "xpack.synthetics.monitorDetails.summary.screenshot": "屏幕截图", + "xpack.synthetics.monitorDetails.summary.testRuns": "测试运行", + "xpack.synthetics.monitorDetails.summary.viewErrorDetails": "查看错误详情", + "xpack.synthetics.monitorDetails.summary.viewHistory": "查看历史记录", + "xpack.synthetics.monitorDetails.summary.viewTestRun": "查看测试运行", "xpack.synthetics.monitorDetails.title.disclaimer.description": "(公测版)", "xpack.synthetics.monitorDetails.title.disclaimer.link": "查看更多内容", "xpack.synthetics.monitorDetails.title.pingType.browser": "浏览器", "xpack.synthetics.monitorDetails.title.pingType.http": "HTTP ping", "xpack.synthetics.monitorDetails.title.pingType.icmp": "ICMP ping", "xpack.synthetics.monitorDetails.title.pingType.tcp": "TCP ping", + "xpack.synthetics.monitorDetails.viewHistory": "查看历史记录", + "xpack.synthetics.monitorErrorsTab.title": "错误", + "xpack.synthetics.monitorHistoryTab.title": "历史记录", + "xpack.synthetics.monitorLastRun.lastRunLabel": "上次运行", "xpack.synthetics.monitorList.allMonitors": "所有监测", "xpack.synthetics.monitorList.anomalyColumn.label": "响应异常分数", + "xpack.synthetics.monitorList.closeFlyoutText": "关闭", "xpack.synthetics.monitorList.defineConnector.popover.description": "以接收状态告警。", "xpack.synthetics.monitorList.disableDownAlert": "禁用状态告警", "xpack.synthetics.monitorList.downLineSeries.downLabel": "关闭检查", "xpack.synthetics.monitorList.drawer.mostRecentRun": "最新测试运行", "xpack.synthetics.monitorList.drawer.url": "URL", + "xpack.synthetics.monitorList.durationChart.durationSeriesName": "持续时间", + "xpack.synthetics.monitorList.durationChart.previousPeriodSeriesName": "上一时段", + "xpack.synthetics.monitorList.durationHeaderText": "持续时间", "xpack.synthetics.monitorList.enabledAlerts.noAlert": "没有为此监测启用规则。", "xpack.synthetics.monitorList.enabledAlerts.title": "已启用规则", + "xpack.synthetics.monitorList.enabledItemText": "已启用", "xpack.synthetics.monitorList.enableDownAlert": "启用状态告警", "xpack.synthetics.monitorList.errorSummary": "错误摘要", + "xpack.synthetics.monitorList.flyout.locationSelect.iconButton.label": "此按钮将打开一个上下文菜单,以便您更改监测的选定位置。如果更改此位置,浮出控件将显示监测在该位置的性能指标。", + "xpack.synthetics.monitorList.flyoutHeader.goToLocations": "前往位置", + "xpack.synthetics.monitorList.frequencyHeaderText": "频率", "xpack.synthetics.monitorList.geoName.helpLinkAnnotation": "添加位置", + "xpack.synthetics.monitorList.goToMonitorLinkText": "前往监测", "xpack.synthetics.monitorList.infraIntegrationAction.container.message": "显示容器指标", "xpack.synthetics.monitorList.infraIntegrationAction.docker.description": "在 Infrastructure UI 上查找此监测的容器 ID", "xpack.synthetics.monitorList.infraIntegrationAction.ip.ariaLabel": "在 Infrastructure UI 上查找此监测的 IP 地址", @@ -30946,7 +34000,10 @@ "xpack.synthetics.monitorList.infraIntegrationAction.kubernetes.message": "显示 Pod 指标", "xpack.synthetics.monitorList.integrationGroup.emptyMessage": "没有可用的集成应用程序", "xpack.synthetics.monitorList.invalidMonitors": "监测无效", + "xpack.synthetics.monitorList.lastModified": "最后修改时间", + "xpack.synthetics.monitorList.lastRunHeaderText": "上次运行", "xpack.synthetics.monitorList.loading": "正在加载……", + "xpack.synthetics.monitorList.locationColumnName": "位置", "xpack.synthetics.monitorList.locations.expand": "单击以查看剩余位置", "xpack.synthetics.monitorList.loggingIntegrationAction.container.id": "显示容器日志", "xpack.synthetics.monitorList.loggingIntegrationAction.container.message": "显示容器日志", @@ -30954,13 +34011,17 @@ "xpack.synthetics.monitorList.loggingIntegrationAction.ip.message": "显示主机日志", "xpack.synthetics.monitorList.loggingIntegrationAction.kubernetes.ariaLabel": "显示 Pod 日志", "xpack.synthetics.monitorList.loggingIntegrationAction.kubernetes.message": "显示 Pod 日志", + "xpack.synthetics.monitorList.monitorDetailsHeaderText": "监测详情", "xpack.synthetics.monitorList.monitorHistoryColumnLabel": "中断历史记录", + "xpack.synthetics.monitorList.monitorIdItemText": "监测 ID", "xpack.synthetics.monitorList.monitoringStatusTitle": "监测", + "xpack.synthetics.monitorList.monitorType": "监测类型", "xpack.synthetics.monitorList.nameColumnLabel": "名称", "xpack.synthetics.monitorList.noItemForSelectedFiltersMessage": "未找到匹配选定筛选条件的监测", "xpack.synthetics.monitorList.noItemMessage": "未找到任何运行时间监测", "xpack.synthetics.monitorList.noMessage.troubleshoot": "尝试使用绝对日期范围。如果监测在之后显示,可能表示安装 Heartbeat 或 Kibana 的位置出现系统时钟问题。", "xpack.synthetics.monitorList.observabilityInvestigateColumn.popoverIconButton.label": "调查", + "xpack.synthetics.monitorList.projectIdHeaderText": "项目 ID", "xpack.synthetics.monitorList.redirects.openWindow": "将在新窗口中打开链接。", "xpack.synthetics.monitorList.redirects.title": "重定向", "xpack.synthetics.monitorList.refresh": "刷新", @@ -30971,12 +34032,14 @@ "xpack.synthetics.monitorList.statusColumn.failedLabel": "失败", "xpack.synthetics.monitorList.statusColumn.upLabel": "运行", "xpack.synthetics.monitorList.statusColumnLabel": "状态", + "xpack.synthetics.monitorList.table.project.name": "项目 ID", "xpack.synthetics.monitorList.table.tags.name": "标签", "xpack.synthetics.monitorList.table.url.name": "URL", "xpack.synthetics.monitorList.tags.expand": "单击以查看剩余标签", + "xpack.synthetics.monitorList.tagsHeaderText": "标签", "xpack.synthetics.monitorList.testNow.AriaLabel": "单击以立即运行测试", "xpack.synthetics.monitorList.testNow.available": "立即测试仅适用于通过监测管理添加的监测。", - "xpack.synthetics.monitorList.testNow.available.private": "目前对专用位置监测禁用了“立即测试”。", + "xpack.synthetics.monitorList.testNow.available.private": "您当前无法按需测试在专用位置运行的监测。", "xpack.synthetics.monitorList.testNow.label": "立即测试", "xpack.synthetics.monitorList.testNow.scheduled": "已计划测试", "xpack.synthetics.monitorList.testRunLogs": "测试运行日志", @@ -30985,9 +34048,14 @@ "xpack.synthetics.monitorList.troubleshoot.systemClockOutOfSync": "系统时钟可能不同步", "xpack.synthetics.monitorList.troubleshoot.tryDateRange": "应用绝对日期范围", "xpack.synthetics.monitorList.troubleshoot.whereAreMyMonitors": "我的监测在什么位置?", + "xpack.synthetics.monitorList.urlHeaderText": "URL", "xpack.synthetics.monitorList.viewInDiscover": "在 Discover 中查看", + "xpack.synthetics.monitorLocation.locationContextMenuTitleLabel": "前往位置", + "xpack.synthetics.monitorLocation.locationLabel": "位置", "xpack.synthetics.monitorManagement.actions": "操作", "xpack.synthetics.monitorManagement.addAgentPolicyDesc": "专用位置需要代理策略。要添加专用位置,必须首先在 Fleet 中创建代理策略。", + "xpack.synthetics.monitorManagement.addEdit.createMonitorLabel": "创建监测", + "xpack.synthetics.monitorManagement.addEdit.deleteMonitorLabel": "删除监测", "xpack.synthetics.monitorManagement.addLocation": "添加位置", "xpack.synthetics.monitorManagement.addMonitorCrumb": "添加监测", "xpack.synthetics.monitorManagement.addMonitorError": "无法加载服务位置。请稍后重试。", @@ -30996,6 +34064,8 @@ "xpack.synthetics.monitorManagement.addMonitorLoadingLabel": "正在加载监测管理", "xpack.synthetics.monitorManagement.addMonitorServiceLocationsLoadingError": "无法加载服务位置。请稍后重试。", "xpack.synthetics.monitorManagement.addPrivateLocations": "添加专用位置", + "xpack.synthetics.monitorManagement.agentCallout.link": "阅读文档", + "xpack.synthetics.monitorManagement.agentCallout.title": "要求", "xpack.synthetics.monitorManagement.agentPolicy": "代理策略", "xpack.synthetics.monitorManagement.agentPolicyNeeded": "未找到代理策略", "xpack.synthetics.monitorManagement.agentsLabel": "代理:", @@ -31004,9 +34074,12 @@ "xpack.synthetics.monitorManagement.apiKeysDisabledToolTip": "对此集群禁用了 API 密钥。监测管理需要使用 API 密钥才能回写 Elasticsearch 集群。要启用 API 密钥,请与管理员联系。", "xpack.synthetics.monitorManagement.apiKeyWarning.label": "此 API 密钥仅显示一次。请保留副本作为您自己的记录。", "xpack.synthetics.monitorManagement.areYouSure": "是否确定要删除此位置?", + "xpack.synthetics.monitorManagement.callout.apiKeyMissing": "由于缺少 API 密钥,监测管理当前已禁用", "xpack.synthetics.monitorManagement.callout.description.disabled": "监测管理当前处于禁用状态。要在 Elastic 托管 Synthetics 服务上运行监测,请启用监测管理。现有监测已暂停。", + "xpack.synthetics.monitorManagement.callout.description.invalidKey": "监测管理当前处于禁用状态。要在 Elastic 的全球托管测试位置之一运行监测,您需要重新启用监测管理。", "xpack.synthetics.monitorManagement.callout.disabled": "已禁用监测管理", "xpack.synthetics.monitorManagement.callout.disabled.adminContact": "请联系管理员启用监测管理。", + "xpack.synthetics.monitorManagement.callout.disabledCallout.invalidKey": "请联系管理员启用监测管理。", "xpack.synthetics.monitorManagement.cancelLabel": "取消", "xpack.synthetics.monitorManagement.cannotSaveIntegration": "您无权更新集成。需要集成写入权限。", "xpack.synthetics.monitorManagement.closeButtonLabel": "关闭", @@ -31018,6 +34091,8 @@ "xpack.synthetics.monitorManagement.deletedPolicy": "策略已策略", "xpack.synthetics.monitorManagement.deleteLocationLabel": "删除位置", "xpack.synthetics.monitorManagement.deleteMonitorLabel": "删除监测", + "xpack.synthetics.monitorManagement.disabledCallout.adminContact": "请联系管理员启用监测管理。", + "xpack.synthetics.monitorManagement.disabledCallout.description.disabled": "监测管理当前已禁用,并且您现有的监测已暂停。您可以启用监测管理来运行监测。", "xpack.synthetics.monitorManagement.disableMonitorLabel": "禁用监测", "xpack.synthetics.monitorManagement.discardLabel": "取消", "xpack.synthetics.monitorManagement.disclaimerLinkLabel": "在公测版期间,可以免费使用该服务来执行测试。公平使用策略适用。正常数据存储成本适用于 Elastic 集群中存储的测试结果。", @@ -31039,7 +34114,7 @@ "xpack.synthetics.monitorManagement.failed": "失败", "xpack.synthetics.monitorManagement.failedRun": "无法运行步骤", "xpack.synthetics.monitorManagement.filter.locationLabel": "位置", - "xpack.synthetics.monitorManagement.filter.placeholder": "按名称、URL、标签或位置搜索", + "xpack.synthetics.monitorManagement.filter.placeholder": "按名称、URL、主机、标签、项目或位置搜索", "xpack.synthetics.monitorManagement.filter.tagsLabel": "标签", "xpack.synthetics.monitorManagement.filter.typeLabel": "类型", "xpack.synthetics.monitorManagement.firstLocation": "添加首个专用位置", @@ -31053,6 +34128,7 @@ "xpack.synthetics.monitorManagement.getAPIKeyReducedPermissions.description": "使用 API 密钥从 CLI 或 CD 管道远程推送监测。要生成 API 密钥,您必须有权管理 API 密钥并具有 Uptime 写入权限。请联系您的管理员。", "xpack.synthetics.monitorManagement.gettingStarted.label": "开始使用 Synthetic 监测", "xpack.synthetics.monitorManagement.heading": "监测管理", + "xpack.synthetics.monitorManagement.hostFieldLabel": "主机", "xpack.synthetics.monitorManagement.inProgress": "进行中", "xpack.synthetics.monitorManagement.invalidLabel": "无效", "xpack.synthetics.monitorManagement.label": "监测管理", @@ -31063,7 +34139,9 @@ "xpack.synthetics.monitorManagement.locationName": "位置名称", "xpack.synthetics.monitorManagement.locationsLabel": "位置", "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel": "正在加载监测管理", + "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.callout.invalidKey": "了解详情", "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.callout.learnMore": "了解详情。", + "xpack.synthetics.monitorManagement.manageMonitorLoadingLabel.disabledCallout.learnMore": "了解详情", "xpack.synthetics.monitorManagement.managePrivateLocations": "专用位置", "xpack.synthetics.monitorManagement.monitorAddedSuccessMessage": "已成功添加监测。", "xpack.synthetics.monitorManagement.monitorAdvancedOptions.dataStreamConfiguration.description": "配置其他数据流选项。", @@ -31074,6 +34152,7 @@ "xpack.synthetics.monitorManagement.monitorEditedSuccessMessage": "已成功更新监测。", "xpack.synthetics.monitorManagement.monitorFailureMessage": "无法保存监测。请稍后重试。", "xpack.synthetics.monitorManagement.monitorList.actions": "操作", + "xpack.synthetics.monitorManagement.monitorList.disclaimer.title": "删除此监测不会将其从项目源中移除", "xpack.synthetics.monitorManagement.monitorList.enabled": "已启用", "xpack.synthetics.monitorManagement.monitorList.locations": "位置", "xpack.synthetics.monitorManagement.monitorList.monitorName": "监测名称", @@ -31105,6 +34184,8 @@ "xpack.synthetics.monitorManagement.policyHost": "代理策略", "xpack.synthetics.monitorManagement.privateLabel": "专用", "xpack.synthetics.monitorManagement.privateLocations": "专用位置", + "xpack.synthetics.monitorManagement.privateLocationsNotAllowedMessage": "您无权将监测添加到专用位置。请联系管理员请求访问权限。", + "xpack.synthetics.monitorManagement.projectDelete.docsLink": "阅读我们的文档", "xpack.synthetics.monitorManagement.publicBetaDescription": "我们获得了一个崭新的应用。同时,我们很高兴您能够尽早访问我们的全球托管测试基础架构。这将允许您使用我们的新型点击式脚本记录器上传组合监测,并通过新 UI 来管理监测。", "xpack.synthetics.monitorManagement.readDocs": "阅读文档", "xpack.synthetics.monitorManagement.requestAccess": "请求访问权限", @@ -31114,6 +34195,7 @@ "xpack.synthetics.monitorManagement.saveMonitorLabel": "保存监测", "xpack.synthetics.monitorManagement.selectOneOrMoreLocations": "选择一个或多个位置", "xpack.synthetics.monitorManagement.selectPolicyHost": "选择代理策略", + "xpack.synthetics.monitorManagement.selectPolicyHost.helpText": "我们建议每个代理策略使用单一 Elastic 代理。", "xpack.synthetics.monitorManagement.service.error.title": "无法同步监测配置", "xpack.synthetics.monitorManagement.serviceLocationsValidationError": "必须至少指定一个服务位置", "xpack.synthetics.monitorManagement.startAddingLocationsDescription": "专用位置供您从自己的场所运行监测。它们需要可以通过 Fleet 进行控制和维护的 Elastic 代理和代理策略。", @@ -31123,6 +34205,7 @@ "xpack.synthetics.monitorManagement.syntheticsDisableToolTip": "禁用监测管理会立即在所有测试地点停止执行监测并阻止创建新监测。", "xpack.synthetics.monitorManagement.syntheticsEnabledFailure": "无法启用监测管理。请联系支持人员。", "xpack.synthetics.monitorManagement.syntheticsEnableLabel": "启用", + "xpack.synthetics.monitorManagement.syntheticsEnableLabel.invalidKey": "启用监测管理", "xpack.synthetics.monitorManagement.syntheticsEnableLabel.management": "启用监测管理", "xpack.synthetics.monitorManagement.syntheticsEnableSuccess": "已成功启用监测管理。", "xpack.synthetics.monitorManagement.syntheticsEnableToolTip": "启用监测管理以在全球各个地点创建轻量级、真正的浏览器监测。", @@ -31131,6 +34214,7 @@ "xpack.synthetics.monitorManagement.try.dismiss": "关闭", "xpack.synthetics.monitorManagement.try.label": "尝试监测管理", "xpack.synthetics.monitorManagement.updateMonitorLabel": "更新监测", + "xpack.synthetics.monitorManagement.urlFieldLabel": "URL", "xpack.synthetics.monitorManagement.urlRequiredLabel": "“URL”必填", "xpack.synthetics.monitorManagement.validationError": "您的监测存在错误。请在保存前修复这些错误。", "xpack.synthetics.monitorManagement.viewTestRunDetails": "查看测试结果详情", @@ -31138,10 +34222,20 @@ "xpack.synthetics.monitorManagement.websiteUrlLabel": "网站 URL", "xpack.synthetics.monitorManagement.websiteUrlPlaceholder": "输入网站 URL", "xpack.synthetics.monitorManagement.yesLabel": "删除", + "xpack.synthetics.monitorOverviewTab.title": "概览", "xpack.synthetics.monitors.management.betaLabel": "此功能为公测版,可能会进行更改。设计和代码相对于正式发行版功能还不够成熟,将按原样提供,且不提供任何保证。公测版功能不受正式发行版功能的支持服务水平协议约束。", "xpack.synthetics.monitors.pageHeader.createButton.label": "创建监测", "xpack.synthetics.monitors.pageHeader.title": "监测", "xpack.synthetics.monitorsPage.monitorsMCrumb": "监测", + "xpack.synthetics.monitorStatus.complete": "已完成", + "xpack.synthetics.monitorStatus.downLabel": "关闭", + "xpack.synthetics.monitorStatus.failed": "失败", + "xpack.synthetics.monitorStatus.failedLabel": "失败", + "xpack.synthetics.monitorStatus.pendingLabel": "待处理", + "xpack.synthetics.monitorStatus.skipped": "已跳过", + "xpack.synthetics.monitorStatus.statusLabel": "状态", + "xpack.synthetics.monitorStatus.succeededLabel": "成功", + "xpack.synthetics.monitorStatus.upLabel": "运行", "xpack.synthetics.monitorStatusBar.durationTextAriaLabel": "监测持续时间(毫秒)", "xpack.synthetics.monitorStatusBar.healthStatusMessageAriaLabel": "监测状态", "xpack.synthetics.monitorStatusBar.loadingMessage": "正在加载……", @@ -31158,7 +34252,17 @@ "xpack.synthetics.monitorStatusBar.timestampFromNowTextAriaLabel": "自上次检查以来经过的时间", "xpack.synthetics.monitorStatusBar.type.ariaLabel": "监测类型", "xpack.synthetics.monitorStatusBar.type.label": "类型", + "xpack.synthetics.monitorSummary.createNewMonitor": "创建监测", + "xpack.synthetics.monitorSummary.goToMonitor": "前往监测", + "xpack.synthetics.monitorSummary.loadingMonitors": "正在加载监测", + "xpack.synthetics.monitorSummary.noOtherMonitors": "无其他监测存在。", + "xpack.synthetics.monitorSummary.noResultsFound": "未找到任何监测。请尝试修改您的查询。", + "xpack.synthetics.monitorSummary.otherMonitors": "其他监测", + "xpack.synthetics.monitorSummary.placeholderSearch": "监测名称或标签", + "xpack.synthetics.monitorSummary.recentlyViewed": "最近查看", "xpack.synthetics.monitorSummary.runTestManually": "手动运行测试", + "xpack.synthetics.monitorSummary.selectMonitor": "选择不同监测以查看其详情", + "xpack.synthetics.monitorSummaryRoute.monitorBreadcrumb": "监测", "xpack.synthetics.navigateToAlertingButton.content": "管理规则", "xpack.synthetics.navigateToAlertingUi": "离开 Uptime 并前往“Alerting 管理”页面", "xpack.synthetics.noDataConfig.beatsCard.description": "主动监测站点和服务的可用性。接收告警并更快地解决问题,从而优化用户体验。", @@ -31167,13 +34271,50 @@ "xpack.synthetics.notFountPage.homeLinkText": "返回主页", "xpack.synthetics.openAlertContextPanel.ariaLabel": "打开规则上下文面板,以便可以选择规则类型", "xpack.synthetics.openAlertContextPanel.label": "创建规则", + "xpack.synthetics.overview.actions.disablingLabel": "正在禁用监测", + "xpack.synthetics.overview.actions.editMonitor.name": "编辑监测", + "xpack.synthetics.overview.actions.enableLabelDisableMonitor": "禁用监测", + "xpack.synthetics.overview.actions.enableLabelEnableMonitor": "启用监测", + "xpack.synthetics.overview.actions.enablingLabel": "正在启用监测", + "xpack.synthetics.overview.actions.goToMonitor.name": "前往监测", + "xpack.synthetics.overview.actions.menu.title": "操作", + "xpack.synthetics.overview.actions.openPopover.ariaLabel": "打开操作菜单", + "xpack.synthetics.overview.actions.quickInspect.title": "快速检查", "xpack.synthetics.overview.alerts.disabled.failed": "无法禁用规则!", "xpack.synthetics.overview.alerts.disabled.success": "已成功禁用规则!", "xpack.synthetics.overview.alerts.enabled.failed": "无法启用规则!", "xpack.synthetics.overview.alerts.enabled.success": "已成功启用规则 ", - "xpack.synthetics.overview.duration.label": "持续时间", + "xpack.synthetics.overview.duration.label": "平均持续时间", + "xpack.synthetics.overview.grid.scrollToTop.label": "返回顶部", + "xpack.synthetics.overview.grid.showingAllMonitors.label": "正在显示所有监测", "xpack.synthetics.overview.heading": "监测", "xpack.synthetics.overview.monitors.label": "监测", + "xpack.synthetics.overview.noMonitorsFoundContent": "请尝试优化您的搜索。", + "xpack.synthetics.overview.noMonitorsFoundHeading": "未找到任何监测", + "xpack.synthetics.overview.overview.clearFilters": "清除筛选", + "xpack.synthetics.overview.pagination.loading": "正在加载监测......", + "xpack.synthetics.overview.sortPopover.alphabetical.asc": "A -> Z", + "xpack.synthetics.overview.sortPopover.alphabetical.desc": "Z -> A", + "xpack.synthetics.overview.sortPopover.alphabetical.label": "按字母顺序", + "xpack.synthetics.overview.sortPopover.ascending.label": "升序", + "xpack.synthetics.overview.sortPopover.descending.label": "降序", + "xpack.synthetics.overview.sortPopover.lastModified.asc": "先进先出", + "xpack.synthetics.overview.sortPopover.lastModified.desc": "后进先出", + "xpack.synthetics.overview.sortPopover.lastModified.label": "最后修改时间", + "xpack.synthetics.overview.sortPopover.orderBy.title": "顺序", + "xpack.synthetics.overview.sortPopover.sort.title": "排序依据", + "xpack.synthetics.overview.sortPopover.sortBy.title": "排序依据", + "xpack.synthetics.overview.sortPopover.status.asc": "先向下", + "xpack.synthetics.overview.sortPopover.status.desc": "先向上", + "xpack.synthetics.overview.sortPopover.status.label": "状态", + "xpack.synthetics.overview.status.disabled.description": "已禁用", + "xpack.synthetics.overview.status.down.description": "关闭", + "xpack.synthetics.overview.status.error.title": "无法获取监测状态指标", + "xpack.synthetics.overview.status.filters.disabled": "已禁用", + "xpack.synthetics.overview.status.filters.down": "关闭", + "xpack.synthetics.overview.status.filters.up": "运行", + "xpack.synthetics.overview.status.headingText": "当前状态", + "xpack.synthetics.overview.status.up.description": "运行", "xpack.synthetics.overviewPage.overviewCrumb": "概览", "xpack.synthetics.overviewPageLink.disabled.ariaLabel": "禁用的分页按钮表示在监测列表中无法进行进一步导航。", "xpack.synthetics.overviewPageLink.next.ariaLabel": "下页结果", @@ -31210,11 +34351,18 @@ "xpack.synthetics.pingList.timestampColumnLabel": "时间戳", "xpack.synthetics.pluginDescription": "Synthetics 监测", "xpack.synthetics.public.pages.mappingError.title": "Heartbeat 映射缺失", + "xpack.synthetics.receive": "接收", "xpack.synthetics.routes.baseTitle": "Synthetics - Kibana", "xpack.synthetics.routes.legacyBaseTitle": "Uptime - Kibana", "xpack.synthetics.routes.monitorManagement.betaLabel": "此功能为公测版,可能会进行更改。设计和代码相对于正式发行版功能还不够成熟,将按原样提供,且不提供任何保证。公测版功能不受正式发行版功能的支持服务水平协议约束。", "xpack.synthetics.seconds.label": "秒", "xpack.synthetics.seconds.shortForm.label": "秒", + "xpack.synthetics.send": "发送", + "xpack.synthetics.server.project.delete.toolarge": "删除请求,有效负载太大。每个请求请最多发送 250 个要删除的监测", + "xpack.synthetics.service.projectMonitors.cannotUpdateMonitorToDifferentType": "无法将监测更新为不同类型。", + "xpack.synthetics.service.projectMonitors.failedToUpdateMonitor": "无法创建或更新监测", + "xpack.synthetics.service.projectMonitors.failedToUpdateMonitors": "无法创建或更新监测", + "xpack.synthetics.service.projectMonitors.insufficientFleetPermissions": "权限不足。要配置专用位置,您必须具有 Fleet 和集成写入权限。要解决问题,请通过具有 Fleet 和集成写入权限的用户生成新的 API 密钥。", "xpack.synthetics.settings.blank.error": "不能为空。", "xpack.synthetics.settings.blankNumberField.error": "必须为数字。", "xpack.synthetics.settings.cannotEditText": "您的用户当前对 Uptime 应用有“读取”权限。启用“全部”权限级别以编辑这些设置。", @@ -31225,7 +34373,21 @@ "xpack.synthetics.settings.invalid.nanError": "值必须为整数。", "xpack.synthetics.settings.noSpace.error": "索引名称不得包含空格", "xpack.synthetics.settings.saveSuccess": "设置已保存!", + "xpack.synthetics.settings.title": "设置", "xpack.synthetics.settingsBreadcrumbText": "设置", + "xpack.synthetics.settingsRoute.allChecks": "所有检查", + "xpack.synthetics.settingsRoute.browserChecks": "浏览器检查", + "xpack.synthetics.settingsRoute.browserNetworkRequests": "浏览器网络请求", + "xpack.synthetics.settingsRoute.pageHeaderTitle": "设置", + "xpack.synthetics.settingsRoute.readDocs": "阅读我们的文档", + "xpack.synthetics.settingsRoute.retentionCalloutTitle": "Synthetics 数据由托管索引生命周期策略进行配置", + "xpack.synthetics.settingsRoute.table.currentSize": "当前大小", + "xpack.synthetics.settingsRoute.table.dataset": "数据集", + "xpack.synthetics.settingsRoute.table.policy": "策略", + "xpack.synthetics.settingsRoute.table.retentionPeriod": "保留期限", + "xpack.synthetics.settingsRoute.tableCaption": "Synthetics 数据保留策略", + "xpack.synthetics.settingsTabs.alerting": "Alerting", + "xpack.synthetics.settingsTabs.dataRetention": "数据保留", "xpack.synthetics.snapshot.monitor": "监测", "xpack.synthetics.snapshot.monitors": "监测", "xpack.synthetics.snapshot.noDataDescription": "选定的时间范围中没有 ping。", @@ -31258,6 +34420,19 @@ "xpack.synthetics.sourceConfiguration.heartbeatIndicesTitle": "Uptime 索引", "xpack.synthetics.sourceConfiguration.indicesSectionTitle": "索引", "xpack.synthetics.sourceConfiguration.warningStateLabel": "使用时间限制", + "xpack.synthetics.ssl": "SSL", + "xpack.synthetics.stackManagement": "Stack Management", + "xpack.synthetics.stepDetails.expected": "预期", + "xpack.synthetics.stepDetails.objectCount": "对象计数", + "xpack.synthetics.stepDetails.objectWeight": "对象权重", + "xpack.synthetics.stepDetails.received": "已接收", + "xpack.synthetics.stepDetails.screenshot": "屏幕截图", + "xpack.synthetics.stepDetails.total": "合计", + "xpack.synthetics.stepDetails.totalSize": "总大小", + "xpack.synthetics.stepDetailsRoute.definition": "定义", + "xpack.synthetics.stepDetailsRoute.last24Hours": "过去 24 小时", + "xpack.synthetics.stepDetailsRoute.metrics": "指标", + "xpack.synthetics.stepDetailsRoute.timingsBreakdown": "计时细目", "xpack.synthetics.stepList.collapseRow": "折叠", "xpack.synthetics.stepList.expandRow": "展开", "xpack.synthetics.stepList.stepName": "步骤名称", @@ -31289,8 +34464,10 @@ "xpack.synthetics.synthetics.statusBadge.succeededMessage": "成功", "xpack.synthetics.synthetics.step.durationTrend": "步骤持续时间趋势", "xpack.synthetics.synthetics.stepDetail.nextCheckButtonText": "下一检查", + "xpack.synthetics.synthetics.stepDetail.nextStepButtonText": "下一步", "xpack.synthetics.synthetics.stepDetail.noData": "找不到此步骤的数据", "xpack.synthetics.synthetics.stepDetail.previousCheckButtonText": "上一检查", + "xpack.synthetics.synthetics.stepDetail.previousStepButtonText": "上一步", "xpack.synthetics.synthetics.stepDetail.waterfall.loading": "瀑布图正在加载", "xpack.synthetics.synthetics.stepDetail.waterfallNoData": "找不到此步骤的瀑布数据", "xpack.synthetics.synthetics.stepDetail.waterfallUnsupported.description": "瀑布图无法显示。您可能正在使用较旧的组合代理版本。请检查版本并考虑升级。", @@ -31339,20 +34516,35 @@ "xpack.synthetics.synthetics.waterfallChart.labels.timings.wait": "等待中 (TTFB)", "xpack.synthetics.syntheticsFeatureCatalogueTitle": "Synthetics", "xpack.synthetics.syntheticsMonitors": "运行时间 - 监测", + "xpack.synthetics.testDetails.codeExecuted": "已执行代码", + "xpack.synthetics.testDetails.console": "控制台", + "xpack.synthetics.testDetails.stackTrace": "堆栈跟踪", + "xpack.synthetics.testDetails.stepExecuted": "已执行步骤", + "xpack.synthetics.testDetails.totalDuration": "总持续时间:", "xpack.synthetics.testRun.description": "请在保存前测试您的监测并验证结果", "xpack.synthetics.testRun.pushError": "无法推送监测到服务。", "xpack.synthetics.testRun.pushErrorLabel": "推送错误", "xpack.synthetics.testRun.pushing.description": "正在推送监测到服务......", "xpack.synthetics.testRun.runErrorLabel": "运行测试时出错", + "xpack.synthetics.testRunDetailsRoute.page.title": "测试运行详情", + "xpack.synthetics.timestamp.label": "@timestamp", "xpack.synthetics.title": "运行时间", "xpack.synthetics.toggleAlertButton.content": "监测状态规则", "xpack.synthetics.toggleAlertFlyout.ariaLabel": "打开添加规则浮出控件", "xpack.synthetics.toggleTlsAlertButton.ariaLabel": "打开 TLS 规则浮出控件", "xpack.synthetics.toggleTlsAlertButton.content": "TLS 规则", + "xpack.synthetics.totalDuration.metrics": "步骤持续时间", "xpack.synthetics.uptimeFeatureCatalogueTitle": "运行时间", "xpack.synthetics.uptimeSettings.index": "Uptime 设置 - 索引", + "xpack.synthetics.wait": "等待", "xpack.synthetics.waterfallChart.sidebar.url.https": "https", "xpack.threatIntelligence.common.emptyPage.body3": "要开始使用 Elastic 威胁情报,请从“集成”页面启用一个或多个威胁情报集成,或使用 Filebeat 采集数据。有关更多信息,请查看 {docsLink}。", + "xpack.threatIntelligence.addToExistingCase": "添加到现有案例", + "xpack.threatIntelligence.addToNewCase": "添加到新案例", + "xpack.threatIntelligence.cases.eventDescription": "已添加受损指标", + "xpack.threatIntelligence.cases.indicatorFeedName": "源名称:", + "xpack.threatIntelligence.cases.indicatorName": "指标名称:", + "xpack.threatIntelligence.cases.indicatorType": "指标类型:", "xpack.threatIntelligence.common.emptyPage.body1": "利用 Elastic 威胁情报,可以通过将多个来源的数据聚合到一个位置,轻松分析和调查潜在的安全威胁。", "xpack.threatIntelligence.common.emptyPage.body2": "您将可以查看来自所有已激活威胁情报馈送的数据,并从此页面执行操作。", "xpack.threatIntelligence.common.emptyPage.buttonText": "添加集成", @@ -31361,19 +34553,52 @@ "xpack.threatIntelligence.common.emptyPage.title": "Elastic 威胁情报入门", "xpack.threatIntelligence.empty.description": "尝试搜索更长的时间段或修改您的搜索", "xpack.threatIntelligence.empty.title": "没有任何结果匹配您的搜索条件", + "xpack.threatIntelligence.field.@timestamp": "@timestamp", + "xpack.threatIntelligence.field.threat.feed.name": "馈送", + "xpack.threatIntelligence.field.threat.indicator.confidence": "置信度", + "xpack.threatIntelligence.field.threat.indicator.first_seen": "首次看到时间", + "xpack.threatIntelligence.field.threat.indicator.last_seen": "最后看到时间", + "xpack.threatIntelligence.field.threat.indicator.marking.tlp": "TLP 标记", + "xpack.threatIntelligence.field.threat.indicator.name": "指标", + "xpack.threatIntelligence.field.threat.indicator.type": "指标类型", + "xpack.threatIntelligence.indicator.barChart.popover": "更多操作", + "xpack.threatIntelligence.indicator.barchartSection.title": "趋势", + "xpack.threatIntelligence.indicator.fieldSelector.label": "堆叠依据", + "xpack.threatIntelligence.indicator.fieldsTable.fieldColumnLabel": "字段", + "xpack.threatIntelligence.indicator.fieldsTable.valueColumnLabel": "值", "xpack.threatIntelligence.indicator.flyout.jsonTabLabel": "JSON", + "xpack.threatIntelligence.indicator.flyout.overviewTabLabel": "概览", + "xpack.threatIntelligence.indicator.flyout.panelSubTitle": "首次看到时间:", + "xpack.threatIntelligence.indicator.flyout.panelTitleWithOverviewTab": "指标详情", "xpack.threatIntelligence.indicator.flyout.tableTabLabel": "表", + "xpack.threatIntelligence.indicator.flyoutOverviewTable.highlightedFields": "突出显示的字段", + "xpack.threatIntelligence.indicator.flyoutOverviewTable.viewAllFieldsInTable": "查看表中的所有字段", "xpack.threatIntelligence.indicator.flyoutTable.errorMessageBody": "显示指标字段和值时出现错误。", "xpack.threatIntelligence.indicator.flyoutTable.errorMessageTitle": "无法显示指标信息", - "xpack.threatIntelligence.indicator.fieldsTable.fieldColumnLabel": "字段", - "xpack.threatIntelligence.indicator.fieldsTable.valueColumnLabel": "值", "xpack.threatIntelligence.indicator.table.actionColumnLabel": "操作", - "xpack.threatIntelligence.field.threat.feed.name": "馈送", - "xpack.threatIntelligence.field.threat.indicator.first_seen": "首次看到时间", - "xpack.threatIntelligence.field.threat.indicator.name": "指标", - "xpack.threatIntelligence.field.threat.indicator.type": "指标类型", - "xpack.threatIntelligence.field.threat.indicator.last_seen": "最后看到时间", + "xpack.threatIntelligence.indicator.table.moreActions": "更多操作", "xpack.threatIntelligence.indicator.table.viewDetailsButton": "查看详情", + "xpack.threatIntelligence.indicatorNameFieldDescription": "在运行时中生成的指标显示名称 ", + "xpack.threatIntelligence.indicators.flyout.take-action.button": "采取操作", + "xpack.threatIntelligence.indicators.table.copyToClipboardLabel": "复制到剪贴板", + "xpack.threatIntelligence.inspectorFlyoutTitle": "指标搜索请求", + "xpack.threatIntelligence.inspectTitle": "检查", + "xpack.threatIntelligence.investigateInTimelineButton": "在时间线中调查", + "xpack.threatIntelligence.more-actions.popover": "更多操作", + "xpack.threatIntelligence.navigation.indicatorsNavItemDescription": "Elastic 威胁情报有助于您了解您是否易于受到或已面临当前或历史上的已知威胁。", + "xpack.threatIntelligence.navigation.indicatorsNavItemKeywords": "指标", + "xpack.threatIntelligence.navigation.indicatorsNavItemLabel": "指标", + "xpack.threatIntelligence.navigation.intelligenceNavItemLabel": "情报", + "xpack.threatIntelligence.paywall.body": "开始免费试用或将许可证升级到企业版以使用威胁情报。", + "xpack.threatIntelligence.paywall.title": "Security 让您事半功倍!", + "xpack.threatIntelligence.paywall.trial": "开始免费试用", + "xpack.threatIntelligence.paywall.upgrade": "升级", + "xpack.threatIntelligence.queryBar.filterIn": "筛选", + "xpack.threatIntelligence.queryBar.filterOut": "筛除", + "xpack.threatIntelligence.timeline.addToTimeline": "添加到时间线", + "xpack.threatIntelligence.timeline.investigateInTimelineButtonIcon": "在时间线中调查", + "xpack.threatIntelligence.updateStatus.updated": "已更新", + "xpack.threatIntelligence.updateStatus.updating": "正在更新......", "xpack.timelines.clipboard.copy.successToastTitle": "已将字段 {field} 复制到剪贴板", "xpack.timelines.hoverActions.columnToggleLabel": "在表中切换 {field} 列", "xpack.timelines.hoverActions.nestedColumnToggleLabel": "{field} 字段是对象,并分解为可以添加为列的嵌套字段", @@ -31458,6 +34683,7 @@ "xpack.transform.transformNodes.noTransformNodesCallOutBody": "您将无法创建或运行转换。{learnMoreLink}", "xpack.transform.actionDeleteTransform.bulkDeleteDestDataViewTitle": "删除目标数据视图", "xpack.transform.actionDeleteTransform.bulkDeleteDestinationIndexTitle": "删除目标索引", + "xpack.transform.agg.filterEditorForm.jsonInvalidErrorMessage": "JSON 无效。", "xpack.transform.agg.popoverForm.aggLabel": "聚合", "xpack.transform.agg.popoverForm.aggNameAlreadyUsedError": "其他聚合已使用该名称。", "xpack.transform.agg.popoverForm.aggNameInvalidCharError": "名称无效。不允许使用字符“[”、“]”和“>”,且名称不得以空格字符开头或结束。", @@ -31531,6 +34757,7 @@ "xpack.transform.home.breadcrumbTitle": "转换", "xpack.transform.indexPreview.copyClipboardTooltip": "将索引预览的开发控制台语句复制到剪贴板。", "xpack.transform.indexPreview.copyRuntimeFieldsClipboardTooltip": "将运行时字段的开发控制台语句复制到剪贴板。", + "xpack.transform.invalidRuntimeFieldMessage": "运行时字段无效", "xpack.transform.latestPreview.latestPreviewIncompleteConfigCalloutBody": "请选择至少一个唯一键和排序字段。", "xpack.transform.licenseCheckErrorMessage": "许可证检查失败", "xpack.transform.list.emptyPromptButtonText": "创建您的首个转换", @@ -31816,11 +35043,13 @@ "xpack.triggersActionsUI.actionVariables.legacyAlertNameLabel": "其已弃用,将由 {variable} 替代。", "xpack.triggersActionsUI.actionVariables.legacySpaceIdLabel": "其已弃用,将由 {variable} 替代。", "xpack.triggersActionsUI.actionVariables.legacyTagsLabel": "其已弃用,将由 {variable} 替代。", + "xpack.triggersActionsUI.alertsTable.alertsCountUnit": "{totalCount, plural, other {告警}}", "xpack.triggersActionsUI.checkActionTypeEnabled.actionTypeDisabledByLicenseMessage": "此连接器需要{minimumLicenseRequired}许可证。", "xpack.triggersActionsUI.checkRuleTypeEnabled.ruleTypeDisabledByLicenseMessage": "此规则类型需要{minimumLicenseRequired}许可证。", "xpack.triggersActionsUI.components.builtinActionTypes.missingSecretsValuesLabel": "未导入敏感信息。请为以下字段{encryptedFieldsLength, plural, other {}} {secretFieldsLabel}输入值{encryptedFieldsLength, plural, other {}}。", "xpack.triggersActionsUI.components.buttonGroupField.error.requiredField": "{label} 必填。", "xpack.triggersActionsUI.components.deleteSelectedIdsErrorNotification.descriptionText": "无法删除 {numErrors, number} 个{numErrors, plural, one {{singleTitle}} other {{multipleTitle}}}", + "xpack.triggersActionsUI.components.deleteSelectedIdsPartialSuccessNotification.descriptionText": "已删除 {numberOfSuccess, number} 个{numberOfSuccess, plural, one {{singleTitle}} other {{multipleTitle}}},{numberOfErrors, number} 个{numberOfErrors, plural, one {{singleTitle}} other {{multipleTitle}}}遇到错误", "xpack.triggersActionsUI.components.passwordField.error.requiredNameText": "{label} 必填。", "xpack.triggersActionsUI.components.simpleConnectorForm.secrets.reenterValuesLabel": "记住值{encryptedFieldsLength, plural, other {}} {secretFieldsLabel}。每次编辑连接器时都必须重新输入{encryptedFieldsLength, plural, other {值}}。", "xpack.triggersActionsUI.components.simpleConnectorForm.secrets.reenterValuesMessage": "值{encryptedFieldsLength, plural, other {}} {secretFieldsLabel} {encryptedFieldsLength, plural, other {已}}加密。请为{encryptedFieldsLength, plural, one {此} other {这些}}字段{encryptedFieldsLength, plural, other {}}重新输入值{encryptedFieldsLength, plural, other {}}。", @@ -31875,6 +35104,7 @@ "xpack.triggersActionsUI.ruleSnoozeScheduler.untilDateSummary": "直到 {date}", "xpack.triggersActionsUI.sections.actionConnectorForm.error.requireFieldText": "{label} 必填。", "xpack.triggersActionsUI.sections.actionsConnectorsList.buttons.deleteLabel": "删除 {count} 个", + "xpack.triggersActionsUI.sections.actionsConnectorsList.warningText": "{connectors, plural, one {此连接器} other {这些连接器}}当前正在使用中。", "xpack.triggersActionsUI.sections.actionTypeForm.actionIdLabel": "{connectorInstance} 连接器", "xpack.triggersActionsUI.sections.actionTypeForm.addNewActionConnectorActionGroup.display": "{actionGroupName}(当前不支持)", "xpack.triggersActionsUI.sections.actionTypeForm.existingAlertActionTypeEditTitle": "{actionConnectorName}", @@ -31889,6 +35119,9 @@ "xpack.triggersActionsUI.sections.manageLicense.manageLicenseTitle": "需要{licenseRequired}许可证", "xpack.triggersActionsUI.sections.preconfiguredConnectorForm.flyoutTitle": "{connectorName}", "xpack.triggersActionsUI.sections.ruleAdd.saveSuccessNotificationText": "已创建规则“{ruleName}”", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.failure": "无法更新 {failure, plural, other {# 个规则}}的 {property}。", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.someSuccess": "已更新 {success, plural, other {# 规则}}的 {property},{failure, plural, other {# 个规则}}遇到错误。", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.success": "已更新 {total, plural, other {# 个规则}}的 {property}。", "xpack.triggersActionsUI.sections.ruleDetails.refineSearchPrompt.prompt": "下面是与您的搜索匹配的前 {visibleDocumentSize} 个文档,请优化您的搜索以查看其他文档。", "xpack.triggersActionsUI.sections.ruleDetails.rule.statusPanel.totalExecutions": "过去 24 小时中的 {executions, plural, other {# 次执行}}", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.actionErrorsPlural": "{value, plural, other {个错误操作}}", @@ -31908,14 +35141,25 @@ "xpack.triggersActionsUI.sections.ruleForm.error.noAuthorizedRuleTypesTitle": "您尚无权{operation}任何规则类型", "xpack.triggersActionsUI.sections.ruleForm.error.requiredActionConnector": "“{actionTypeId} 连接器的操作”必填。", "xpack.triggersActionsUI.sections.rulesList.attentionBannerTitle": "{totalStatusesError, plural, other {# 个规则}}中出现错误。", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmationPlural": "删除 {total, plural, other {# 个规则}}的所有暂停计划?", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmationSingle": "删除 {ruleName} 的所有暂停计划?", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmationPlural": "取消暂停 {total, plural, other {# 个规则}}?", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmationSingle": "取消暂停 {ruleName}?", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snoozedUntil": "已暂停,直到 {snoozeTime}", "xpack.triggersActionsUI.sections.rulesList.hideAllErrors": "隐藏{totalStatusesError, plural, other {错误}}", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeFailedDescription": "失败:{total} 个", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeSucceededDescription": "成功:{total} 个", + "xpack.triggersActionsUI.sections.rulesList.lastRunOutcomeWarningDescription": "警告:{total} 个", + "xpack.triggersActionsUI.sections.rulesList.removeAllSnoozeSchedules": "移除{count, plural, one {计划} other {# 个计划}}?", "xpack.triggersActionsUI.sections.rulesList.rulesListAutoRefresh.lastUpdateText": "已更新 {lastUpdateText}", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozedTooltip": "通知将暂停 {snoozeTime}", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozeScheduledTooltip": "计划从 {schedStart} 开始暂停通知", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.intervalTooltipText": "{interval} 的规则时间间隔低于配置的最小时间间隔 {minimumInterval}。这可能会影响告警性能。", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleExecutionPercentileTooltip": "此规则过去的 {sampleLimit} 运行持续时间 (mm:ss) 的第 {percentileOrdinal} 个百分位。", + "xpack.triggersActionsUI.sections.rulesList.selectAllRulesButton": "选择所有 {formattedTotalRules} 个{totalRules, plural, other {规则}}", + "xpack.triggersActionsUI.sections.rulesList.selectedRulesButton": "已选择 {formattedSelectedRules} 个{selectedRules, plural, other {规则}}", "xpack.triggersActionsUI.sections.rulesList.showAllErrors": "显示{totalStatusesError, plural, other {错误}}", + "xpack.triggersActionsUI.sections.rulesList.totalRulesLabel": "{formattedTotalRules} 个{totalRules, plural, other {规则}}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesActiveDescription": "活动:{totalStatusesActive}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesErrorDescription": "错误:{totalStatusesError}", "xpack.triggersActionsUI.sections.rulesList.totalStatusesOkDescription": "确定:{totalStatusesOk}", @@ -31944,11 +35188,13 @@ "xpack.triggersActionsUI.actionVariables.ruleSpaceIdLabel": "规则的工作区 ID。", "xpack.triggersActionsUI.actionVariables.ruleTagsLabel": "规则的标签。", "xpack.triggersActionsUI.actionVariables.ruleTypeLabel": "规则的类型。", + "xpack.triggersActionsUI.actionVariables.ruleUrlLabel": "生成告警的 Stack Management 规则页面的 URL。如果未配置 server.publicBaseUrl,这将为空字符串。", + "xpack.triggersActionsUI.alertsSearchBar.placeholder": "搜索告警(例如 kibana.alert.evaluation.threshold > 75)", "xpack.triggersActionsUI.alertsTable.configuration.errorBody": "加载告警表时出现错误。此表缺少所需配置。请联系您的管理员寻求帮助", "xpack.triggersActionsUI.alertsTable.configuration.errorTitle": "无法加载告警表", "xpack.triggersActionsUI.alertsTable.lastUpdated.updated": "已更新", "xpack.triggersActionsUI.alertsTable.lastUpdated.updating": "正在更新......", - "xpack.triggersActionsUI.appName": "规则和连接器", + "xpack.triggersActionsUI.appName": "规则", "xpack.triggersActionsUI.bulkActions.columnHeader.AriaLabel": "选择所有行", "xpack.triggersActionsUI.checkActionTypeEnabled.actionTypeDisabledByConfigMessage": "连接器已由 Kibana 配置禁用。", "xpack.triggersActionsUI.common.constants.comparators.groupByTypes.allDocumentsLabel": "所有文档", @@ -31974,8 +35220,11 @@ "xpack.triggersActionsUI.components.addMessageVariables.addRuleVariableTitle": "添加规则变量", "xpack.triggersActionsUI.components.addMessageVariables.addVariablePopoverButton": "添加变量", "xpack.triggersActionsUI.components.alertTable.useFetchAlerts.errorMessageText": "搜索告警时发生错误", + "xpack.triggersActionsUI.components.alertTable.useFetchBrowserFieldsCapabilities.errorMessageText": "加载浏览器字段时出错", + "xpack.triggersActionsUI.components.builtinActionTypes.indexAction.chooseLabel": "选择……", + "xpack.triggersActionsUI.components.builtinActionTypes.indexAction.indicesAndIndexPatternsLabel": "基于您的数据视图", "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorButtonLabel": "创建连接器", - "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyBody": "配置电子邮件、Slack、Elasticsearch,以及 Kibana 运行的第三方服务。", + "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyBody": "将各种第三方服务配置到 Kibana。", "xpack.triggersActionsUI.components.emptyConnectorsPrompt.addConnectorEmptyTitle": "创建您的首个连接器", "xpack.triggersActionsUI.components.emptyPrompt.emptyButton": "创建规则", "xpack.triggersActionsUI.components.emptyPrompt.emptyDesc": "条件满足时通过电子邮件、Slack 或其他连接器接收告警。", @@ -31996,8 +35245,11 @@ "xpack.triggersActionsUI.components.jsonEditorWithMessageVariable.noEditorErrorTitle": "无法添加消息变量", "xpack.triggersActionsUI.components.simpleConnectorForm.secrets.authenticationLabel": "身份验证", "xpack.triggersActionsUI.connectors.breadcrumbTitle": "连接器", + "xpack.triggersActionsUI.connectors.home.appTitle": "连接器", + "xpack.triggersActionsUI.connectors.home.description": "连接第三方软件与您的告警数据。", "xpack.triggersActionsUI.data.coreQueryParams.dateStartGTdateEndErrorMessage": "[dateStart]:晚于 [dateEnd]", "xpack.triggersActionsUI.data.coreQueryParams.intervalRequiredErrorMessage": "[interval]:如果 [dateStart] 不等于 [dateEnd],则必须指定", + "xpack.triggersActionsUI.data.coreQueryParams.invalidKQLQueryErrorMessage": "筛选查询无效。", "xpack.triggersActionsUI.data.coreQueryParams.termFieldRequiredErrorMessage": "[termField]:[groupBy] 为 top 时,termField 为必需", "xpack.triggersActionsUI.data.coreQueryParams.termSizeRequiredErrorMessage": "[termSize]:[groupBy] 为 top 时,termSize 为必需", "xpack.triggersActionsUI.deleteSelectedIdsConfirmModal.cancelButtonLabel": "取消", @@ -32018,18 +35270,22 @@ "xpack.triggersActionsUI.fieldBrowser.viewAll": "全部", "xpack.triggersActionsUI.fieldBrowser.viewLabel": "查看", "xpack.triggersActionsUI.fieldBrowser.viewSelected": "已选定", - "xpack.triggersActionsUI.home.appTitle": "规则和连接器", - "xpack.triggersActionsUI.home.breadcrumbTitle": "规则和连接器", + "xpack.triggersActionsUI.home.appTitle": "规则", + "xpack.triggersActionsUI.home.breadcrumbTitle": "规则", "xpack.triggersActionsUI.home.docsLinkText": "文档", + "xpack.triggersActionsUI.home.logsTabTitle": "日志", "xpack.triggersActionsUI.home.rulesTabTitle": "规则", - "xpack.triggersActionsUI.home.sectionDescription": "使规则检测条件,并使用连接器采取操作。", + "xpack.triggersActionsUI.home.sectionDescription": "使用规则来检测条件。", "xpack.triggersActionsUI.home.TabTitle": "告警(仅限内部使用)", "xpack.triggersActionsUI.jsonFieldWrapper.defaultLabel": "JSON 编辑器", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByConfigMessageTitle": "此功能已由 Kibana 配置禁用。", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByLicenseLinkTitle": "查看许可证选项", "xpack.triggersActionsUI.licenseCheck.actionTypeDisabledByLicenseMessageDescription": "要重新启用此操作,请升级您的许可证。", - "xpack.triggersActionsUI.managementSection.displayDescription": "使规则检测条件,并使用连接器采取操作。", - "xpack.triggersActionsUI.managementSection.displayName": "规则和连接器", + "xpack.triggersActionsUI.logs.breadcrumbTitle": "日志", + "xpack.triggersActionsUI.managementSection.connectors.displayDescription": "连接第三方软件与您的告警数据。", + "xpack.triggersActionsUI.managementSection.connectors.displayName": "连接器", + "xpack.triggersActionsUI.managementSection.displayDescription": "使用规则来检测条件。", + "xpack.triggersActionsUI.managementSection.displayName": "规则", "xpack.triggersActionsUI.ruleDetails.actions": "操作", "xpack.triggersActionsUI.ruleDetails.conditionsTitle": "条件", "xpack.triggersActionsUI.ruleDetails.definition": "定义", @@ -32038,6 +35294,8 @@ "xpack.triggersActionsUI.ruleDetails.notifyWhen": "通知", "xpack.triggersActionsUI.ruleDetails.ruleType": "规则类型", "xpack.triggersActionsUI.ruleDetails.runsEvery": "运行间隔", + "xpack.triggersActionsUI.ruleDetails.securityDetectionRule": "安全检测规则", + "xpack.triggersActionsUI.ruleEventLogList.showAllSpacesToggle": "显示所有工作区中的规则", "xpack.triggersActionsUI.rules.breadcrumbTitle": "规则", "xpack.triggersActionsUI.ruleSnoozeScheduler.addSchedule": "添加计划", "xpack.triggersActionsUI.ruleSnoozeScheduler.afterOccurrencesLabel": "之后", @@ -32054,6 +35312,7 @@ "xpack.triggersActionsUI.ruleSnoozeScheduler.saveSchedule": "保存计划", "xpack.triggersActionsUI.ruleSnoozeScheduler.timezoneLabel": "时区", "xpack.triggersActionsUI.sections.actionConnectorAdd.backButtonLabel": "返回", + "xpack.triggersActionsUI.sections.actionConnectorAdd.closeButtonLabel": "关闭", "xpack.triggersActionsUI.sections.actionConnectorAdd.manageLicensePlanBannerLinkTitle": "管理许可证", "xpack.triggersActionsUI.sections.actionConnectorAdd.saveAndTestButtonLabel": "保存并测试", "xpack.triggersActionsUI.sections.actionConnectorAdd.saveButtonLabel": "保存", @@ -32088,8 +35347,10 @@ "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actions.runConnectorDisabledDescription": "无法运行连接器", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actions.runConnectorName": "运行", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.actionTypeTitle": "类型", + "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.compatibility": "兼容性", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.fixButtonLabel": "修复", "xpack.triggersActionsUI.sections.actionsConnectorsList.connectorsListTable.columns.nameTitle": "名称", + "xpack.triggersActionsUI.sections.actionsConnectorsList.documentationButtonLabel": "文档", "xpack.triggersActionsUI.sections.actionsConnectorsList.filters.actionTypeIdName": "类型", "xpack.triggersActionsUI.sections.actionsConnectorsList.loadingConnectorTypesDescription": "正在加载连接器类型……", "xpack.triggersActionsUI.sections.actionsConnectorsList.multipleTitle": "连接器", @@ -32104,6 +35365,7 @@ "xpack.triggersActionsUI.sections.actionTypeForm.actionErrorToolTip": "操作包含错误。", "xpack.triggersActionsUI.sections.actionTypeForm.actionRunWhenInActionGroup": "运行条件", "xpack.triggersActionsUI.sections.actionTypeForm.addNewConnectorEmptyButton": "添加连接器", + "xpack.triggersActionsUI.sections.addConnectorForm.flyoutHeaderCompatibility": "兼容性:", "xpack.triggersActionsUI.sections.addConnectorForm.selectConnectorFlyoutTitle": "选择连接器", "xpack.triggersActionsUI.sections.addConnectorForm.updateSuccessNotificationText": "已创建“{connectorName}”", "xpack.triggersActionsUI.sections.addModalConnectorForm.cancelButtonLabel": "取消", @@ -32113,6 +35375,10 @@ "xpack.triggersActionsUI.sections.alertsTable.alertsFlyout.reason": "原因", "xpack.triggersActionsUI.sections.alertsTable.column.actions": "操作", "xpack.triggersActionsUI.sections.alertsTable.leadingControl.viewDetails": "查看详情", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.cancelButtonLabel": "取消", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.confirmConnectorCloseMessage": "您无法恢复未保存更改。", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.discardButtonLabel": "放弃更改", + "xpack.triggersActionsUI.sections.confirmConnectorEditClose.title": "放弃连接器的未保存更改?", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseCancelButtonText": "取消", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseConfirmButtonText": "放弃更改", "xpack.triggersActionsUI.sections.confirmRuleClose.confirmRuleCloseMessage": "您无法恢复未保存更改。", @@ -32128,10 +35394,12 @@ "xpack.triggersActionsUI.sections.connectorAddInline.unableToLoadConnectorTitle'": "无法加载连接器", "xpack.triggersActionsUI.sections.connectorAddInline.unauthorizedToCreateForEmptyConnectors": "只有获得授权的用户才能配置连接器。请联系您的管理员。", "xpack.triggersActionsUI.sections.deprecatedTitleMessage": "(已过时)", + "xpack.triggersActionsUI.sections.editConnectorForm.closeButtonLabel": "关闭", "xpack.triggersActionsUI.sections.editConnectorForm.descriptionText": "此连接器为只读。", "xpack.triggersActionsUI.sections.editConnectorForm.flyoutPreconfiguredTitle": "编辑连接器", "xpack.triggersActionsUI.sections.editConnectorForm.preconfiguredHelpLabel": "详细了解预配置的连接器。", "xpack.triggersActionsUI.sections.editConnectorForm.saveButtonLabel": "保存", + "xpack.triggersActionsUI.sections.editConnectorForm.saveButtonSavedLabel": "已保存更改", "xpack.triggersActionsUI.sections.editConnectorForm.tabText": "配置", "xpack.triggersActionsUI.sections.editConnectorForm.updateErrorNotificationText": "无法更新连接器。", "xpack.triggersActionsUI.sections.editConnectorForm.updateSuccessNotificationText": "已更新“{connectorName}”", @@ -32150,6 +35418,9 @@ "xpack.triggersActionsUI.sections.ruleAdd.saveErrorNotificationText": "无法创建规则。", "xpack.triggersActionsUI.sections.ruleAddFooter.cancelButtonLabel": "取消", "xpack.triggersActionsUI.sections.ruleAddFooter.saveButtonLabel": "保存", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.filterByErrors": "按错误规则筛选", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.property.apiKey": "API 密钥", + "xpack.triggersActionsUI.sections.ruleApi.bulkEditResponse.property.snoozeSettings": "暂停设置", "xpack.triggersActionsUI.sections.ruleDetails.actionWithBrokenConnectorWarningBannerEditText": "编辑规则", "xpack.triggersActionsUI.sections.ruleDetails.actionWithBrokenConnectorWarningBannerTitle": "与此规则关联的连接器之一出现问题。", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.avgDurationDescription": "平均持续时间", @@ -32159,8 +35430,11 @@ "xpack.triggersActionsUI.sections.ruleDetails.alertsList.columns.start": "启动", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.columns.status": "状态", "xpack.triggersActionsUI.sections.ruleDetails.alertsList.ruleTypeExcessDurationMessage": "持续时间超出了规则的预期运行时间。", - "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.activeLabel": "活动", - "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.allAlertsLabel": "所有告警", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.activeLabel": "当前处于活动状态", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.allAlertsLabel": "全部", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.errorLoadingBody": "加载告警摘要时出现错误。请联系您的管理员寻求帮助。", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.errorLoadingTitle": "无法加载告警摘要", + "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.last30days": "过去 30 天", "xpack.triggersActionsUI.sections.ruleDetails.alertsSummary.title": "告警", "xpack.triggersActionsUI.sections.ruleDetails.deleteRuleButtonLabel": "删除规则", "xpack.triggersActionsUI.sections.ruleDetails.disableRuleButtonLabel": "禁用", @@ -32175,6 +35449,7 @@ "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.apiError": "无法提取执行历史记录", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.duration": "持续时间", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.erroredActions": "错误操作", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.erroredActionsToolTip": "失败的操作数。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.esSearchDuration": "ES 搜索持续时间", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.id": "ID", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.message": "消息", @@ -32182,16 +35457,22 @@ "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.openActionErrorsFlyout": "打开操作错误浮出控件", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.recoveredAlerts": "已恢复告警", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.response": "响应", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.ruleId": "规则 ID", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.ruleName": "规则", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduledActions": "生成的操作", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduledActionsToolTip": "运行规则时生成的总操作数。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.scheduleDelay": "计划延迟", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.searchPlaceholder": "搜索事件日志消息", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.showAll": "全部显示", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.showOnlyFailures": "仅显示失败次数", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.spaceIds": "工作区", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.succeededActions": "成功的操作", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.succeededActionsToolTip": "已成功完成的操作数。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.timedOut": "已超时", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.timestamp": "时间戳", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.totalSearchDuration": "搜索持续时间总计", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.triggeredActions": "已触发操作", + "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.triggeredActionsToolTip": "将运行的所生成操作的子集。", "xpack.triggersActionsUI.sections.ruleDetails.eventLogColumn.viewActionErrors": "查看操作错误", "xpack.triggersActionsUI.sections.ruleDetails.eventLogStatusFilterLabel": "响应", "xpack.triggersActionsUI.sections.ruleDetails.manageLicensePlanBannerLinkTitle": "管理许可证", @@ -32205,6 +35486,10 @@ "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.actionErrors": "错误操作", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.close": "关闭", "xpack.triggersActionsUI.sections.ruleDetails.ruleActionErrorLogFlyout.message": "消息", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.actionsTooltip": "多达 10,000 次最近规则运行的操作状态。", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.alertsTooltip": "多达 10,000 次最近规则运行的告警状态。", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.apiError": "无法提取事件日志 KPI。", + "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogListKpi.responseTooltip": "多达 10,000 次最近规则运行的响应。", "xpack.triggersActionsUI.sections.ruleDetails.ruleEventLogPaginationStatus.paginationResultsRangeNoResult": "0", "xpack.triggersActionsUI.sections.ruleDetails.rulesList.ruleLastExecutionDescription": "上次响应", "xpack.triggersActionsUI.sections.ruleDetails.rulesList.status.active": "活动", @@ -32213,6 +35498,7 @@ "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilter.enabledOptionText": "规则已启用", "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilter.snoozedOptionText": "规则已暂停", "xpack.triggersActionsUI.sections.ruleDetails.ruleStateFilterButton": "规则状态", + "xpack.triggersActionsUI.sections.ruleDetails.runRuleButtonLabel": "运行规则", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastMessage": "此规则设置的时间间隔低于配置的最小时间间隔。这可能会影响性能。", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastMessageButton": "编辑规则", "xpack.triggersActionsUI.sections.ruleDetails.scheduleIntervalToastTitle": "配置设置", @@ -32239,16 +35525,16 @@ "xpack.triggersActionsUI.sections.ruleForm.loadingRuleTypeParamsDescription": "正在加载规则类型参数……", "xpack.triggersActionsUI.sections.ruleForm.loadingRuleTypesDescription": "正在加载规则类型……", "xpack.triggersActionsUI.sections.ruleForm.renotifyFieldLabel": "通知", - "xpack.triggersActionsUI.sections.ruleForm.renotifyWithTooltip": "定义规则处于活动状态时重复操作的频率。", + "xpack.triggersActionsUI.sections.ruleForm.renotifyWithTooltip": "定义告警生成操作的频率。", "xpack.triggersActionsUI.sections.ruleForm.ruleNameLabel": "名称", "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.label": "每", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.description": "操作在规则状态更改时运行。", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.display": "仅在状态更改时", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.label": "仅在状态更改时", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.description": "规则活动时,操作按规则时间间隔重复。", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.display": "每次规则处于活动状态时", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.label": "每次规则处于活动状态时", - "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.description": "操作按照您设置的时间间隔运行。", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.description": "操作在告警状态更改时运行。", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.display": "在状态更改时", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActionGroupChange.label": "在状态更改时", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.description": "操作在符合规则条件时运行。", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.display": "按检查时间间隔", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onActiveAlert.label": "按检查时间间隔", + "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.description": "操作在符合规则条件时运行。", "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.display": "按定制操作时间间隔", "xpack.triggersActionsUI.sections.ruleForm.ruleNotifyWhen.onThrottleInterval.label": "按定制操作时间间隔", "xpack.triggersActionsUI.sections.ruleForm.ruleTypeSelectLabel": "选择规则类型", @@ -32257,23 +35543,43 @@ "xpack.triggersActionsUI.sections.ruleForm.tagsFieldLabel": "标签(可选)", "xpack.triggersActionsUI.sections.ruleForm.unableToLoadRuleTypesMessage": "无法加载规则类型", "xpack.triggersActionsUI.sections.rules_list.rules_tag_badge.tagTitle": "标签", + "xpack.triggersActionsUI.sections.rulesList.ableToRunRuleSoon": "计划运行您的规则", "xpack.triggersActionsUI.sections.rulesList.actionTypeFilterLabel": "操作类型", "xpack.triggersActionsUI.sections.rulesList.addButton": "添加", "xpack.triggersActionsUI.sections.rulesList.addRuleButtonLabel": "创建规则", "xpack.triggersActionsUI.sections.rulesList.addSchedule": "添加计划", - "xpack.triggersActionsUI.sections.rulesList.addScheduleDescription": "创建定期计划以在预期中断期间禁止操作", + "xpack.triggersActionsUI.sections.rulesList.addScheduleDescription": "立即静默操作或计划中断。", "xpack.triggersActionsUI.sections.rulesList.applyCancelSnoozeButton": "应用", "xpack.triggersActionsUI.sections.rulesList.applySnooze": "应用", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.deleteAllTitle": "删除", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.disableAllTitle": "禁用", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.enableAllTitle": "启用", "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToDeleteRulesMessage": "无法删除规则", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToSnoozeRules": "无法暂停或取消暂停规则", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.failedToUpdateRuleAPIKeysMessage": "无法更新规则的 API 密钥", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.removeSnoozeScheduleAllTitle": "取消计划暂停", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.snoozeAllTitle": "立即暂停", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.snoozeScheduleAllTitle": "计划暂停", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.unsnoozeAllTitle": "立即取消暂停", + "xpack.triggersActionsUI.sections.rulesList.bulkActionPopover.updateRuleAPIKeysTitle": "更新 API 密钥", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteCancelButton": "取消", + "xpack.triggersActionsUI.sections.rulesList.bulkDeleteConfirmButton": "删除", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeFailMessage": "无法批量暂停规则", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeModal.modalTitle": "立即添加暂停", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeScheduleFailMessage": "无法批量暂停规则", + "xpack.triggersActionsUI.sections.rulesList.bulkSnoozeScheduleModal.modalTitle": "添加暂停计划", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeCancelButton": "取消", + "xpack.triggersActionsUI.sections.rulesList.bulkUnsnoozeConfirmButton": "取消暂停", "xpack.triggersActionsUI.sections.rulesList.cancelSnooze": "取消暂停", "xpack.triggersActionsUI.sections.rulesList.cancelSnoozeConfirmCallout": "只会取消当前发生的计划。", "xpack.triggersActionsUI.sections.rulesList.cancelSnoozeConfirmText": "根据规则操作中的定义生成告警时恢复通知。", + "xpack.triggersActionsUI.sections.rulesList.clearAllSelectionButton": "清除所选内容", + "xpack.triggersActionsUI.sections.rulesList.cloneFailed": "无法克隆规则", + "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.runRule": "运行规则", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snooze": "暂停", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.snoozedIndefinitely": "已无限期暂停", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActions.updateApiKey": "更新 API 密钥", + "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.cloneRuleTitle": "克隆规则", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.deleteRuleTitle": "删除规则", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.disableTitle": "禁用", "xpack.triggersActionsUI.sections.rulesList.collapsedItemActons.editTitle": "编辑规则", @@ -32298,7 +35604,7 @@ "xpack.triggersActionsUI.sections.rulesList.remainingSnoozeIndefinite": "无限期", "xpack.triggersActionsUI.sections.rulesList.removeAllButton": "全部删除", "xpack.triggersActionsUI.sections.rulesList.removeCancelButton": "取消", - "xpack.triggersActionsUI.sections.rulesList.removeConfirmButton": "全部删除", + "xpack.triggersActionsUI.sections.rulesList.removeConfirmButton": "移除", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonDecrypting": "解密规则时发生错误。", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonDisabled": "无法执行规则,因为在规则禁用之后已运行。", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonLicense": "无法运行规则", @@ -32308,6 +35614,10 @@ "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonUnknown": "由于未知原因发生错误。", "xpack.triggersActionsUI.sections.rulesList.ruleErrorReasonValidate": "验证规则参数时发生错误。", "xpack.triggersActionsUI.sections.rulesList.ruleExecutionStatusFilterLabel": "上次响应", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeFailed": "失败", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeFilterLabel": "上次响应", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeSucceeded": "成功", + "xpack.triggersActionsUI.sections.rulesList.ruleLastRunOutcomeWarning": "警告", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.noSnoozeAppliedTooltip": "生成告警时发送通知", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.openSnoozePanel": "打开暂停面板", "xpack.triggersActionsUI.sections.rulesList.rulesListNotifyBadge.snoozedIndefinitelyTooltip": "通知已无期限暂停", @@ -32330,12 +35640,14 @@ "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleExecutionPercentileSelectButton": "选择百分位数", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.ruleTypeTitle": "类型", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.scheduleTitle": "时间间隔", + "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selectAllAriaLabel": "切换选择所有规则", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.durationTitle": "持续时间", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.lastRunTitle": "上次运行", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.notifyTitle": "通知", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.percentileTitle": "百分位数", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.successRatioTitle": "成功率", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selector.tagsTitle": "标签", + "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.selectShowBulkActionsAriaLabel": "显示批处理操作", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.stateTitle": "状态", "xpack.triggersActionsUI.sections.rulesList.rulesListTable.columns.successRatioTitle": "成功运行此规则的频率。", "xpack.triggersActionsUI.sections.rulesList.ruleStatusActive": "活动", @@ -32348,6 +35660,7 @@ "xpack.triggersActionsUI.sections.rulesList.ruleStatusWarning": "警告", "xpack.triggersActionsUI.sections.rulesList.ruleTagFilterButton": "标签", "xpack.triggersActionsUI.sections.rulesList.ruleTypeExcessDurationMessage": "持续时间超出了规则的预期运行时间。", + "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonMaxAlerts": "已超过告警限制", "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonMaxExecutableActions": "已超过操作限制", "xpack.triggersActionsUI.sections.rulesList.ruleWarningReasonUnknown": "未知原因", "xpack.triggersActionsUI.sections.rulesList.searchPlaceholderTitle": "搜索", @@ -32371,6 +35684,7 @@ "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleStatusInfoMessage": "无法加载规则状态信息", "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleTags": "无法加载规则标签", "xpack.triggersActionsUI.sections.rulesList.unableToLoadRuleTypesMessage": "无法加载规则类型", + "xpack.triggersActionsUI.sections.rulesList.unableToRunRuleSoon": "无法计划您的要运行的规则", "xpack.triggersActionsUI.sections.rulesList.weeksLabel": "周", "xpack.triggersActionsUI.sections.testConnectorForm.awaitingExecutionDescription": "执行测试时,结果将显示在此处。", "xpack.triggersActionsUI.sections.testConnectorForm.createActionHeader": "创建操作", @@ -32430,7 +35744,7 @@ "xpack.upgradeAssistant.overview.deprecationLogs.deniedPrivilegeDescription": "将继续索引弃用日志,但您无法分析这些日志,直到您具有索引读取{privilegesCount, plural, other {权限}}:{missingPrivileges}", "xpack.upgradeAssistant.overview.logsStep.countDescription": "自 {checkpoint} 以来出现 {deprecationCount, plural, other {{deprecationCount}}} 个弃用{deprecationCount, plural, other {问题}}。", "xpack.upgradeAssistant.overview.logsStep.missingPrivilegesDescription": "将继续索引弃用日志,但您无法分析这些日志,直到您具有索引读取{privilegesCount, plural, other {权限}}:{missingPrivileges}", - "xpack.upgradeAssistant.overview.systemIndices.body": "为升级准备存储内部信息的系统索引。将在下一步中显示任何需要重新索引的{hiddenIndicesLink}。", + "xpack.upgradeAssistant.overview.systemIndices.body": "为升级准备存储内部信息的系统索引。仅在主要版本升级期间需要此项。将在下一步中显示任何需要重新索引的{hiddenIndicesLink}。", "xpack.upgradeAssistant.overview.systemIndices.migrationFailedBody": "迁移 {feature} 的系统索引时出错:{failureCause}", "xpack.upgradeAssistant.overview.verifyChanges.calloutTitle": "自 {previousCheck} 以来出现 {warningsCount, plural, other {{warningsCount}}} 个弃用{warningsCount, plural, other {问题}} ", "xpack.upgradeAssistant.reindex.reindexPrivilegesErrorBatch": "您没有足够的权限重新索引“{indexName}”。", @@ -32526,7 +35840,7 @@ "xpack.upgradeAssistant.esDeprecations.mlSnapshots.upgradeModeEnabledDocsLink": "了解详情", "xpack.upgradeAssistant.esDeprecations.mlSnapshots.upgradeModeEnabledErrorTitle": "Machine Learning 升级模式已启用", "xpack.upgradeAssistant.esDeprecations.nodeDeprecationTypeLabel": "节点", - "xpack.upgradeAssistant.esDeprecations.pageDescription": "请在升级之前解决所有紧急问题。做出更改之前,请确保具有集群的当前快照。在 7.0 之前创建的索引必须重新索引或移除,这包括隐藏索引,如那些用于存储 Machine Learning 数据的索引。", + "xpack.upgradeAssistant.esDeprecations.pageDescription": "请在升级之前解决所有紧急问题。做出更改之前,请确保具有集群的当前快照。", "xpack.upgradeAssistant.esDeprecations.pageTitle": "Elasticsearch 弃用问题", "xpack.upgradeAssistant.esDeprecations.reindex.manualCellTooltipLabel": "此问题需要手动解决。", "xpack.upgradeAssistant.esDeprecations.reindex.reindexCanceledText": "已取消重新索引", @@ -32603,6 +35917,7 @@ "xpack.upgradeAssistant.overview.apiCompatibilityNoteTitle": "应用 API 兼容性标头(可选)", "xpack.upgradeAssistant.overview.backupStepDescription": "做出更改之前,请确保具有当前快照。", "xpack.upgradeAssistant.overview.backupStepTitle": "备份您的数据", + "xpack.upgradeAssistant.overview.checkUpcomingVersion": "如果您未使用最新版本的 Elastic Stack,请使用升级助手准备下次升级。", "xpack.upgradeAssistant.overview.cloudBackup.loadingError": "检索最新快照状态时出错", "xpack.upgradeAssistant.overview.cloudBackup.noSnapshotMessage": "您的数据未备份。", "xpack.upgradeAssistant.overview.cloudBackup.retryButton": "重试", @@ -32620,7 +35935,7 @@ "xpack.upgradeAssistant.overview.deprecationsCountCheckpointTitle": "解决弃用问题并验证您的更改", "xpack.upgradeAssistant.overview.documentationLinkText": "文档", "xpack.upgradeAssistant.overview.errorLoadingUpgradeStatus": "检索升级状态时出错", - "xpack.upgradeAssistant.overview.fixIssuesStepDescription": "在升级到 Elastic 8.x 之前,必须解决任何严重的 Elasticsearch 和 Kibana 配置问题。在您升级后,忽略警告可能会导致行为差异。", + "xpack.upgradeAssistant.overview.fixIssuesStepDescription": "在升级到下一版本的 Elastic Stack 之前,必须解决任何严重的 Elasticsearch 和 Kibana 配置问题。在您升级后,忽略警告可能会导致行为差异。", "xpack.upgradeAssistant.overview.fixIssuesStepTitle": "复查已弃用设置并解决问题", "xpack.upgradeAssistant.overview.loadingLogsLabel": "正在加载弃用日志收集状态……", "xpack.upgradeAssistant.overview.loadingUpgradeStatus": "正在加载升级状态", @@ -32633,7 +35948,7 @@ "xpack.upgradeAssistant.overview.logsStep.viewLogsButtonLabel": "查看日志", "xpack.upgradeAssistant.overview.observe.discoveryDescription": "搜索并筛选弃用日志以了解需要进行的更改类型。", "xpack.upgradeAssistant.overview.observe.observabilityDescription": "深入了解正在使用哪些已弃用 API 以及需要更新哪些应用程序。", - "xpack.upgradeAssistant.overview.pageDescription": "准备使用下一版 Elastic!", + "xpack.upgradeAssistant.overview.pageDescription": "准备使用下一版 Elastic Stack!", "xpack.upgradeAssistant.overview.pageTitle": "升级助手", "xpack.upgradeAssistant.overview.snapshotRestoreLink": "创建快照", "xpack.upgradeAssistant.overview.systemIndices.body.hiddenIndicesLink": "隐藏的索引", @@ -32648,7 +35963,7 @@ "xpack.upgradeAssistant.overview.systemIndices.migrationCompleteLabel": "迁移完成", "xpack.upgradeAssistant.overview.systemIndices.migrationFailedTitle": "系统索引迁移失败", "xpack.upgradeAssistant.overview.systemIndices.needsMigrationLabel": "需要迁移", - "xpack.upgradeAssistant.overview.systemIndices.noMigrationNeeded": "迁移完成", + "xpack.upgradeAssistant.overview.systemIndices.noMigrationNeeded": "不需要进行系统索引迁移。", "xpack.upgradeAssistant.overview.systemIndices.retryButtonLabel": "重试迁移", "xpack.upgradeAssistant.overview.systemIndices.startButtonLabel": "迁移索引", "xpack.upgradeAssistant.overview.systemIndices.statusTableColumn": "状态", @@ -32657,9 +35972,9 @@ "xpack.upgradeAssistant.overview.upgradeGuideLink": "查看升级指南", "xpack.upgradeAssistant.overview.upgradeStatus.retryButton": "重试", "xpack.upgradeAssistant.overview.upgradeStepCloudLink": "在 Cloud 上升级", - "xpack.upgradeAssistant.overview.upgradeStepDescription": "解决所有紧急问题并确认您的应用程序就绪后,便可以升级到 Elastic 8.x。在升级之前,请确保再次备份您的数据。", - "xpack.upgradeAssistant.overview.upgradeStepDescriptionForCloud": "解决所有紧急问题并确认您的应用程序就绪后,便可以升级到 Elastic 8.x。在升级之前,请确保再次备份您的数据。在 Elastic Cloud 上升级您的部署。", - "xpack.upgradeAssistant.overview.upgradeStepTitle": "升级到 Elastic 8.x", + "xpack.upgradeAssistant.overview.upgradeStepDescription": "解决所有关键问题并确认您的应用程序就绪后,便可以升级到下一版本的 Elastic Stack。在升级之前,请确保再次备份您的数据。", + "xpack.upgradeAssistant.overview.upgradeStepDescriptionForCloud": "解决所有关键问题并确认您的应用程序就绪后,便可以升级到下一版本的 Elastic Stack。在升级之前,请确保再次备份您的数据。在 Elastic Cloud 上升级您的部署。", + "xpack.upgradeAssistant.overview.upgradeStepTitle": "升级 Elastic Stack", "xpack.upgradeAssistant.overview.verifyChanges.calloutBody": "做出更改后,请重置计数器并继续监测,以确认您不再使用过时功能。", "xpack.upgradeAssistant.overview.verifyChanges.errorToastTitle": "无法删除弃用日志缓存", "xpack.upgradeAssistant.overview.verifyChanges.loadingError": "检索弃用日志计数时出错", @@ -32667,7 +35982,7 @@ "xpack.upgradeAssistant.overview.verifyChanges.retryButton": "重试", "xpack.upgradeAssistant.overview.viewDiscoverResultsAction": "在 Discover 中分析日志", "xpack.upgradeAssistant.overview.viewObservabilityResultsAction": "在可观测性中查看弃用日志", - "xpack.upgradeAssistant.overview.whatsNewLink": "8.x 版新增功能", + "xpack.upgradeAssistant.overview.whatsNewLink": "查看最新发布亮点", "xpack.upgradeAssistant.status.allDeprecationsResolvedMessage": "所有弃用警告均已解决。", "xpack.upgradeAssistant.upgradedDescription": "所有 Elasticsearch 节点已升级。可以现在升级 Kibana。", "xpack.upgradeAssistant.upgradedTitle": "您的集群已升级", @@ -32895,8 +36210,10 @@ "xpack.watcher.constants.watchStateComments.partiallyAcknowledgedStateCommentText": "已部分确认", "xpack.watcher.constants.watchStateComments.partiallyThrottledStateCommentText": "已部分限制", "xpack.watcher.constants.watchStateComments.throttledStateCommentText": "已限制", + "xpack.watcher.constants.watchStates.activeStateText": "活动", "xpack.watcher.constants.watchStates.configErrorStateText": "配置错误", "xpack.watcher.constants.watchStates.errorStateText": "错误", + "xpack.watcher.constants.watchStates.inactiveStateText": "非活动", "xpack.watcher.deleteSelectedWatchesConfirmModal.cancelButtonLabel": "取消", "xpack.watcher.models.baseAction.selectMessageText": "执行操作。", "xpack.watcher.models.baseAction.simulateButtonLabel": "立即模拟此操作", @@ -32932,6 +36249,8 @@ "xpack.watcher.models.thresholdWatch.selectMessageText": "在特定条件下发送告警", "xpack.watcher.models.thresholdWatch.sendAlertOnSpecificConditionTitleDescription": "满足指定条件时发送告警。", "xpack.watcher.models.thresholdWatch.typeName": "阈值告警", + "xpack.watcher.models.watchStatus.idPropertyMissingBadRequestMessage": "JSON 参数必须包含 id 属性", + "xpack.watcher.models.watchStatus.watchStatusJsonPropertyMissingBadRequestMessage": "JSON 参数必须包含 watchStatusJson 属性", "xpack.watcher.models.webhookAction.selectMessageText": "将请求发送到 Web 服务。", "xpack.watcher.models.webhookAction.simulateButtonLabel": "发送请求", "xpack.watcher.models.webhookAction.typeName": "Webhook", @@ -32954,6 +36273,7 @@ "xpack.watcher.sections.watchDetail.watchTable.errorsHeader": "错误", "xpack.watcher.sections.watchDetail.watchTable.noWatchesMessage": "没有可显示的操作", "xpack.watcher.sections.watchDetail.watchTable.stateHeader": "状态", + "xpack.watcher.sections.watchDetail.watchTable.stateHeader.tooltipText": "确定、已确认、已限制或错误。", "xpack.watcher.sections.watchEdit.actions.addActionButtonLabel": "添加操作", "xpack.watcher.sections.watchEdit.actions.disabledOptionLabel": "已禁用。配置您的 elasticsearch.yml。", "xpack.watcher.sections.watchEdit.errorLoadingWatchVisualizationTitle": "无法加载监视可视化", @@ -33076,7 +36396,10 @@ "xpack.watcher.sections.watchHistory.timeSpan.6M": "过去 6 个月", "xpack.watcher.sections.watchHistory.timeSpan.7d": "过去 7 天", "xpack.watcher.sections.watchHistory.watchActionStatusTable.id": "名称", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.lastExecuted": "上次执行时间", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.lastExecuted.tooltipText": "上次执行此操作的时间。", "xpack.watcher.sections.watchHistory.watchActionStatusTable.state": "状态", + "xpack.watcher.sections.watchHistory.watchActionStatusTable.state.tooltipText": "确定、已确认、已限制或错误。", "xpack.watcher.sections.watchHistory.watchExecutionErrorTitle": "加载执行历史记录时出错", "xpack.watcher.sections.watchHistory.watchHistoryDetail.actionsTitle": "操作", "xpack.watcher.sections.watchHistory.watchHistoryDetail.errorTitle": "执行详情", @@ -33084,11 +36407,15 @@ "xpack.watcher.sections.watchHistory.watchHistoryDetailsErrorTitle": "加载执行详情时出错", "xpack.watcher.sections.watchHistory.watchTable.activateWatchLabel": "激活", "xpack.watcher.sections.watchHistory.watchTable.commentHeader": "注释", + "xpack.watcher.sections.watchHistory.watchTable.commentHeader.tooltipText": "是已限制、已确认还是无法执行此操作。", "xpack.watcher.sections.watchHistory.watchTable.deactivateWatchLabel": "停用", + "xpack.watcher.sections.watchHistory.watchTable.metConditionHeader": "符合条件", + "xpack.watcher.sections.watchHistory.watchTable.metConditionHeader.tooltipText": "是否符合条件并采取了操作。", "xpack.watcher.sections.watchHistory.watchTable.noCurrentStatus": "没有可显示的执行历史记录", "xpack.watcher.sections.watchHistory.watchTable.noWatchesMessage": "当前没有可显示的状态", "xpack.watcher.sections.watchHistory.watchTable.startTimeHeader": "触发时间", "xpack.watcher.sections.watchHistory.watchTable.stateHeader": "状态", + "xpack.watcher.sections.watchHistory.watchTable.stateHeader.tooltipText": "活动或错误状态。", "xpack.watcher.sections.watchList.createAdvancedWatchButtonLabel": "创建高级监视", "xpack.watcher.sections.watchList.createAdvancedWatchTooltip": "以 JSON 格式设置定制监视", "xpack.watcher.sections.watchList.createThresholdAlertButtonLabel": "创建阈值告警", @@ -33112,13 +36439,17 @@ "xpack.watcher.sections.watchList.watchTable.actionEditTooltipLabel": "编辑", "xpack.watcher.sections.watchList.watchTable.actionHeader": "操作", "xpack.watcher.sections.watchList.watchTable.commentHeader": "注释", + "xpack.watcher.sections.watchList.watchTable.commentHeader.tooltipText": "是已确认、已限制还是无法执行任何操作。", "xpack.watcher.sections.watchList.watchTable.disabledWatchTooltipText": "此监视为只读", "xpack.watcher.sections.watchList.watchTable.idHeader": "ID", - "xpack.watcher.sections.watchList.watchTable.lastFiredHeader": "最后发送时间", - "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader": "最后触发时间", + "xpack.watcher.sections.watchList.watchTable.lastFiredHeader": "上次符合条件", + "xpack.watcher.sections.watchList.watchTable.lastFiredHeader.tooltipText": "上次符合条件并采取了操作的时间。", + "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader": "上次检查时间", + "xpack.watcher.sections.watchList.watchTable.lastTriggeredHeader.tooltipText": "上次检查条件的时间。", "xpack.watcher.sections.watchList.watchTable.nameHeader": "名称", "xpack.watcher.sections.watchList.watchTable.noWatchesMessage": "没有可显示的监视", "xpack.watcher.sections.watchList.watchTable.stateHeader": "状态", + "xpack.watcher.sections.watchList.watchTable.stateHeader.tooltipText": "活动、非活动或错误。", "xpack.watcher.sections.watchStatus.actionsTabLabel": "操作状态", "xpack.watcher.sections.watchStatus.executionHistoryTabLabel": "执行历史记录", "xpack.watcher.sections.watchStatus.loadingWatchDetailsDescription": "正在加载监视详情……", @@ -33152,28 +36483,30 @@ "alerts.documentationTitle": "查看文档", "alerts.noPermissionsMessage": "要查看告警,必须对 Kibana 工作区中的告警功能有权限。有关详细信息,请联系您的 Kibana 管理员。", "alerts.noPermissionsTitle": "需要 Kibana 功能权限", - "autocomplete.fieldRequiredError": "值不能为空", - "autocomplete.invalidDateError": "不是有效日期", - "autocomplete.invalidNumberError": "不是有效数字", - "autocomplete.loadingDescription": "正在加载……", - "autocomplete.selectField": "请首先选择字段......", "bfetch.disableBfetch": "禁用请求批处理", "bfetch.disableBfetchCompression": "禁用批量压缩", "bfetch.disableBfetchCompressionDesc": "禁用批量压缩。这允许您对单个请求进行故障排查,但会增加响应大小。", "bfetch.disableBfetchDesc": "禁用请求批处理。这会增加来自 Kibana 的 HTTP 请求数,但允许对单个请求进行故障排查。", + "cases.components.status.closed": "已关闭", + "cases.components.status.inProgress": "进行中", + "cases.components.status.open": "打开", "devTools.badge.betaLabel": "公测版", "devTools.badge.betaTooltipText": "此功能在未来的版本中可能会变化很大", "devTools.badge.readOnly.text": "只读", "devTools.badge.readOnly.tooltip": "无法保存", "devTools.breadcrumb.homeLabel": "开发工具", "devTools.devToolsTitle": "开发工具", + "eventAnnotation.fetch.description": "事件标注提取", "eventAnnotation.fetchEventAnnotations.args.annotationConfigs": "标注配置", "eventAnnotation.fetchEventAnnotations.args.interval.help": "要用于此聚合的时间间隔", "eventAnnotation.fetchEventAnnotations.description": "提取事件标注", "eventAnnotation.group.args.annotationConfigs": "标注配置", + "eventAnnotation.group.args.annotationConfigs.dataView.help": "使用 indexPatternLoad 检索的数据视图", + "eventAnnotation.group.args.annotationGroups": "标注组", "eventAnnotation.group.description": "事件标注组", "eventAnnotation.manualAnnotation.args.color": "线条的颜色", "eventAnnotation.manualAnnotation.args.icon": "用于标注线条的可选图标", + "eventAnnotation.manualAnnotation.args.id": "标注的 ID", "eventAnnotation.manualAnnotation.args.isHidden": "切换到隐藏标注", "eventAnnotation.manualAnnotation.args.label": "标注的名称", "eventAnnotation.manualAnnotation.args.lineStyle": "标注线条的样式", @@ -33182,6 +36515,26 @@ "eventAnnotation.manualAnnotation.args.time": "标注的时间戳", "eventAnnotation.manualAnnotation.defaultAnnotationLabel": "事件", "eventAnnotation.manualAnnotation.description": "配置手动标注", + "eventAnnotation.queryAnnotation.args.color": "线条的颜色", + "eventAnnotation.queryAnnotation.args.field": "标注的附加字段", + "eventAnnotation.queryAnnotation.args.filter": "标注筛选", + "eventAnnotation.queryAnnotation.args.icon": "用于标注线条的可选图标", + "eventAnnotation.queryAnnotation.args.id": "标注的 ID", + "eventAnnotation.queryAnnotation.args.isHidden": "切换到隐藏标注", + "eventAnnotation.queryAnnotation.args.label": "标注的名称", + "eventAnnotation.queryAnnotation.args.lineStyle": "标注线条的样式", + "eventAnnotation.queryAnnotation.args.lineWidth": "标注线条的宽度", + "eventAnnotation.queryAnnotation.args.textField": "用于标注标签的字段名称", + "eventAnnotation.queryAnnotation.args.textVisibility": "标注线条上标签的可见性", + "eventAnnotation.queryAnnotation.args.timeField": "标注的时间字段", + "eventAnnotation.queryAnnotation.description": "配置手动标注", + "eventAnnotation.rangeAnnotation.args.color": "线条的颜色", + "eventAnnotation.rangeAnnotation.args.endTime": "范围标注的时间戳", + "eventAnnotation.rangeAnnotation.args.id": "标注的 ID", + "eventAnnotation.rangeAnnotation.args.isHidden": "切换到隐藏标注", + "eventAnnotation.rangeAnnotation.args.label": "标注的名称", + "eventAnnotation.rangeAnnotation.args.time": "标注的时间戳", + "eventAnnotation.rangeAnnotation.description": "配置手动标注", "expressionHeatmap.function.args.addTooltipHelpText": "在悬浮时显示工具提示", "expressionHeatmap.function.args.grid.isCellLabelVisible.help": "指定单元格标签是否可见。", "expressionHeatmap.function.args.grid.isXAxisLabelVisible.help": "指定 X 轴标签是否可见。", @@ -33218,6 +36571,7 @@ "expressionHeatmap.visualizationName": "热图", "expressionLegacyMetricVis.filterTitle": "单击按字段筛选", "expressionLegacyMetricVis.function.autoScale.help": "启用自动缩放", + "expressionLegacyMetricVis.function.autoScaleMetricAlignment.help": "缩放后指标对齐方式", "expressionLegacyMetricVis.function.bucket.help": "存储桶维度配置", "expressionLegacyMetricVis.function.colorFullBackground.help": "将选定背景色应用于全可视化容器", "expressionLegacyMetricVis.function.colorMode.help": "指标的哪部分要上色", @@ -33251,6 +36605,8 @@ "expressionTagcloud.functions.tagcloudHelpText": "标签云图可视化。", "expressionTagcloud.renderer.tagcloud.displayName": "标签云图可视化", "expressionTagcloud.renderer.tagcloud.helpDescription": "呈现标签云图", + "files.featureRegistry.filesFeatureName": "文件", + "files.featureRegistry.filesPrivilegesTooltip": "跨所有应用提供文件访问权限", "flot.pie.unableToDrawLabelsInsideCanvasErrorMessage": "无法用画布内包含的标签绘制饼图", "flot.time.aprLabel": "四月", "flot.time.augLabel": "八月", @@ -33295,6 +36651,11 @@ "monaco.painlessLanguage.autocomplete.emitKeywordDescription": "发出值,而不返回值。", "monaco.painlessLanguage.autocomplete.fieldValueDescription": "检索字段“{fieldName}”的值", "monaco.painlessLanguage.autocomplete.paramsKeywordDescription": "访问传递到脚本的变量。", + "savedObjectsFinder.filterButtonLabel": "类型", + "savedObjectsFinder.titleDescription": "已保存对象的标题", + "savedObjectsFinder.titleName": "标题", + "savedObjectsFinder.typeDescription": "已保存对象的类型", + "savedObjectsFinder.typeName": "类型", "uiActions.actionPanel.more": "更多", "uiActions.actionPanel.title": "选项", "uiActions.errors.incompatibleAction": "操作不兼容", @@ -33436,6 +36797,12 @@ "visTypeTagCloud.visParams.orientationsLabel": "方向", "visTypeTagCloud.visParams.showLabelToggleLabel": "显示标签", "visTypeTagCloud.visParams.textScaleLabel": "文本比例", + "xpack.cloudChat.chatFrameTitle": "聊天", + "xpack.cloudChat.hideChatButtonLabel": "隐藏聊天", + "xpack.cloudLinks.deploymentLinkLabel": "管理此部署", + "xpack.cloudLinks.setupGuide": "设置指南", + "xpack.cloudLinks.userMenuLinks.accountLinkText": "帐户和帐单", + "xpack.cloudLinks.userMenuLinks.profileLinkText": "编辑配置文件", "xpack.dashboard.components.DashboardDrilldownConfig.chooseDestinationDashboard": "选择目标仪表板", "xpack.dashboard.components.DashboardDrilldownConfig.openInNewTab": "在新选项卡中打开仪表板", "xpack.dashboard.components.DashboardDrilldownConfig.useCurrentDateRange": "使用源仪表板的日期范围", From b21440629d35bc750b223280a8fd600a51ab8c10 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Gerg=C5=91=20=C3=81brah=C3=A1m?= Date: Sun, 11 Dec 2022 21:31:37 +0100 Subject: [PATCH 18/20] [Security Solution] UI Blocklist RBAC (#146455) ## Summary Similarly to #145593 and #146111, this PR handles the None and Read privileges for the Blocklist sub-feature. The All privilege should not need any UI modification, but will need API modification. image The modification should: - hide Blocklist from Manage navigation items if privilege is NONE, - disable add/edit/delete for Blocklist if privilege is READ. - disable opening Policies from Blocklist (and any other `ArtifactListPage`) by disabling the links in the _'Applied for N policies'_ context menu For testing the last part: - add `Read` privilege for Blocklist (or any other artifact using `ArtifactListPage`), and `None` to Policies - for now, it has to be tested with `Fleet:All` and `Integrations:Read` privileges With `Policies:Read` privilege, hovering on the last item: image With `Policies:None` privilege, hovering on the last item: image ### Checklist Delete any items that are not applicable to this PR. - [x] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios --- .../artifact_entry_card.test.tsx | 54 ++++++++++++---- .../components/effect_scope.tsx | 36 +++++++---- .../context_menu_item_nav_by_router.tsx | 64 ++++++++++++------- .../context_menu_with_router_support.test.tsx | 10 +++ .../context_menu_with_router_support.tsx | 5 +- .../public/management/links.test.ts | 24 +++++-- .../public/management/links.ts | 5 ++ .../pages/blocklist/view/blocklist.test.tsx | 45 +++++++++++++ .../pages/blocklist/view/blocklist.tsx | 5 ++ 9 files changed, 195 insertions(+), 53 deletions(-) diff --git a/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/artifact_entry_card.test.tsx b/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/artifact_entry_card.test.tsx index 0da06b555a384..a1e6243a67a72 100644 --- a/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/artifact_entry_card.test.tsx +++ b/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/artifact_entry_card.test.tsx @@ -16,6 +16,11 @@ import { isTrustedApp } from './utils'; import { getTrustedAppProviderMock, getExceptionProviderMock } from './test_utils'; import { OS_LINUX, OS_MAC, OS_WINDOWS } from './components/translations'; import type { TrustedApp } from '../../../../common/endpoint/types'; +import { useUserPrivileges } from '../../../common/components/user_privileges'; +import { getEndpointAuthzInitialStateMock } from '../../../../common/endpoint/service/authz/mocks'; + +jest.mock('../../../common/components/user_privileges'); +const mockUserPrivileges = useUserPrivileges as jest.Mock; describe.each([ ['trusted apps', getTrustedAppProviderMock], @@ -43,6 +48,12 @@ describe.each([ ); return renderResult; }; + + mockUserPrivileges.mockReturnValue({ endpointPrivileges: getEndpointAuthzInitialStateMock() }); + }); + + afterEach(() => { + mockUserPrivileges.mockReset(); }); it('should display title and who has created and updated it last', async () => { @@ -205,21 +216,42 @@ describe.each([ ).not.toBeNull(); }); - it('should show popup menu with list of associated policies when clicked', async () => { - render({ policies }); - await act(async () => { - await fireEvent.click( - renderResult.getByTestId('testCard-subHeader-effectScope-popupMenu-button') + describe('when clicked', () => { + it('should show popup menu with list of associated policies, with `View details` button when has Policy privilege', async () => { + render({ policies }); + await act(async () => { + await fireEvent.click( + renderResult.getByTestId('testCard-subHeader-effectScope-popupMenu-button') + ); + }); + + expect( + renderResult.getByTestId('testCard-subHeader-effectScope-popupMenu-popoverPanel') + ).not.toBeNull(); + + expect(renderResult.getByTestId('policyMenuItem').textContent).toEqual( + 'Policy oneView details' ); }); - expect( - renderResult.getByTestId('testCard-subHeader-effectScope-popupMenu-popoverPanel') - ).not.toBeNull(); + it('should show popup menu with list of associated policies, without `View details` button when does NOT have Policy privilege', async () => { + mockUserPrivileges.mockReturnValue({ + endpointPrivileges: getEndpointAuthzInitialStateMock({ canReadPolicyManagement: false }), + }); - expect(renderResult.getByTestId('policyMenuItem').textContent).toEqual( - 'Policy oneView details' - ); + render({ policies }); + await act(async () => { + await fireEvent.click( + renderResult.getByTestId('testCard-subHeader-effectScope-popupMenu-button') + ); + }); + + expect( + renderResult.getByTestId('testCard-subHeader-effectScope-popupMenu-popoverPanel') + ).not.toBeNull(); + + expect(renderResult.getByTestId('policyMenuItem').textContent).toEqual('Policy one'); + }); }); it('should display policy ID if no policy menu item found in `policies` prop', async () => { diff --git a/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/components/effect_scope.tsx b/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/components/effect_scope.tsx index f9fad1c4aacc4..2efbf6ad37239 100644 --- a/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/components/effect_scope.tsx +++ b/x-pack/plugins/security_solution/public/management/components/artifact_entry_card/components/effect_scope.tsx @@ -11,6 +11,7 @@ import type { CommonProps } from '@elastic/eui'; import { EuiButtonEmpty, EuiFlexGroup, EuiFlexItem, EuiIcon } from '@elastic/eui'; import styled from 'styled-components'; import { FormattedMessage } from '@kbn/i18n-react'; +import { useUserPrivileges } from '../../../../common/components/user_privileges'; import { GLOBAL_EFFECT_SCOPE, POLICY_EFFECT_SCOPE, @@ -25,7 +26,7 @@ import { useTestIdGenerator } from '../../../hooks/use_test_id_generator'; // the intent in this component was to also support to be able to display only text for artifacts // by policy (>0), but **NOT** show the menu. // So something like: `` -// This should dispaly it as "Applied t o 3 policies", but NOT as a menu with links +// This should display it as "Applied to 3 policies", but NOT as a menu with links const StyledWithContextMenuShiftedWrapper = styled('div')` margin-left: -10px; @@ -43,6 +44,7 @@ export interface EffectScopeProps extends Pick { export const EffectScope = memo( ({ policies, loadingPoliciesList = false, 'data-test-subj': dataTestSubj }) => { const getTestId = useTestIdGenerator(dataTestSubj); + const { canReadPolicyManagement } = useUserPrivileges().endpointPrivileges; const [icon, label] = useMemo(() => { return policies @@ -72,6 +74,7 @@ export const EffectScope = memo( {effectiveScopeLabel} @@ -88,23 +91,31 @@ type WithContextMenuProps = Pick & PropsWithChildren<{ policies: Required['policies']; }> & { + canReadPolicies: boolean; loadingPoliciesList?: boolean; }; -export const WithContextMenu = memo( - ({ policies, loadingPoliciesList = false, children, 'data-test-subj': dataTestSubj }) => { +const WithContextMenu = memo( + ({ + policies, + loadingPoliciesList = false, + canReadPolicies, + children, + 'data-test-subj': dataTestSubj, + }) => { const getTestId = useTestIdGenerator(dataTestSubj); const hoverInfo = useMemo( - () => ( - - - - ), - [] + () => + canReadPolicies ? ( + + + + ) : undefined, + [canReadPolicies] ); return ( ( } title={POLICY_EFFECT_SCOPE_TITLE(policies.length)} + isNavigationDisabled={!canReadPolicies} /> ); } diff --git a/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_item_nav_by_router.tsx b/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_item_nav_by_router.tsx index b1dc632707ed3..a19a40040cf1e 100644 --- a/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_item_nav_by_router.tsx +++ b/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_item_nav_by_router.tsx @@ -7,7 +7,7 @@ import React, { memo, useMemo } from 'react'; import type { EuiContextMenuItemProps } from '@elastic/eui'; -import { EuiContextMenuItem, EuiFlexGroup, EuiFlexItem } from '@elastic/eui'; +import { EuiContextMenuItem, EuiFlexGroup, EuiFlexItem, EuiText } from '@elastic/eui'; import styled from 'styled-components'; import type { NavigateToAppOptions } from '@kbn/core/public'; import { useNavigateToAppEventHandler } from '../../../common/hooks/endpoint/use_navigate_to_app_event_handler'; @@ -26,6 +26,8 @@ export interface ContextMenuItemNavByRouterProps extends EuiContextMenuItemProps textTruncate?: boolean; /** Displays an additional info when hover an item */ hoverInfo?: React.ReactNode; + /** Disables navigation */ + isNavigationDisabled?: boolean; children: React.ReactNode; } @@ -43,7 +45,12 @@ const StyledEuiContextMenuItem = styled(EuiContextMenuItem)` const StyledEuiFlexItem = styled('div')` max-width: 50%; - padding-right: 10px; + padding-right: ${(props) => props.theme.eui.euiSizeS}; +`; + +const StyledEuiText = styled(EuiText)` + padding: ${(props) => props.theme.eui.euiSizeM}; + line-height: ${(props) => props.theme.eui.euiFontSizeM}; `; /** @@ -59,6 +66,7 @@ export const ContextMenuItemNavByRouter = memo( textTruncate, hoverInfo, children, + isNavigationDisabled = false, ...otherMenuItemProps }) => { const handleOnClickViaNavigateToApp = useNavigateToAppEventHandler(navigateAppId ?? '', { @@ -79,32 +87,42 @@ export const ContextMenuItemNavByRouter = memo( ) : null; }, [hoverInfo]); - return ( + const content = textTruncate ? ( + <> +
+ {children} +
+ {hoverComponentInstance} + + ) : ( + <> + {children} + {hoverComponentInstance} + + ); + + return isNavigationDisabled ? ( + + {content} + + ) : ( - {textTruncate ? ( - <> -
- {children} -
- {hoverComponentInstance} - - ) : ( - <> - {children} - {hoverComponentInstance} - - )} + {content}
); diff --git a/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.test.tsx b/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.test.tsx index 04fe54b89a539..b03fcc1d9aeb6 100644 --- a/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.test.tsx +++ b/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.test.tsx @@ -141,6 +141,16 @@ describe('When using the ContextMenuWithRouterSupport component', () => { ); }); + it('should NOT navigate after clicked if navigation is disabled', () => { + render({ isNavigationDisabled: true }); + clickMenuTriggerButton(); + act(() => { + fireEvent.click(renderResult.getByTestId('testMenu-item-1')); + }); + + expect(appTestContext.coreStart.application.navigateToApp).not.toHaveBeenCalled(); + }); + it('should display loading state', () => { render({ loading: true }); clickMenuTriggerButton(); diff --git a/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.tsx b/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.tsx index 558e80fd68a6f..6d7549d45605c 100644 --- a/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.tsx +++ b/x-pack/plugins/security_solution/public/management/components/context_menu_with_router_support/context_menu_with_router_support.tsx @@ -39,6 +39,7 @@ export interface ContextMenuWithRouterSupportProps title?: string; loading?: boolean; hoverInfo?: React.ReactNode; + isNavigationDisabled?: boolean; } /** @@ -58,6 +59,7 @@ export const ContextMenuWithRouterSupport = memo { const getTestId = useTestIdGenerator(commonProps['data-test-subj']); @@ -84,6 +86,7 @@ export const ContextMenuWithRouterSupport = memo ); }); - }, [getTestId, handleCloseMenu, items, maxWidth, loading, hoverInfo]); + }, [items, loading, isNavigationDisabled, getTestId, maxWidth, hoverInfo, handleCloseMenu]); type AdditionalPanelProps = Partial< Omit, 'style'> diff --git a/x-pack/plugins/security_solution/public/management/links.test.ts b/x-pack/plugins/security_solution/public/management/links.test.ts index aa3f3ba93e9da..b505c8a36e743 100644 --- a/x-pack/plugins/security_solution/public/management/links.test.ts +++ b/x-pack/plugins/security_solution/public/management/links.test.ts @@ -228,6 +228,14 @@ describe('links', () => { }); }); + it('should return all links for user with all sub-feature privileges', async () => { + (calculateEndpointAuthz as jest.Mock).mockReturnValue(getEndpointAuthzInitialStateMock()); + + const filteredLinks = await getManagementFilteredLinks(coreMockStarted, getPlugins([])); + + expect(filteredLinks).toEqual(links); + }); + it('should hide Trusted Applications for user without privilege', async () => { (calculateEndpointAuthz as jest.Mock).mockReturnValue( getEndpointAuthzInitialStateMock({ @@ -240,24 +248,28 @@ describe('links', () => { expect(filteredLinks).toEqual(getLinksWithout(SecurityPageName.trustedApps)); }); - it('should show Trusted Applications for user with privilege', async () => { - (calculateEndpointAuthz as jest.Mock).mockReturnValue(getEndpointAuthzInitialStateMock()); + it('should hide Event Filters for user without privilege', async () => { + (calculateEndpointAuthz as jest.Mock).mockReturnValue( + getEndpointAuthzInitialStateMock({ + canReadEventFilters: false, + }) + ); const filteredLinks = await getManagementFilteredLinks(coreMockStarted, getPlugins([])); - expect(filteredLinks).toEqual(links); + expect(filteredLinks).toEqual(getLinksWithout(SecurityPageName.eventFilters)); }); - it('should hide Event Filters for user without privilege', async () => { + it('should hide Blocklist for user without privilege', async () => { (calculateEndpointAuthz as jest.Mock).mockReturnValue( getEndpointAuthzInitialStateMock({ - canReadEventFilters: false, + canReadBlocklist: false, }) ); const filteredLinks = await getManagementFilteredLinks(coreMockStarted, getPlugins([])); - expect(filteredLinks).toEqual(getLinksWithout(SecurityPageName.eventFilters)); + expect(filteredLinks).toEqual(getLinksWithout(SecurityPageName.blocklist)); }); it('should NOT return policies if `canReadPolicyManagement` is `false`', async () => { diff --git a/x-pack/plugins/security_solution/public/management/links.ts b/x-pack/plugins/security_solution/public/management/links.ts index 7004edb28fe47..950f5c5d663ff 100644 --- a/x-pack/plugins/security_solution/public/management/links.ts +++ b/x-pack/plugins/security_solution/public/management/links.ts @@ -278,6 +278,7 @@ export const getManagementFilteredLinks = async ( canReadEndpointList, canReadTrustedApplications, canReadEventFilters, + canReadBlocklist, canReadPolicyManagement, } = fleetAuthz ? calculateEndpointAuthz( @@ -314,5 +315,9 @@ export const getManagementFilteredLinks = async ( linksToExclude.push(SecurityPageName.eventFilters); } + if (!canReadBlocklist) { + linksToExclude.push(SecurityPageName.blocklist); + } + return excludeLinks(linksToExclude); }; diff --git a/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.test.tsx b/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.test.tsx index cb82e14331598..eed108adba8ba 100644 --- a/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.test.tsx +++ b/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.test.tsx @@ -11,6 +11,11 @@ import { BLOCKLIST_PATH } from '../../../../../common/constants'; import type { AppContextTestRender } from '../../../../common/mock/endpoint'; import { createAppRootMockRenderer } from '../../../../common/mock/endpoint'; import { Blocklist } from './blocklist'; +import { useUserPrivileges } from '../../../../common/components/user_privileges'; +import { getEndpointAuthzInitialStateMock } from '../../../../../common/endpoint/service/authz/mocks'; + +jest.mock('../../../../common/components/user_privileges'); +const mockUserPrivileges = useUserPrivileges as jest.Mock; describe('When on the blocklist page', () => { let render: () => ReturnType; @@ -28,6 +33,10 @@ describe('When on the blocklist page', () => { }); }); + afterEach(() => { + mockUserPrivileges.mockReset(); + }); + describe('And no data exists', () => { it('should show the Empty message', async () => { render(); @@ -36,4 +45,40 @@ describe('When on the blocklist page', () => { ); }); }); + + describe('RBAC Blocklists', () => { + describe('ALL privilege', () => { + beforeEach(() => { + mockUserPrivileges.mockReturnValue({ + endpointPrivileges: getEndpointAuthzInitialStateMock({ canWriteBlocklist: true }), + }); + }); + + it('should enable adding entries', async () => { + render(); + + await waitFor(() => + expect(renderResult.queryByTestId('blocklistPage-emptyState-addButton')).toBeTruthy() + ); + }); + }); + + describe('READ privilege', () => { + beforeEach(() => { + mockUserPrivileges.mockReturnValue({ + endpointPrivileges: getEndpointAuthzInitialStateMock({ canWriteBlocklist: false }), + }); + }); + + it('should disable adding entries', async () => { + render(); + + await waitFor(() => + expect(renderResult.queryByTestId('blocklistPage-container')).toBeTruthy() + ); + + expect(renderResult.queryByTestId('blocklistPage-emptyState-addButton')).toBeNull(); + }); + }); + }); }); diff --git a/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.tsx b/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.tsx index 4f33873b71c07..0d172cd525138 100644 --- a/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.tsx +++ b/x-pack/plugins/security_solution/public/management/pages/blocklist/view/blocklist.tsx @@ -11,6 +11,7 @@ import { FormattedMessage } from '@kbn/i18n-react'; import type { DocLinks } from '@kbn/doc-links'; import { EuiLink } from '@elastic/eui'; +import { useUserPrivileges } from '../../../../common/components/user_privileges'; import { useHttp } from '../../../../common/lib/kibana'; import type { ArtifactListPageProps } from '../../../components/artifact_list_page'; import { ArtifactListPage } from '../../../components/artifact_list_page'; @@ -100,6 +101,7 @@ const BLOCKLIST_PAGE_LABELS: ArtifactListPageProps['labels'] = { }; export const Blocklist = memo(() => { + const { canWriteBlocklist } = useUserPrivileges().endpointPrivileges; const http = useHttp(); const blocklistsApiClient = BlocklistsApiClient.getInstance(http); @@ -110,6 +112,9 @@ export const Blocklist = memo(() => { labels={BLOCKLIST_PAGE_LABELS} data-test-subj="blocklistPage" flyoutSize="l" + allowCardCreateAction={canWriteBlocklist} + allowCardEditAction={canWriteBlocklist} + allowCardDeleteAction={canWriteBlocklist} /> ); }); From b81d6bf39352b0e9ff4cf0a235ee80be111fe309 Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Mon, 12 Dec 2022 00:45:58 -0500 Subject: [PATCH 19/20] [api-docs] 2022-12-12 Daily api_docs build (#147323) Generated by https://buildkite.com/elastic/kibana-api-docs-daily/builds/184 --- api_docs/actions.mdx | 2 +- api_docs/advanced_settings.mdx | 2 +- api_docs/aiops.mdx | 2 +- api_docs/alerting.mdx | 2 +- api_docs/apm.mdx | 2 +- api_docs/banners.mdx | 2 +- api_docs/bfetch.mdx | 2 +- api_docs/canvas.mdx | 2 +- api_docs/cases.mdx | 2 +- api_docs/charts.mdx | 2 +- api_docs/cloud.mdx | 2 +- api_docs/cloud_chat.mdx | 2 +- api_docs/cloud_experiments.mdx | 2 +- api_docs/cloud_security_posture.mdx | 2 +- api_docs/console.mdx | 2 +- api_docs/controls.mdx | 2 +- api_docs/core.mdx | 2 +- api_docs/custom_integrations.mdx | 2 +- api_docs/dashboard.mdx | 2 +- api_docs/dashboard_enhanced.mdx | 2 +- api_docs/data.mdx | 2 +- api_docs/data_query.mdx | 2 +- api_docs/data_search.mdx | 2 +- api_docs/data_view_editor.mdx | 2 +- api_docs/data_view_field_editor.mdx | 2 +- api_docs/data_view_management.mdx | 2 +- api_docs/data_views.mdx | 2 +- api_docs/data_visualizer.mdx | 2 +- api_docs/deprecations_by_api.mdx | 2 +- api_docs/deprecations_by_plugin.mdx | 2 +- api_docs/deprecations_by_team.mdx | 2 +- api_docs/dev_tools.mdx | 2 +- api_docs/discover.mdx | 2 +- api_docs/discover_enhanced.mdx | 2 +- api_docs/embeddable.mdx | 2 +- api_docs/embeddable_enhanced.mdx | 2 +- api_docs/encrypted_saved_objects.mdx | 2 +- api_docs/enterprise_search.mdx | 2 +- api_docs/es_ui_shared.mdx | 2 +- api_docs/event_annotation.mdx | 2 +- api_docs/event_log.mdx | 2 +- api_docs/expression_error.mdx | 2 +- api_docs/expression_gauge.mdx | 2 +- api_docs/expression_heatmap.mdx | 2 +- api_docs/expression_image.mdx | 2 +- api_docs/expression_legacy_metric_vis.mdx | 2 +- api_docs/expression_metric.mdx | 2 +- api_docs/expression_metric_vis.mdx | 2 +- api_docs/expression_partition_vis.mdx | 2 +- api_docs/expression_repeat_image.mdx | 2 +- api_docs/expression_reveal_image.mdx | 2 +- api_docs/expression_shape.mdx | 2 +- api_docs/expression_tagcloud.mdx | 2 +- api_docs/expression_x_y.mdx | 2 +- api_docs/expressions.mdx | 2 +- api_docs/features.mdx | 2 +- api_docs/field_formats.mdx | 2 +- api_docs/file_upload.mdx | 2 +- api_docs/files.mdx | 2 +- api_docs/files_management.mdx | 2 +- api_docs/fleet.mdx | 2 +- api_docs/global_search.mdx | 2 +- api_docs/guided_onboarding.mdx | 2 +- api_docs/home.mdx | 2 +- api_docs/index_lifecycle_management.mdx | 2 +- api_docs/index_management.mdx | 2 +- api_docs/infra.mdx | 2 +- api_docs/inspector.mdx | 2 +- api_docs/interactive_setup.mdx | 2 +- api_docs/kbn_ace.mdx | 2 +- api_docs/kbn_aiops_components.mdx | 2 +- api_docs/kbn_aiops_utils.mdx | 2 +- api_docs/kbn_alerts.mdx | 2 +- api_docs/kbn_analytics.mdx | 2 +- api_docs/kbn_analytics_client.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_common.mdx | 2 +- api_docs/kbn_analytics_shippers_elastic_v3_server.mdx | 2 +- api_docs/kbn_analytics_shippers_fullstory.mdx | 2 +- api_docs/kbn_analytics_shippers_gainsight.mdx | 2 +- api_docs/kbn_apm_config_loader.mdx | 2 +- api_docs/kbn_apm_synthtrace.mdx | 2 +- api_docs/kbn_apm_utils.mdx | 2 +- api_docs/kbn_axe_config.mdx | 2 +- api_docs/kbn_cases_components.mdx | 2 +- api_docs/kbn_chart_icons.mdx | 2 +- api_docs/kbn_ci_stats_core.mdx | 2 +- api_docs/kbn_ci_stats_performance_metrics.mdx | 2 +- api_docs/kbn_ci_stats_reporter.mdx | 2 +- api_docs/kbn_cli_dev_mode.mdx | 2 +- api_docs/kbn_coloring.mdx | 2 +- api_docs/kbn_config.mdx | 2 +- api_docs/kbn_config_mocks.mdx | 2 +- api_docs/kbn_config_schema.mdx | 2 +- api_docs/kbn_content_management_inspector.mdx | 2 +- api_docs/kbn_content_management_table_list.mdx | 2 +- api_docs/kbn_core_analytics_browser.mdx | 2 +- api_docs/kbn_core_analytics_browser_internal.mdx | 2 +- api_docs/kbn_core_analytics_browser_mocks.mdx | 2 +- api_docs/kbn_core_analytics_server.mdx | 2 +- api_docs/kbn_core_analytics_server_internal.mdx | 2 +- api_docs/kbn_core_analytics_server_mocks.mdx | 2 +- api_docs/kbn_core_application_browser.mdx | 2 +- api_docs/kbn_core_application_browser_internal.mdx | 2 +- api_docs/kbn_core_application_browser_mocks.mdx | 2 +- api_docs/kbn_core_application_common.mdx | 2 +- api_docs/kbn_core_apps_browser_internal.mdx | 2 +- api_docs/kbn_core_apps_browser_mocks.mdx | 2 +- api_docs/kbn_core_apps_server_internal.mdx | 2 +- api_docs/kbn_core_base_browser_mocks.mdx | 2 +- api_docs/kbn_core_base_common.mdx | 2 +- api_docs/kbn_core_base_server_internal.mdx | 2 +- api_docs/kbn_core_base_server_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_browser_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_common.mdx | 2 +- api_docs/kbn_core_capabilities_server.mdx | 2 +- api_docs/kbn_core_capabilities_server_mocks.mdx | 2 +- api_docs/kbn_core_chrome_browser.mdx | 2 +- api_docs/kbn_core_chrome_browser_mocks.mdx | 2 +- api_docs/kbn_core_config_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser.mdx | 2 +- api_docs/kbn_core_deprecations_browser_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_common.mdx | 2 +- api_docs/kbn_core_deprecations_server.mdx | 2 +- api_docs/kbn_core_deprecations_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_server_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_browser.mdx | 2 +- api_docs/kbn_core_doc_links_browser_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_server.mdx | 2 +- api_docs/kbn_core_doc_links_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_server.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_mocks.mdx | 2 +- api_docs/kbn_core_environment_server_internal.mdx | 2 +- api_docs/kbn_core_environment_server_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_browser.mdx | 2 +- api_docs/kbn_core_execution_context_browser_internal.mdx | 2 +- api_docs/kbn_core_execution_context_browser_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_common.mdx | 2 +- api_docs/kbn_core_execution_context_server.mdx | 2 +- api_docs/kbn_core_execution_context_server_internal.mdx | 2 +- api_docs/kbn_core_execution_context_server_mocks.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_browser.mdx | 2 +- api_docs/kbn_core_http_browser_internal.mdx | 2 +- api_docs/kbn_core_http_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_common.mdx | 2 +- api_docs/kbn_core_http_context_server_mocks.mdx | 2 +- api_docs/kbn_core_http_request_handler_context_server.mdx | 2 +- api_docs/kbn_core_http_resources_server.mdx | 2 +- api_docs/kbn_core_http_resources_server_internal.mdx | 2 +- api_docs/kbn_core_http_resources_server_mocks.mdx | 2 +- api_docs/kbn_core_http_router_server_internal.mdx | 2 +- api_docs/kbn_core_http_router_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server.mdx | 2 +- api_docs/kbn_core_http_server_internal.mdx | 2 +- api_docs/kbn_core_http_server_mocks.mdx | 2 +- api_docs/kbn_core_i18n_browser.mdx | 2 +- api_docs/kbn_core_i18n_browser_mocks.mdx | 2 +- api_docs/kbn_core_i18n_server.mdx | 2 +- api_docs/kbn_core_i18n_server_internal.mdx | 2 +- api_docs/kbn_core_i18n_server_mocks.mdx | 2 +- api_docs/kbn_core_injected_metadata_browser.mdx | 2 +- api_docs/kbn_core_injected_metadata_browser_mocks.mdx | 2 +- api_docs/kbn_core_integrations_browser_internal.mdx | 2 +- api_docs/kbn_core_integrations_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_browser.mdx | 2 +- api_docs/kbn_core_lifecycle_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_server.mdx | 2 +- api_docs/kbn_core_lifecycle_server_mocks.mdx | 2 +- api_docs/kbn_core_logging_browser_mocks.mdx | 2 +- api_docs/kbn_core_logging_common_internal.mdx | 2 +- api_docs/kbn_core_logging_server.mdx | 2 +- api_docs/kbn_core_logging_server_internal.mdx | 2 +- api_docs/kbn_core_logging_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_server.mdx | 2 +- api_docs/kbn_core_metrics_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_server_mocks.mdx | 2 +- api_docs/kbn_core_mount_utils_browser.mdx | 2 +- api_docs/kbn_core_node_server.mdx | 2 +- api_docs/kbn_core_node_server_internal.mdx | 2 +- api_docs/kbn_core_node_server_mocks.mdx | 2 +- api_docs/kbn_core_notifications_browser.mdx | 2 +- api_docs/kbn_core_notifications_browser_internal.mdx | 2 +- api_docs/kbn_core_notifications_browser_mocks.mdx | 2 +- api_docs/kbn_core_overlays_browser.mdx | 2 +- api_docs/kbn_core_overlays_browser_internal.mdx | 2 +- api_docs/kbn_core_overlays_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_browser.mdx | 2 +- api_docs/kbn_core_plugins_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_server.mdx | 2 +- api_docs/kbn_core_plugins_server_mocks.mdx | 2 +- api_docs/kbn_core_preboot_server.mdx | 2 +- api_docs/kbn_core_preboot_server_mocks.mdx | 2 +- api_docs/kbn_core_rendering_browser_mocks.mdx | 2 +- api_docs/kbn_core_rendering_server_internal.mdx | 2 +- api_docs/kbn_core_rendering_server_mocks.mdx | 2 +- api_docs/kbn_core_root_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_api_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_common.mdx | 2 +- .../kbn_core_saved_objects_import_export_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_server.mdx | 2 +- api_docs/kbn_core_saved_objects_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_utils_server.mdx | 2 +- api_docs/kbn_core_status_common.mdx | 2 +- api_docs/kbn_core_status_common_internal.mdx | 2 +- api_docs/kbn_core_status_server.mdx | 2 +- api_docs/kbn_core_status_server_internal.mdx | 2 +- api_docs/kbn_core_status_server_mocks.mdx | 2 +- api_docs/kbn_core_test_helpers_deprecations_getters.mdx | 2 +- api_docs/kbn_core_test_helpers_http_setup_browser.mdx | 2 +- api_docs/kbn_core_test_helpers_kbn_server.mdx | 2 +- api_docs/kbn_core_test_helpers_so_type_serializer.mdx | 2 +- api_docs/kbn_core_test_helpers_test_utils.mdx | 2 +- api_docs/kbn_core_theme_browser.mdx | 2 +- api_docs/kbn_core_theme_browser_internal.mdx | 2 +- api_docs/kbn_core_theme_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_browser.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_common.mdx | 2 +- api_docs/kbn_core_ui_settings_server.mdx | 2 +- api_docs/kbn_core_ui_settings_server_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_server_mocks.mdx | 2 +- api_docs/kbn_core_usage_data_server.mdx | 2 +- api_docs/kbn_core_usage_data_server_internal.mdx | 2 +- api_docs/kbn_core_usage_data_server_mocks.mdx | 2 +- api_docs/kbn_crypto.mdx | 2 +- api_docs/kbn_crypto_browser.mdx | 2 +- api_docs/kbn_datemath.mdx | 2 +- api_docs/kbn_dev_cli_errors.mdx | 2 +- api_docs/kbn_dev_cli_runner.mdx | 2 +- api_docs/kbn_dev_proc_runner.mdx | 2 +- api_docs/kbn_dev_utils.mdx | 2 +- api_docs/kbn_doc_links.mdx | 2 +- api_docs/kbn_docs_utils.mdx | 2 +- api_docs/kbn_ebt_tools.mdx | 2 +- api_docs/kbn_es.mdx | 2 +- api_docs/kbn_es_archiver.mdx | 2 +- api_docs/kbn_es_errors.mdx | 2 +- api_docs/kbn_es_query.mdx | 2 +- api_docs/kbn_es_types.mdx | 2 +- api_docs/kbn_eslint_plugin_imports.mdx | 2 +- api_docs/kbn_field_types.mdx | 2 +- api_docs/kbn_find_used_node_modules.mdx | 2 +- api_docs/kbn_ftr_common_functional_services.mdx | 2 +- api_docs/kbn_generate.mdx | 2 +- api_docs/kbn_get_repo_files.mdx | 2 +- api_docs/kbn_guided_onboarding.mdx | 2 +- api_docs/kbn_handlebars.mdx | 2 +- api_docs/kbn_hapi_mocks.mdx | 2 +- api_docs/kbn_health_gateway_server.mdx | 2 +- api_docs/kbn_home_sample_data_card.mdx | 2 +- api_docs/kbn_home_sample_data_tab.mdx | 2 +- api_docs/kbn_i18n.mdx | 2 +- api_docs/kbn_i18n_react.mdx | 2 +- api_docs/kbn_import_resolver.mdx | 2 +- api_docs/kbn_interpreter.mdx | 2 +- api_docs/kbn_io_ts_utils.mdx | 2 +- api_docs/kbn_jest_serializers.mdx | 2 +- api_docs/kbn_journeys.mdx | 2 +- api_docs/kbn_kibana_manifest_schema.mdx | 2 +- api_docs/kbn_language_documentation_popover.mdx | 2 +- api_docs/kbn_logging.mdx | 2 +- api_docs/kbn_logging_mocks.mdx | 2 +- api_docs/kbn_managed_vscode_config.mdx | 2 +- api_docs/kbn_mapbox_gl.mdx | 2 +- api_docs/kbn_ml_agg_utils.mdx | 2 +- api_docs/kbn_ml_is_populated_object.mdx | 2 +- api_docs/kbn_ml_string_hash.mdx | 2 +- api_docs/kbn_monaco.mdx | 2 +- api_docs/kbn_optimizer.mdx | 2 +- api_docs/kbn_optimizer_webpack_helpers.mdx | 2 +- api_docs/kbn_osquery_io_ts_types.mdx | 2 +- api_docs/kbn_peggy.mdx | 2 +- api_docs/kbn_performance_testing_dataset_extractor.mdx | 2 +- api_docs/kbn_plugin_generator.mdx | 2 +- api_docs/kbn_plugin_helpers.mdx | 2 +- api_docs/kbn_react_field.mdx | 2 +- api_docs/kbn_repo_source_classifier.mdx | 2 +- api_docs/kbn_rison.mdx | 2 +- api_docs/kbn_rule_data_utils.mdx | 2 +- api_docs/kbn_securitysolution_autocomplete.mdx | 2 +- api_docs/kbn_securitysolution_es_utils.mdx | 2 +- api_docs/kbn_securitysolution_exception_list_components.mdx | 2 +- api_docs/kbn_securitysolution_hook_utils.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_alerting_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_list_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_utils.mdx | 2 +- api_docs/kbn_securitysolution_list_api.mdx | 2 +- api_docs/kbn_securitysolution_list_constants.mdx | 2 +- api_docs/kbn_securitysolution_list_hooks.mdx | 2 +- api_docs/kbn_securitysolution_list_utils.mdx | 2 +- api_docs/kbn_securitysolution_rules.mdx | 2 +- api_docs/kbn_securitysolution_t_grid.mdx | 2 +- api_docs/kbn_securitysolution_utils.mdx | 2 +- api_docs/kbn_server_http_tools.mdx | 2 +- api_docs/kbn_server_route_repository.mdx | 2 +- api_docs/kbn_shared_svg.mdx | 2 +- api_docs/kbn_shared_ux_avatar_solution.mdx | 2 +- api_docs/kbn_shared_ux_avatar_user_profile_components.mdx | 2 +- api_docs/kbn_shared_ux_button_exit_full_screen.mdx | 2 +- api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx | 2 +- api_docs/kbn_shared_ux_button_toolbar.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_context.mdx | 2 +- api_docs/kbn_shared_ux_file_image.mdx | 2 +- api_docs/kbn_shared_ux_file_image_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_util.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx | 2 +- api_docs/kbn_shared_ux_markdown.mdx | 2 +- api_docs/kbn_shared_ux_markdown_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_solution_nav.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx | 2 +- api_docs/kbn_shared_ux_prompt_not_found.mdx | 2 +- api_docs/kbn_shared_ux_router.mdx | 2 +- api_docs/kbn_shared_ux_router_mocks.mdx | 2 +- api_docs/kbn_shared_ux_storybook_config.mdx | 2 +- api_docs/kbn_shared_ux_storybook_mock.mdx | 2 +- api_docs/kbn_shared_ux_utility.mdx | 2 +- api_docs/kbn_some_dev_log.mdx | 2 +- api_docs/kbn_sort_package_json.mdx | 2 +- api_docs/kbn_std.mdx | 2 +- api_docs/kbn_stdio_dev_helpers.mdx | 2 +- api_docs/kbn_storybook.mdx | 2 +- api_docs/kbn_telemetry_tools.mdx | 2 +- api_docs/kbn_test.mdx | 2 +- api_docs/kbn_test_jest_helpers.mdx | 2 +- api_docs/kbn_test_subj_selector.mdx | 2 +- api_docs/kbn_tooling_log.mdx | 2 +- api_docs/kbn_type_summarizer.mdx | 2 +- api_docs/kbn_type_summarizer_core.mdx | 2 +- api_docs/kbn_typed_react_router_config.mdx | 2 +- api_docs/kbn_ui_shared_deps_src.mdx | 2 +- api_docs/kbn_ui_theme.mdx | 2 +- api_docs/kbn_user_profile_components.mdx | 2 +- api_docs/kbn_utility_types.mdx | 2 +- api_docs/kbn_utility_types_jest.mdx | 2 +- api_docs/kbn_utils.mdx | 2 +- api_docs/kbn_yarn_lock_validator.mdx | 2 +- api_docs/kibana_overview.mdx | 2 +- api_docs/kibana_react.mdx | 2 +- api_docs/kibana_utils.mdx | 2 +- api_docs/kubernetes_security.mdx | 2 +- api_docs/lens.mdx | 2 +- api_docs/license_api_guard.mdx | 2 +- api_docs/license_management.mdx | 2 +- api_docs/licensing.mdx | 2 +- api_docs/lists.mdx | 2 +- api_docs/management.mdx | 2 +- api_docs/maps.mdx | 2 +- api_docs/maps_ems.mdx | 2 +- api_docs/ml.mdx | 2 +- api_docs/monitoring.mdx | 2 +- api_docs/monitoring_collection.mdx | 2 +- api_docs/navigation.mdx | 2 +- api_docs/newsfeed.mdx | 2 +- api_docs/notifications.mdx | 2 +- api_docs/observability.mdx | 2 +- api_docs/osquery.mdx | 2 +- api_docs/plugin_directory.mdx | 2 +- api_docs/presentation_util.mdx | 2 +- api_docs/profiling.mdx | 2 +- api_docs/remote_clusters.mdx | 2 +- api_docs/reporting.mdx | 2 +- api_docs/rollup.mdx | 2 +- api_docs/rule_registry.mdx | 2 +- api_docs/runtime_fields.mdx | 2 +- api_docs/saved_objects.mdx | 2 +- api_docs/saved_objects_finder.mdx | 2 +- api_docs/saved_objects_management.mdx | 2 +- api_docs/saved_objects_tagging.mdx | 2 +- api_docs/saved_objects_tagging_oss.mdx | 2 +- api_docs/saved_search.mdx | 2 +- api_docs/screenshot_mode.mdx | 2 +- api_docs/screenshotting.mdx | 2 +- api_docs/security.mdx | 2 +- api_docs/security_solution.mdx | 2 +- api_docs/session_view.mdx | 2 +- api_docs/share.mdx | 2 +- api_docs/snapshot_restore.mdx | 2 +- api_docs/spaces.mdx | 2 +- api_docs/stack_alerts.mdx | 2 +- api_docs/stack_connectors.mdx | 2 +- api_docs/task_manager.mdx | 2 +- api_docs/telemetry.mdx | 2 +- api_docs/telemetry_collection_manager.mdx | 2 +- api_docs/telemetry_collection_xpack.mdx | 2 +- api_docs/telemetry_management_section.mdx | 2 +- api_docs/threat_intelligence.mdx | 2 +- api_docs/timelines.mdx | 2 +- api_docs/transform.mdx | 2 +- api_docs/triggers_actions_ui.mdx | 2 +- api_docs/ui_actions.mdx | 2 +- api_docs/ui_actions_enhanced.mdx | 2 +- api_docs/unified_field_list.mdx | 2 +- api_docs/unified_histogram.mdx | 2 +- api_docs/unified_search.mdx | 2 +- api_docs/unified_search_autocomplete.mdx | 2 +- api_docs/url_forwarding.mdx | 2 +- api_docs/usage_collection.mdx | 2 +- api_docs/ux.mdx | 2 +- api_docs/vis_default_editor.mdx | 2 +- api_docs/vis_type_gauge.mdx | 2 +- api_docs/vis_type_heatmap.mdx | 2 +- api_docs/vis_type_pie.mdx | 2 +- api_docs/vis_type_table.mdx | 2 +- api_docs/vis_type_timelion.mdx | 2 +- api_docs/vis_type_timeseries.mdx | 2 +- api_docs/vis_type_vega.mdx | 2 +- api_docs/vis_type_vislib.mdx | 2 +- api_docs/vis_type_xy.mdx | 2 +- api_docs/visualizations.mdx | 2 +- 446 files changed, 446 insertions(+), 446 deletions(-) diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index 6b7eec0b73894..f58733f245577 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/actions title: "actions" image: https://source.unsplash.com/400x175/?github description: API docs for the actions plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'actions'] --- import actionsObj from './actions.devdocs.json'; diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index 3b79d302234b1..3826a32a184c9 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/advancedSettings title: "advancedSettings" image: https://source.unsplash.com/400x175/?github description: API docs for the advancedSettings plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'advancedSettings'] --- import advancedSettingsObj from './advanced_settings.devdocs.json'; diff --git a/api_docs/aiops.mdx b/api_docs/aiops.mdx index 6b58711d9b6bb..5ae6352aced52 100644 --- a/api_docs/aiops.mdx +++ b/api_docs/aiops.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiops title: "aiops" image: https://source.unsplash.com/400x175/?github description: API docs for the aiops plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiops'] --- import aiopsObj from './aiops.devdocs.json'; diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index eb26cd68ed6db..ca9fc6ab2b2f5 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/alerting title: "alerting" image: https://source.unsplash.com/400x175/?github description: API docs for the alerting plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'alerting'] --- import alertingObj from './alerting.devdocs.json'; diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index f12da011ad06e..3f212b2f0da1b 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apm title: "apm" image: https://source.unsplash.com/400x175/?github description: API docs for the apm plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apm'] --- import apmObj from './apm.devdocs.json'; diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index 8f4b89526cbb6..0bb305ad413df 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/banners title: "banners" image: https://source.unsplash.com/400x175/?github description: API docs for the banners plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'banners'] --- import bannersObj from './banners.devdocs.json'; diff --git a/api_docs/bfetch.mdx b/api_docs/bfetch.mdx index 4dcb0a300111a..ae25aee36e42d 100644 --- a/api_docs/bfetch.mdx +++ b/api_docs/bfetch.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/bfetch title: "bfetch" image: https://source.unsplash.com/400x175/?github description: API docs for the bfetch plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'bfetch'] --- import bfetchObj from './bfetch.devdocs.json'; diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index fb4acc95ea10d..2e11bf3168bca 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/canvas title: "canvas" image: https://source.unsplash.com/400x175/?github description: API docs for the canvas plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'canvas'] --- import canvasObj from './canvas.devdocs.json'; diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index 9e85edd9d191d..5b0d29775e994 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cases title: "cases" image: https://source.unsplash.com/400x175/?github description: API docs for the cases plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cases'] --- import casesObj from './cases.devdocs.json'; diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index c575d8766ebfd..51a0f1a85f872 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/charts title: "charts" image: https://source.unsplash.com/400x175/?github description: API docs for the charts plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'charts'] --- import chartsObj from './charts.devdocs.json'; diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index c3a295463d756..5bee432c5e1a3 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloud title: "cloud" image: https://source.unsplash.com/400x175/?github description: API docs for the cloud plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloud'] --- import cloudObj from './cloud.devdocs.json'; diff --git a/api_docs/cloud_chat.mdx b/api_docs/cloud_chat.mdx index de3620ff94786..452ef7a687671 100644 --- a/api_docs/cloud_chat.mdx +++ b/api_docs/cloud_chat.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudChat title: "cloudChat" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudChat plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudChat'] --- import cloudChatObj from './cloud_chat.devdocs.json'; diff --git a/api_docs/cloud_experiments.mdx b/api_docs/cloud_experiments.mdx index 5c685d36355a4..dde0fd7148d09 100644 --- a/api_docs/cloud_experiments.mdx +++ b/api_docs/cloud_experiments.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudExperiments title: "cloudExperiments" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudExperiments plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudExperiments'] --- import cloudExperimentsObj from './cloud_experiments.devdocs.json'; diff --git a/api_docs/cloud_security_posture.mdx b/api_docs/cloud_security_posture.mdx index 138a99f6267c2..e711667b09f1e 100644 --- a/api_docs/cloud_security_posture.mdx +++ b/api_docs/cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudSecurityPosture title: "cloudSecurityPosture" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudSecurityPosture plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudSecurityPosture'] --- import cloudSecurityPostureObj from './cloud_security_posture.devdocs.json'; diff --git a/api_docs/console.mdx b/api_docs/console.mdx index 70f8517084192..b1f708e667e0e 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/console title: "console" image: https://source.unsplash.com/400x175/?github description: API docs for the console plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'console'] --- import consoleObj from './console.devdocs.json'; diff --git a/api_docs/controls.mdx b/api_docs/controls.mdx index eb9a5b866e1a8..e9fd5dbb99d1c 100644 --- a/api_docs/controls.mdx +++ b/api_docs/controls.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/controls title: "controls" image: https://source.unsplash.com/400x175/?github description: API docs for the controls plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'controls'] --- import controlsObj from './controls.devdocs.json'; diff --git a/api_docs/core.mdx b/api_docs/core.mdx index 0b6da3b85c6b4..83b74956bcd47 100644 --- a/api_docs/core.mdx +++ b/api_docs/core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/core title: "core" image: https://source.unsplash.com/400x175/?github description: API docs for the core plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'core'] --- import coreObj from './core.devdocs.json'; diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index 62a47cb377b8b..02b1b91153cde 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/customIntegrations title: "customIntegrations" image: https://source.unsplash.com/400x175/?github description: API docs for the customIntegrations plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'customIntegrations'] --- import customIntegrationsObj from './custom_integrations.devdocs.json'; diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index fe682cfeeede2..0d50eca257abf 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboard title: "dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboard plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboard'] --- import dashboardObj from './dashboard.devdocs.json'; diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index da356e52bab17..63dde02d8e128 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboardEnhanced title: "dashboardEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboardEnhanced plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboardEnhanced'] --- import dashboardEnhancedObj from './dashboard_enhanced.devdocs.json'; diff --git a/api_docs/data.mdx b/api_docs/data.mdx index b5885df83d354..c796f4860b079 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data title: "data" image: https://source.unsplash.com/400x175/?github description: API docs for the data plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data'] --- import dataObj from './data.devdocs.json'; diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index 3491414c144d8..8f10d09f018a6 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-query title: "data.query" image: https://source.unsplash.com/400x175/?github description: API docs for the data.query plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.query'] --- import dataQueryObj from './data_query.devdocs.json'; diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index 39395823ea452..ef9bfbe5ff600 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-search title: "data.search" image: https://source.unsplash.com/400x175/?github description: API docs for the data.search plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.search'] --- import dataSearchObj from './data_search.devdocs.json'; diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index eafcdf5d3083d..36a922271019d 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewEditor title: "dataViewEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewEditor plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewEditor'] --- import dataViewEditorObj from './data_view_editor.devdocs.json'; diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index 84d22e3f9b75b..ed7a3c7a35604 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewFieldEditor title: "dataViewFieldEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewFieldEditor plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewFieldEditor'] --- import dataViewFieldEditorObj from './data_view_field_editor.devdocs.json'; diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index d32a2c7cfaedd..840db6cb48d1d 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewManagement title: "dataViewManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewManagement plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewManagement'] --- import dataViewManagementObj from './data_view_management.devdocs.json'; diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index 2d65cf11270ce..96231b322c07e 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViews title: "dataViews" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViews plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViews'] --- import dataViewsObj from './data_views.devdocs.json'; diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index 66e8b128cc137..198527ba49438 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataVisualizer title: "dataVisualizer" image: https://source.unsplash.com/400x175/?github description: API docs for the dataVisualizer plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataVisualizer'] --- import dataVisualizerObj from './data_visualizer.devdocs.json'; diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index 0a77a914bae32..da0212efd43c1 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByApi slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-api title: Deprecated API usage by API description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index fe91cc28432fb..a34da0b5d61c8 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByPlugin slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-plugin title: Deprecated API usage by plugin description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_team.mdx b/api_docs/deprecations_by_team.mdx index f6620bb3a6033..f1cb8e1b9181f 100644 --- a/api_docs/deprecations_by_team.mdx +++ b/api_docs/deprecations_by_team.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsDueByTeam slug: /kibana-dev-docs/api-meta/deprecations-due-by-team title: Deprecated APIs due to be removed, by team description: Lists the teams that are referencing deprecated APIs with a remove by date. -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index 37edd828c3a33..9e3c8436a7842 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/devTools title: "devTools" image: https://source.unsplash.com/400x175/?github description: API docs for the devTools plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'devTools'] --- import devToolsObj from './dev_tools.devdocs.json'; diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index b86bed097f93e..1170ad337a319 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discover title: "discover" image: https://source.unsplash.com/400x175/?github description: API docs for the discover plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discover'] --- import discoverObj from './discover.devdocs.json'; diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index f29fd2eaff0a0..1efd9cf169952 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverEnhanced title: "discoverEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverEnhanced plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverEnhanced'] --- import discoverEnhancedObj from './discover_enhanced.devdocs.json'; diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index 08d7cb6357d26..f7434f2522493 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddable title: "embeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddable plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddable'] --- import embeddableObj from './embeddable.devdocs.json'; diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index bfe012694f444..a86debbd56e1f 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddableEnhanced title: "embeddableEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddableEnhanced plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddableEnhanced'] --- import embeddableEnhancedObj from './embeddable_enhanced.devdocs.json'; diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index 62edc48a6cc1b..ee73ae6e0aca9 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/encryptedSavedObjects title: "encryptedSavedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the encryptedSavedObjects plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'encryptedSavedObjects'] --- import encryptedSavedObjectsObj from './encrypted_saved_objects.devdocs.json'; diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index 4a61cc3643f10..bea77bf33a698 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/enterpriseSearch title: "enterpriseSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the enterpriseSearch plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'enterpriseSearch'] --- import enterpriseSearchObj from './enterprise_search.devdocs.json'; diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index 112dc4886cd8c..8d28544889507 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esUiShared title: "esUiShared" image: https://source.unsplash.com/400x175/?github description: API docs for the esUiShared plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esUiShared'] --- import esUiSharedObj from './es_ui_shared.devdocs.json'; diff --git a/api_docs/event_annotation.mdx b/api_docs/event_annotation.mdx index f7c147766cc1f..72783f0f1506e 100644 --- a/api_docs/event_annotation.mdx +++ b/api_docs/event_annotation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotation title: "eventAnnotation" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotation plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotation'] --- import eventAnnotationObj from './event_annotation.devdocs.json'; diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index addf9aca3b811..832da07bbc0d2 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventLog title: "eventLog" image: https://source.unsplash.com/400x175/?github description: API docs for the eventLog plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventLog'] --- import eventLogObj from './event_log.devdocs.json'; diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index de2b385b643bd..a30168bdf49cf 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionError title: "expressionError" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionError plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionError'] --- import expressionErrorObj from './expression_error.devdocs.json'; diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx index 7dda01f23d2dc..ae6831cc1d6f6 100644 --- a/api_docs/expression_gauge.mdx +++ b/api_docs/expression_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionGauge title: "expressionGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionGauge plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] --- import expressionGaugeObj from './expression_gauge.devdocs.json'; diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx index 7512314ba90fb..f220843556c1f 100644 --- a/api_docs/expression_heatmap.mdx +++ b/api_docs/expression_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionHeatmap title: "expressionHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionHeatmap plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] --- import expressionHeatmapObj from './expression_heatmap.devdocs.json'; diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index 3dd4a4fe54b8c..28738eb09ee79 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionImage title: "expressionImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionImage plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionImage'] --- import expressionImageObj from './expression_image.devdocs.json'; diff --git a/api_docs/expression_legacy_metric_vis.mdx b/api_docs/expression_legacy_metric_vis.mdx index 1ff9960911260..4746a494983d4 100644 --- a/api_docs/expression_legacy_metric_vis.mdx +++ b/api_docs/expression_legacy_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionLegacyMetricVis title: "expressionLegacyMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionLegacyMetricVis plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionLegacyMetricVis'] --- import expressionLegacyMetricVisObj from './expression_legacy_metric_vis.devdocs.json'; diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index 582e8d5197a68..478ac94e2371d 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetric title: "expressionMetric" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetric plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetric'] --- import expressionMetricObj from './expression_metric.devdocs.json'; diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index 73e013fd5a000..8cda7d6b8499d 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetricVis title: "expressionMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetricVis plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetricVis'] --- import expressionMetricVisObj from './expression_metric_vis.devdocs.json'; diff --git a/api_docs/expression_partition_vis.mdx b/api_docs/expression_partition_vis.mdx index 750b9e6670f8a..f772fba3187a4 100644 --- a/api_docs/expression_partition_vis.mdx +++ b/api_docs/expression_partition_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionPartitionVis title: "expressionPartitionVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionPartitionVis plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionPartitionVis'] --- import expressionPartitionVisObj from './expression_partition_vis.devdocs.json'; diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 50a25cda5b225..f8d7f7165d0de 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRepeatImage title: "expressionRepeatImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRepeatImage plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRepeatImage'] --- import expressionRepeatImageObj from './expression_repeat_image.devdocs.json'; diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index 64d4b3b7fb1b8..49ced8cff99f2 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRevealImage title: "expressionRevealImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRevealImage plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRevealImage'] --- import expressionRevealImageObj from './expression_reveal_image.devdocs.json'; diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index 9071ae2134fa7..00c29f7f5e000 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionShape title: "expressionShape" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionShape plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionShape'] --- import expressionShapeObj from './expression_shape.devdocs.json'; diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index a89446e40091f..baefb54e4b5fa 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionTagcloud title: "expressionTagcloud" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionTagcloud plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionTagcloud'] --- import expressionTagcloudObj from './expression_tagcloud.devdocs.json'; diff --git a/api_docs/expression_x_y.mdx b/api_docs/expression_x_y.mdx index 97011211cd5ab..8039870223000 100644 --- a/api_docs/expression_x_y.mdx +++ b/api_docs/expression_x_y.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionXY title: "expressionXY" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionXY plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionXY'] --- import expressionXYObj from './expression_x_y.devdocs.json'; diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index bae40d771eb4e..4b3a7c46c935d 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressions title: "expressions" image: https://source.unsplash.com/400x175/?github description: API docs for the expressions plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressions'] --- import expressionsObj from './expressions.devdocs.json'; diff --git a/api_docs/features.mdx b/api_docs/features.mdx index da52b22393091..40cae7f4eec63 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/features title: "features" image: https://source.unsplash.com/400x175/?github description: API docs for the features plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'features'] --- import featuresObj from './features.devdocs.json'; diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index 19a1310a4f0c6..56f494d00c637 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldFormats title: "fieldFormats" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldFormats plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldFormats'] --- import fieldFormatsObj from './field_formats.devdocs.json'; diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index fb6a580943204..b210a10bd1a7f 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fileUpload title: "fileUpload" image: https://source.unsplash.com/400x175/?github description: API docs for the fileUpload plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fileUpload'] --- import fileUploadObj from './file_upload.devdocs.json'; diff --git a/api_docs/files.mdx b/api_docs/files.mdx index 4dcf2b4c42622..7b68e5acaa1cc 100644 --- a/api_docs/files.mdx +++ b/api_docs/files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/files title: "files" image: https://source.unsplash.com/400x175/?github description: API docs for the files plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'files'] --- import filesObj from './files.devdocs.json'; diff --git a/api_docs/files_management.mdx b/api_docs/files_management.mdx index 5d0a0cd21e4c5..e98dda95c9843 100644 --- a/api_docs/files_management.mdx +++ b/api_docs/files_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/filesManagement title: "filesManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the filesManagement plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'filesManagement'] --- import filesManagementObj from './files_management.devdocs.json'; diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index f672f3a525ed5..ac3fe8ab65491 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fleet title: "fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the fleet plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fleet'] --- import fleetObj from './fleet.devdocs.json'; diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index e5457f414c5fb..541a9cff6c5a4 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/globalSearch title: "globalSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the globalSearch plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'globalSearch'] --- import globalSearchObj from './global_search.devdocs.json'; diff --git a/api_docs/guided_onboarding.mdx b/api_docs/guided_onboarding.mdx index 5ec0097abb3a7..d76de8f8a7e08 100644 --- a/api_docs/guided_onboarding.mdx +++ b/api_docs/guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/guidedOnboarding title: "guidedOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the guidedOnboarding plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'guidedOnboarding'] --- import guidedOnboardingObj from './guided_onboarding.devdocs.json'; diff --git a/api_docs/home.mdx b/api_docs/home.mdx index d33f63ffd7dfe..79a04470a6be8 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/home title: "home" image: https://source.unsplash.com/400x175/?github description: API docs for the home plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'home'] --- import homeObj from './home.devdocs.json'; diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index 42b0024c24b1c..56830848f6d50 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexLifecycleManagement title: "indexLifecycleManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexLifecycleManagement plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexLifecycleManagement'] --- import indexLifecycleManagementObj from './index_lifecycle_management.devdocs.json'; diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index 799e716cae4c5..a50edb439f9b4 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexManagement title: "indexManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexManagement plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexManagement'] --- import indexManagementObj from './index_management.devdocs.json'; diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index 79d644bb35406..71d8e2c118a85 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/infra title: "infra" image: https://source.unsplash.com/400x175/?github description: API docs for the infra plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'infra'] --- import infraObj from './infra.devdocs.json'; diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index 4601b13573b7e..7531b4e16ebfe 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inspector title: "inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the inspector plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inspector'] --- import inspectorObj from './inspector.devdocs.json'; diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index 3f2466b72c944..a11e22c43da42 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/interactiveSetup title: "interactiveSetup" image: https://source.unsplash.com/400x175/?github description: API docs for the interactiveSetup plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'interactiveSetup'] --- import interactiveSetupObj from './interactive_setup.devdocs.json'; diff --git a/api_docs/kbn_ace.mdx b/api_docs/kbn_ace.mdx index 73207ade846b1..0cb1500a15815 100644 --- a/api_docs/kbn_ace.mdx +++ b/api_docs/kbn_ace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ace title: "@kbn/ace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ace plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ace'] --- import kbnAceObj from './kbn_ace.devdocs.json'; diff --git a/api_docs/kbn_aiops_components.mdx b/api_docs/kbn_aiops_components.mdx index 8a3fd3d06ec37..535b1e02196f2 100644 --- a/api_docs/kbn_aiops_components.mdx +++ b/api_docs/kbn_aiops_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-components title: "@kbn/aiops-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-components plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-components'] --- import kbnAiopsComponentsObj from './kbn_aiops_components.devdocs.json'; diff --git a/api_docs/kbn_aiops_utils.mdx b/api_docs/kbn_aiops_utils.mdx index 22de4883d7976..18642f640ca2e 100644 --- a/api_docs/kbn_aiops_utils.mdx +++ b/api_docs/kbn_aiops_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-utils title: "@kbn/aiops-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-utils'] --- import kbnAiopsUtilsObj from './kbn_aiops_utils.devdocs.json'; diff --git a/api_docs/kbn_alerts.mdx b/api_docs/kbn_alerts.mdx index 1582bd6fc19a2..f37a856587b73 100644 --- a/api_docs/kbn_alerts.mdx +++ b/api_docs/kbn_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts title: "@kbn/alerts" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts'] --- import kbnAlertsObj from './kbn_alerts.devdocs.json'; diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index e2bc7bdf10d10..43c4637065eb0 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics title: "@kbn/analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics'] --- import kbnAnalyticsObj from './kbn_analytics.devdocs.json'; diff --git a/api_docs/kbn_analytics_client.mdx b/api_docs/kbn_analytics_client.mdx index ec39e3a883062..6b95184cb4516 100644 --- a/api_docs/kbn_analytics_client.mdx +++ b/api_docs/kbn_analytics_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-client title: "@kbn/analytics-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-client plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-client'] --- import kbnAnalyticsClientObj from './kbn_analytics_client.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx index c1791b1b75b4f..04694b1dd1a59 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-browser title: "@kbn/analytics-shippers-elastic-v3-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-browser'] --- import kbnAnalyticsShippersElasticV3BrowserObj from './kbn_analytics_shippers_elastic_v3_browser.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx index afd0996d46a0d..78520c7903a13 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-common title: "@kbn/analytics-shippers-elastic-v3-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-common'] --- import kbnAnalyticsShippersElasticV3CommonObj from './kbn_analytics_shippers_elastic_v3_common.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx index a6c99c31797e8..8d2adf6061190 100644 --- a/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx +++ b/api_docs/kbn_analytics_shippers_elastic_v3_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-elastic-v3-server title: "@kbn/analytics-shippers-elastic-v3-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-elastic-v3-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-elastic-v3-server'] --- import kbnAnalyticsShippersElasticV3ServerObj from './kbn_analytics_shippers_elastic_v3_server.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_fullstory.mdx b/api_docs/kbn_analytics_shippers_fullstory.mdx index 09272e39c2cf8..07d5acecb8540 100644 --- a/api_docs/kbn_analytics_shippers_fullstory.mdx +++ b/api_docs/kbn_analytics_shippers_fullstory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-fullstory title: "@kbn/analytics-shippers-fullstory" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-fullstory plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-fullstory'] --- import kbnAnalyticsShippersFullstoryObj from './kbn_analytics_shippers_fullstory.devdocs.json'; diff --git a/api_docs/kbn_analytics_shippers_gainsight.mdx b/api_docs/kbn_analytics_shippers_gainsight.mdx index 6dc8f9a46f6e7..af40a1910ff62 100644 --- a/api_docs/kbn_analytics_shippers_gainsight.mdx +++ b/api_docs/kbn_analytics_shippers_gainsight.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-shippers-gainsight title: "@kbn/analytics-shippers-gainsight" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-shippers-gainsight plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-shippers-gainsight'] --- import kbnAnalyticsShippersGainsightObj from './kbn_analytics_shippers_gainsight.devdocs.json'; diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index 6f37157e3bd89..0a0fda1c4445e 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-config-loader title: "@kbn/apm-config-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-config-loader plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-config-loader'] --- import kbnApmConfigLoaderObj from './kbn_apm_config_loader.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace.mdx b/api_docs/kbn_apm_synthtrace.mdx index df83d5cea750b..9bfdace706349 100644 --- a/api_docs/kbn_apm_synthtrace.mdx +++ b/api_docs/kbn_apm_synthtrace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace title: "@kbn/apm-synthtrace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace'] --- import kbnApmSynthtraceObj from './kbn_apm_synthtrace.devdocs.json'; diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index 43d81097918e5..06be54b92dda4 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-utils title: "@kbn/apm-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-utils'] --- import kbnApmUtilsObj from './kbn_apm_utils.devdocs.json'; diff --git a/api_docs/kbn_axe_config.mdx b/api_docs/kbn_axe_config.mdx index 889b5d2619713..3c0c42efe110e 100644 --- a/api_docs/kbn_axe_config.mdx +++ b/api_docs/kbn_axe_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-axe-config title: "@kbn/axe-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/axe-config plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/axe-config'] --- import kbnAxeConfigObj from './kbn_axe_config.devdocs.json'; diff --git a/api_docs/kbn_cases_components.mdx b/api_docs/kbn_cases_components.mdx index d73635561febe..4832a0035967e 100644 --- a/api_docs/kbn_cases_components.mdx +++ b/api_docs/kbn_cases_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cases-components title: "@kbn/cases-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cases-components plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cases-components'] --- import kbnCasesComponentsObj from './kbn_cases_components.devdocs.json'; diff --git a/api_docs/kbn_chart_icons.mdx b/api_docs/kbn_chart_icons.mdx index d8edb9e267db9..2c9ba6fda8804 100644 --- a/api_docs/kbn_chart_icons.mdx +++ b/api_docs/kbn_chart_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-icons title: "@kbn/chart-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-icons plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-icons'] --- import kbnChartIconsObj from './kbn_chart_icons.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_core.mdx b/api_docs/kbn_ci_stats_core.mdx index 18826c3b53f72..7658df5f19cb9 100644 --- a/api_docs/kbn_ci_stats_core.mdx +++ b/api_docs/kbn_ci_stats_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-core title: "@kbn/ci-stats-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-core plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-core'] --- import kbnCiStatsCoreObj from './kbn_ci_stats_core.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_performance_metrics.mdx b/api_docs/kbn_ci_stats_performance_metrics.mdx index aec7eb5486af3..37686f7782cd0 100644 --- a/api_docs/kbn_ci_stats_performance_metrics.mdx +++ b/api_docs/kbn_ci_stats_performance_metrics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-performance-metrics title: "@kbn/ci-stats-performance-metrics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-performance-metrics plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-performance-metrics'] --- import kbnCiStatsPerformanceMetricsObj from './kbn_ci_stats_performance_metrics.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_reporter.mdx b/api_docs/kbn_ci_stats_reporter.mdx index bf50fdec5a7cf..871163e7bc27d 100644 --- a/api_docs/kbn_ci_stats_reporter.mdx +++ b/api_docs/kbn_ci_stats_reporter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-reporter title: "@kbn/ci-stats-reporter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-reporter plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-reporter'] --- import kbnCiStatsReporterObj from './kbn_ci_stats_reporter.devdocs.json'; diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index 39b1be4a24705..ff665e2f430fb 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cli-dev-mode title: "@kbn/cli-dev-mode" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cli-dev-mode plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cli-dev-mode'] --- import kbnCliDevModeObj from './kbn_cli_dev_mode.devdocs.json'; diff --git a/api_docs/kbn_coloring.mdx b/api_docs/kbn_coloring.mdx index eaf4a7326d19d..51cb184cbbb99 100644 --- a/api_docs/kbn_coloring.mdx +++ b/api_docs/kbn_coloring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-coloring title: "@kbn/coloring" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/coloring plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/coloring'] --- import kbnColoringObj from './kbn_coloring.devdocs.json'; diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index 5b8b31dfb91ca..fe77aeeabc251 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config title: "@kbn/config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config'] --- import kbnConfigObj from './kbn_config.devdocs.json'; diff --git a/api_docs/kbn_config_mocks.mdx b/api_docs/kbn_config_mocks.mdx index 2369c34af3618..93c560bbc554c 100644 --- a/api_docs/kbn_config_mocks.mdx +++ b/api_docs/kbn_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-mocks title: "@kbn/config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-mocks'] --- import kbnConfigMocksObj from './kbn_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index 2d794f00593f5..9d81c2903cef2 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-schema title: "@kbn/config-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-schema plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-schema'] --- import kbnConfigSchemaObj from './kbn_config_schema.devdocs.json'; diff --git a/api_docs/kbn_content_management_inspector.mdx b/api_docs/kbn_content_management_inspector.mdx index 458e76d265882..d78e819111f9f 100644 --- a/api_docs/kbn_content_management_inspector.mdx +++ b/api_docs/kbn_content_management_inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-inspector title: "@kbn/content-management-inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-inspector plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-inspector'] --- import kbnContentManagementInspectorObj from './kbn_content_management_inspector.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list.mdx b/api_docs/kbn_content_management_table_list.mdx index fd8bb04d42231..7986d5cdf1ef4 100644 --- a/api_docs/kbn_content_management_table_list.mdx +++ b/api_docs/kbn_content_management_table_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list title: "@kbn/content-management-table-list" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list'] --- import kbnContentManagementTableListObj from './kbn_content_management_table_list.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser.mdx b/api_docs/kbn_core_analytics_browser.mdx index 1280f8aebe67f..2f746d19d0a49 100644 --- a/api_docs/kbn_core_analytics_browser.mdx +++ b/api_docs/kbn_core_analytics_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser title: "@kbn/core-analytics-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser'] --- import kbnCoreAnalyticsBrowserObj from './kbn_core_analytics_browser.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_internal.mdx b/api_docs/kbn_core_analytics_browser_internal.mdx index 5ecdc7a4ed26e..2a97a61cb6ef3 100644 --- a/api_docs/kbn_core_analytics_browser_internal.mdx +++ b/api_docs/kbn_core_analytics_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-internal title: "@kbn/core-analytics-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-internal'] --- import kbnCoreAnalyticsBrowserInternalObj from './kbn_core_analytics_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_mocks.mdx b/api_docs/kbn_core_analytics_browser_mocks.mdx index 2e4075ddb7502..582bc748694ac 100644 --- a/api_docs/kbn_core_analytics_browser_mocks.mdx +++ b/api_docs/kbn_core_analytics_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-mocks title: "@kbn/core-analytics-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-mocks'] --- import kbnCoreAnalyticsBrowserMocksObj from './kbn_core_analytics_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server.mdx b/api_docs/kbn_core_analytics_server.mdx index f4591abc78ef4..e75a4c4b42e11 100644 --- a/api_docs/kbn_core_analytics_server.mdx +++ b/api_docs/kbn_core_analytics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server title: "@kbn/core-analytics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server'] --- import kbnCoreAnalyticsServerObj from './kbn_core_analytics_server.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_internal.mdx b/api_docs/kbn_core_analytics_server_internal.mdx index 70c7a49785a29..01f8ad68f4784 100644 --- a/api_docs/kbn_core_analytics_server_internal.mdx +++ b/api_docs/kbn_core_analytics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-internal title: "@kbn/core-analytics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-internal'] --- import kbnCoreAnalyticsServerInternalObj from './kbn_core_analytics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_mocks.mdx b/api_docs/kbn_core_analytics_server_mocks.mdx index d60cc8efb97ea..6a8fa7b90760b 100644 --- a/api_docs/kbn_core_analytics_server_mocks.mdx +++ b/api_docs/kbn_core_analytics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-mocks title: "@kbn/core-analytics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-mocks'] --- import kbnCoreAnalyticsServerMocksObj from './kbn_core_analytics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser.mdx b/api_docs/kbn_core_application_browser.mdx index e37085e66c871..a84714ff7b6a2 100644 --- a/api_docs/kbn_core_application_browser.mdx +++ b/api_docs/kbn_core_application_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser title: "@kbn/core-application-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser'] --- import kbnCoreApplicationBrowserObj from './kbn_core_application_browser.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_internal.mdx b/api_docs/kbn_core_application_browser_internal.mdx index 2a13b8fb5ab8f..d416c5336e986 100644 --- a/api_docs/kbn_core_application_browser_internal.mdx +++ b/api_docs/kbn_core_application_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-internal title: "@kbn/core-application-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-internal'] --- import kbnCoreApplicationBrowserInternalObj from './kbn_core_application_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_mocks.mdx b/api_docs/kbn_core_application_browser_mocks.mdx index 8566f2ac01577..714666f44535b 100644 --- a/api_docs/kbn_core_application_browser_mocks.mdx +++ b/api_docs/kbn_core_application_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-mocks title: "@kbn/core-application-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-mocks'] --- import kbnCoreApplicationBrowserMocksObj from './kbn_core_application_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_common.mdx b/api_docs/kbn_core_application_common.mdx index 3100021bc6a75..a42af43339728 100644 --- a/api_docs/kbn_core_application_common.mdx +++ b/api_docs/kbn_core_application_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-common title: "@kbn/core-application-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-common'] --- import kbnCoreApplicationCommonObj from './kbn_core_application_common.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_internal.mdx b/api_docs/kbn_core_apps_browser_internal.mdx index e2bce0028de3b..158cb3788af1b 100644 --- a/api_docs/kbn_core_apps_browser_internal.mdx +++ b/api_docs/kbn_core_apps_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-internal title: "@kbn/core-apps-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-internal'] --- import kbnCoreAppsBrowserInternalObj from './kbn_core_apps_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_mocks.mdx b/api_docs/kbn_core_apps_browser_mocks.mdx index db27cd54fb143..67428ffc0e272 100644 --- a/api_docs/kbn_core_apps_browser_mocks.mdx +++ b/api_docs/kbn_core_apps_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-mocks title: "@kbn/core-apps-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-mocks'] --- import kbnCoreAppsBrowserMocksObj from './kbn_core_apps_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_apps_server_internal.mdx b/api_docs/kbn_core_apps_server_internal.mdx index 13a1bfa020a9c..30c3eca3a43ec 100644 --- a/api_docs/kbn_core_apps_server_internal.mdx +++ b/api_docs/kbn_core_apps_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-server-internal title: "@kbn/core-apps-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-server-internal'] --- import kbnCoreAppsServerInternalObj from './kbn_core_apps_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_browser_mocks.mdx b/api_docs/kbn_core_base_browser_mocks.mdx index 6f933df6b34b3..bc7c1835940d7 100644 --- a/api_docs/kbn_core_base_browser_mocks.mdx +++ b/api_docs/kbn_core_base_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-browser-mocks title: "@kbn/core-base-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-browser-mocks'] --- import kbnCoreBaseBrowserMocksObj from './kbn_core_base_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_base_common.mdx b/api_docs/kbn_core_base_common.mdx index 100734433c76c..f653612849c5e 100644 --- a/api_docs/kbn_core_base_common.mdx +++ b/api_docs/kbn_core_base_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-common title: "@kbn/core-base-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-common'] --- import kbnCoreBaseCommonObj from './kbn_core_base_common.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_internal.mdx b/api_docs/kbn_core_base_server_internal.mdx index aa6e6dc0351d1..ecbb7799d5d99 100644 --- a/api_docs/kbn_core_base_server_internal.mdx +++ b/api_docs/kbn_core_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-internal title: "@kbn/core-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-internal'] --- import kbnCoreBaseServerInternalObj from './kbn_core_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_mocks.mdx b/api_docs/kbn_core_base_server_mocks.mdx index 687ed3ca52f23..82df06ad29ff9 100644 --- a/api_docs/kbn_core_base_server_mocks.mdx +++ b/api_docs/kbn_core_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-mocks title: "@kbn/core-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-mocks'] --- import kbnCoreBaseServerMocksObj from './kbn_core_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_browser_mocks.mdx b/api_docs/kbn_core_capabilities_browser_mocks.mdx index e77395a9178b3..baa045c09c7da 100644 --- a/api_docs/kbn_core_capabilities_browser_mocks.mdx +++ b/api_docs/kbn_core_capabilities_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-browser-mocks title: "@kbn/core-capabilities-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-browser-mocks'] --- import kbnCoreCapabilitiesBrowserMocksObj from './kbn_core_capabilities_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_common.mdx b/api_docs/kbn_core_capabilities_common.mdx index 8ecb7234510d9..24e4f1310b7f2 100644 --- a/api_docs/kbn_core_capabilities_common.mdx +++ b/api_docs/kbn_core_capabilities_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-common title: "@kbn/core-capabilities-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-common'] --- import kbnCoreCapabilitiesCommonObj from './kbn_core_capabilities_common.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server.mdx b/api_docs/kbn_core_capabilities_server.mdx index 9012a9050d49a..bd435f05624f1 100644 --- a/api_docs/kbn_core_capabilities_server.mdx +++ b/api_docs/kbn_core_capabilities_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server title: "@kbn/core-capabilities-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server'] --- import kbnCoreCapabilitiesServerObj from './kbn_core_capabilities_server.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server_mocks.mdx b/api_docs/kbn_core_capabilities_server_mocks.mdx index dfa73a4b2597b..0d8004065c7fb 100644 --- a/api_docs/kbn_core_capabilities_server_mocks.mdx +++ b/api_docs/kbn_core_capabilities_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server-mocks title: "@kbn/core-capabilities-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server-mocks'] --- import kbnCoreCapabilitiesServerMocksObj from './kbn_core_capabilities_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser.mdx b/api_docs/kbn_core_chrome_browser.mdx index d2c2b7bf58677..993dd0df0f290 100644 --- a/api_docs/kbn_core_chrome_browser.mdx +++ b/api_docs/kbn_core_chrome_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser title: "@kbn/core-chrome-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser'] --- import kbnCoreChromeBrowserObj from './kbn_core_chrome_browser.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser_mocks.mdx b/api_docs/kbn_core_chrome_browser_mocks.mdx index 03842ec1ab77b..fa8af3c3e6575 100644 --- a/api_docs/kbn_core_chrome_browser_mocks.mdx +++ b/api_docs/kbn_core_chrome_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser-mocks title: "@kbn/core-chrome-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser-mocks'] --- import kbnCoreChromeBrowserMocksObj from './kbn_core_chrome_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_config_server_internal.mdx b/api_docs/kbn_core_config_server_internal.mdx index 6c8cb060c66e0..af0dcc5e3b078 100644 --- a/api_docs/kbn_core_config_server_internal.mdx +++ b/api_docs/kbn_core_config_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-config-server-internal title: "@kbn/core-config-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-config-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-config-server-internal'] --- import kbnCoreConfigServerInternalObj from './kbn_core_config_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser.mdx b/api_docs/kbn_core_deprecations_browser.mdx index 39ab8255c9aaf..fbcc37d7b8d85 100644 --- a/api_docs/kbn_core_deprecations_browser.mdx +++ b/api_docs/kbn_core_deprecations_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser title: "@kbn/core-deprecations-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser'] --- import kbnCoreDeprecationsBrowserObj from './kbn_core_deprecations_browser.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_internal.mdx b/api_docs/kbn_core_deprecations_browser_internal.mdx index 983ae7077c629..9205181eed098 100644 --- a/api_docs/kbn_core_deprecations_browser_internal.mdx +++ b/api_docs/kbn_core_deprecations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-internal title: "@kbn/core-deprecations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-internal'] --- import kbnCoreDeprecationsBrowserInternalObj from './kbn_core_deprecations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_mocks.mdx b/api_docs/kbn_core_deprecations_browser_mocks.mdx index 374fdaccbcbdf..0c92624a9ced9 100644 --- a/api_docs/kbn_core_deprecations_browser_mocks.mdx +++ b/api_docs/kbn_core_deprecations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-mocks title: "@kbn/core-deprecations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-mocks'] --- import kbnCoreDeprecationsBrowserMocksObj from './kbn_core_deprecations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_common.mdx b/api_docs/kbn_core_deprecations_common.mdx index 8ae09e898aa98..0164d8b85b539 100644 --- a/api_docs/kbn_core_deprecations_common.mdx +++ b/api_docs/kbn_core_deprecations_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-common title: "@kbn/core-deprecations-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-common'] --- import kbnCoreDeprecationsCommonObj from './kbn_core_deprecations_common.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server.mdx b/api_docs/kbn_core_deprecations_server.mdx index 42c79636e7b54..66983f0574898 100644 --- a/api_docs/kbn_core_deprecations_server.mdx +++ b/api_docs/kbn_core_deprecations_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server title: "@kbn/core-deprecations-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server'] --- import kbnCoreDeprecationsServerObj from './kbn_core_deprecations_server.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_internal.mdx b/api_docs/kbn_core_deprecations_server_internal.mdx index a5c117b26f363..fb9b1caddc0a2 100644 --- a/api_docs/kbn_core_deprecations_server_internal.mdx +++ b/api_docs/kbn_core_deprecations_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-internal title: "@kbn/core-deprecations-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-internal'] --- import kbnCoreDeprecationsServerInternalObj from './kbn_core_deprecations_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_mocks.mdx b/api_docs/kbn_core_deprecations_server_mocks.mdx index b7ebc96bc1ec0..3644e8b021c66 100644 --- a/api_docs/kbn_core_deprecations_server_mocks.mdx +++ b/api_docs/kbn_core_deprecations_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-mocks title: "@kbn/core-deprecations-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-mocks'] --- import kbnCoreDeprecationsServerMocksObj from './kbn_core_deprecations_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser.mdx b/api_docs/kbn_core_doc_links_browser.mdx index f73ef148637c0..0ad9e8bbd13e2 100644 --- a/api_docs/kbn_core_doc_links_browser.mdx +++ b/api_docs/kbn_core_doc_links_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser title: "@kbn/core-doc-links-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser'] --- import kbnCoreDocLinksBrowserObj from './kbn_core_doc_links_browser.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser_mocks.mdx b/api_docs/kbn_core_doc_links_browser_mocks.mdx index 971a2f4ad165b..3df70f0202ff7 100644 --- a/api_docs/kbn_core_doc_links_browser_mocks.mdx +++ b/api_docs/kbn_core_doc_links_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser-mocks title: "@kbn/core-doc-links-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser-mocks'] --- import kbnCoreDocLinksBrowserMocksObj from './kbn_core_doc_links_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server.mdx b/api_docs/kbn_core_doc_links_server.mdx index c4ddff45e05f4..266cd8948d05c 100644 --- a/api_docs/kbn_core_doc_links_server.mdx +++ b/api_docs/kbn_core_doc_links_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server title: "@kbn/core-doc-links-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server'] --- import kbnCoreDocLinksServerObj from './kbn_core_doc_links_server.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server_mocks.mdx b/api_docs/kbn_core_doc_links_server_mocks.mdx index 0daae1b930b4f..1f80b242daef8 100644 --- a/api_docs/kbn_core_doc_links_server_mocks.mdx +++ b/api_docs/kbn_core_doc_links_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server-mocks title: "@kbn/core-doc-links-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server-mocks'] --- import kbnCoreDocLinksServerMocksObj from './kbn_core_doc_links_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx index 33ac3f388d233..57aaf09bdd61d 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-internal title: "@kbn/core-elasticsearch-client-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-internal'] --- import kbnCoreElasticsearchClientServerInternalObj from './kbn_core_elasticsearch_client_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx index c6fa9ed107712..d1b2a2008634d 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-mocks title: "@kbn/core-elasticsearch-client-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-mocks'] --- import kbnCoreElasticsearchClientServerMocksObj from './kbn_core_elasticsearch_client_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server.mdx b/api_docs/kbn_core_elasticsearch_server.mdx index 58ff885599c91..d8eaa72b8c814 100644 --- a/api_docs/kbn_core_elasticsearch_server.mdx +++ b/api_docs/kbn_core_elasticsearch_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server title: "@kbn/core-elasticsearch-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server'] --- import kbnCoreElasticsearchServerObj from './kbn_core_elasticsearch_server.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_internal.mdx b/api_docs/kbn_core_elasticsearch_server_internal.mdx index 7ca2127f314a8..06f17406caa68 100644 --- a/api_docs/kbn_core_elasticsearch_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-internal title: "@kbn/core-elasticsearch-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-internal'] --- import kbnCoreElasticsearchServerInternalObj from './kbn_core_elasticsearch_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_server_mocks.mdx index d9ef18637e68b..6cc8ace3a138d 100644 --- a/api_docs/kbn_core_elasticsearch_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-mocks title: "@kbn/core-elasticsearch-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-mocks'] --- import kbnCoreElasticsearchServerMocksObj from './kbn_core_elasticsearch_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_internal.mdx b/api_docs/kbn_core_environment_server_internal.mdx index 7201de939abe3..cc93d60e801fa 100644 --- a/api_docs/kbn_core_environment_server_internal.mdx +++ b/api_docs/kbn_core_environment_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-internal title: "@kbn/core-environment-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-internal'] --- import kbnCoreEnvironmentServerInternalObj from './kbn_core_environment_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_mocks.mdx b/api_docs/kbn_core_environment_server_mocks.mdx index 472db84c7a387..fd8f409e70365 100644 --- a/api_docs/kbn_core_environment_server_mocks.mdx +++ b/api_docs/kbn_core_environment_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-mocks title: "@kbn/core-environment-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-mocks'] --- import kbnCoreEnvironmentServerMocksObj from './kbn_core_environment_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser.mdx b/api_docs/kbn_core_execution_context_browser.mdx index 10d3cdb52f65c..328e2dc8e473a 100644 --- a/api_docs/kbn_core_execution_context_browser.mdx +++ b/api_docs/kbn_core_execution_context_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser title: "@kbn/core-execution-context-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser'] --- import kbnCoreExecutionContextBrowserObj from './kbn_core_execution_context_browser.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_internal.mdx b/api_docs/kbn_core_execution_context_browser_internal.mdx index d967eae26b9bc..e09a4507fb314 100644 --- a/api_docs/kbn_core_execution_context_browser_internal.mdx +++ b/api_docs/kbn_core_execution_context_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-internal title: "@kbn/core-execution-context-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-internal'] --- import kbnCoreExecutionContextBrowserInternalObj from './kbn_core_execution_context_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_mocks.mdx b/api_docs/kbn_core_execution_context_browser_mocks.mdx index 5e4ea17ea6a54..6e5cac7f9666a 100644 --- a/api_docs/kbn_core_execution_context_browser_mocks.mdx +++ b/api_docs/kbn_core_execution_context_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-mocks title: "@kbn/core-execution-context-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-mocks'] --- import kbnCoreExecutionContextBrowserMocksObj from './kbn_core_execution_context_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_common.mdx b/api_docs/kbn_core_execution_context_common.mdx index 0d2ec396dac2a..ecdc2ef09d1b2 100644 --- a/api_docs/kbn_core_execution_context_common.mdx +++ b/api_docs/kbn_core_execution_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-common title: "@kbn/core-execution-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-common'] --- import kbnCoreExecutionContextCommonObj from './kbn_core_execution_context_common.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server.mdx b/api_docs/kbn_core_execution_context_server.mdx index 34e56d153f1ab..47fd00669247f 100644 --- a/api_docs/kbn_core_execution_context_server.mdx +++ b/api_docs/kbn_core_execution_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server title: "@kbn/core-execution-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server'] --- import kbnCoreExecutionContextServerObj from './kbn_core_execution_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_internal.mdx b/api_docs/kbn_core_execution_context_server_internal.mdx index f11ab55551427..0003d7c3eb64e 100644 --- a/api_docs/kbn_core_execution_context_server_internal.mdx +++ b/api_docs/kbn_core_execution_context_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-internal title: "@kbn/core-execution-context-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-internal'] --- import kbnCoreExecutionContextServerInternalObj from './kbn_core_execution_context_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_mocks.mdx b/api_docs/kbn_core_execution_context_server_mocks.mdx index 7fff486547b44..aeeb4b21acf13 100644 --- a/api_docs/kbn_core_execution_context_server_mocks.mdx +++ b/api_docs/kbn_core_execution_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-mocks title: "@kbn/core-execution-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-mocks'] --- import kbnCoreExecutionContextServerMocksObj from './kbn_core_execution_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser.mdx b/api_docs/kbn_core_fatal_errors_browser.mdx index 7987974ae999f..1d21a10a1fb2c 100644 --- a/api_docs/kbn_core_fatal_errors_browser.mdx +++ b/api_docs/kbn_core_fatal_errors_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser title: "@kbn/core-fatal-errors-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser'] --- import kbnCoreFatalErrorsBrowserObj from './kbn_core_fatal_errors_browser.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx index ca45f756c596b..cab7e24d87ef5 100644 --- a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx +++ b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser-mocks title: "@kbn/core-fatal-errors-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser-mocks'] --- import kbnCoreFatalErrorsBrowserMocksObj from './kbn_core_fatal_errors_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser.mdx b/api_docs/kbn_core_http_browser.mdx index 0c87dde027bfb..355b321bff367 100644 --- a/api_docs/kbn_core_http_browser.mdx +++ b/api_docs/kbn_core_http_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser title: "@kbn/core-http-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser'] --- import kbnCoreHttpBrowserObj from './kbn_core_http_browser.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_internal.mdx b/api_docs/kbn_core_http_browser_internal.mdx index 320d5f3f5f0bd..74db968143a69 100644 --- a/api_docs/kbn_core_http_browser_internal.mdx +++ b/api_docs/kbn_core_http_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-internal title: "@kbn/core-http-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-internal'] --- import kbnCoreHttpBrowserInternalObj from './kbn_core_http_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_mocks.mdx b/api_docs/kbn_core_http_browser_mocks.mdx index a5ba4404b3719..7ff8dedf756fb 100644 --- a/api_docs/kbn_core_http_browser_mocks.mdx +++ b/api_docs/kbn_core_http_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-mocks title: "@kbn/core-http-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-mocks'] --- import kbnCoreHttpBrowserMocksObj from './kbn_core_http_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_common.mdx b/api_docs/kbn_core_http_common.mdx index 8b32f47125d0a..a2e59d5f54e68 100644 --- a/api_docs/kbn_core_http_common.mdx +++ b/api_docs/kbn_core_http_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-common title: "@kbn/core-http-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-common'] --- import kbnCoreHttpCommonObj from './kbn_core_http_common.devdocs.json'; diff --git a/api_docs/kbn_core_http_context_server_mocks.mdx b/api_docs/kbn_core_http_context_server_mocks.mdx index a0a63e3017dfc..786537478f0e4 100644 --- a/api_docs/kbn_core_http_context_server_mocks.mdx +++ b/api_docs/kbn_core_http_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-context-server-mocks title: "@kbn/core-http-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-context-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-context-server-mocks'] --- import kbnCoreHttpContextServerMocksObj from './kbn_core_http_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_request_handler_context_server.mdx b/api_docs/kbn_core_http_request_handler_context_server.mdx index 17d8d1b6c6637..2f32c90195434 100644 --- a/api_docs/kbn_core_http_request_handler_context_server.mdx +++ b/api_docs/kbn_core_http_request_handler_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-request-handler-context-server title: "@kbn/core-http-request-handler-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-request-handler-context-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-request-handler-context-server'] --- import kbnCoreHttpRequestHandlerContextServerObj from './kbn_core_http_request_handler_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server.mdx b/api_docs/kbn_core_http_resources_server.mdx index 1db62f81cfa1e..97733b27a5e58 100644 --- a/api_docs/kbn_core_http_resources_server.mdx +++ b/api_docs/kbn_core_http_resources_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server title: "@kbn/core-http-resources-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server'] --- import kbnCoreHttpResourcesServerObj from './kbn_core_http_resources_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_internal.mdx b/api_docs/kbn_core_http_resources_server_internal.mdx index 3f316dbee0c48..26cec7347bc9e 100644 --- a/api_docs/kbn_core_http_resources_server_internal.mdx +++ b/api_docs/kbn_core_http_resources_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-internal title: "@kbn/core-http-resources-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-internal'] --- import kbnCoreHttpResourcesServerInternalObj from './kbn_core_http_resources_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_mocks.mdx b/api_docs/kbn_core_http_resources_server_mocks.mdx index 07adb0bc05658..c4aacf74be81f 100644 --- a/api_docs/kbn_core_http_resources_server_mocks.mdx +++ b/api_docs/kbn_core_http_resources_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-mocks title: "@kbn/core-http-resources-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-mocks'] --- import kbnCoreHttpResourcesServerMocksObj from './kbn_core_http_resources_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_internal.mdx b/api_docs/kbn_core_http_router_server_internal.mdx index 575531fda0c9e..c01848a65fd5e 100644 --- a/api_docs/kbn_core_http_router_server_internal.mdx +++ b/api_docs/kbn_core_http_router_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-internal title: "@kbn/core-http-router-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-internal'] --- import kbnCoreHttpRouterServerInternalObj from './kbn_core_http_router_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_mocks.mdx b/api_docs/kbn_core_http_router_server_mocks.mdx index 3acbdf519af3e..f09e6865d9d74 100644 --- a/api_docs/kbn_core_http_router_server_mocks.mdx +++ b/api_docs/kbn_core_http_router_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-mocks title: "@kbn/core-http-router-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-mocks'] --- import kbnCoreHttpRouterServerMocksObj from './kbn_core_http_router_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server.mdx b/api_docs/kbn_core_http_server.mdx index c5bc83965b5ea..1a2ab07862ead 100644 --- a/api_docs/kbn_core_http_server.mdx +++ b/api_docs/kbn_core_http_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server title: "@kbn/core-http-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server'] --- import kbnCoreHttpServerObj from './kbn_core_http_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_internal.mdx b/api_docs/kbn_core_http_server_internal.mdx index 1482411ff0015..a5147f1b95812 100644 --- a/api_docs/kbn_core_http_server_internal.mdx +++ b/api_docs/kbn_core_http_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-internal title: "@kbn/core-http-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-internal'] --- import kbnCoreHttpServerInternalObj from './kbn_core_http_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_mocks.mdx b/api_docs/kbn_core_http_server_mocks.mdx index d91451a2e2afe..361e7db25feab 100644 --- a/api_docs/kbn_core_http_server_mocks.mdx +++ b/api_docs/kbn_core_http_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-mocks title: "@kbn/core-http-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-mocks'] --- import kbnCoreHttpServerMocksObj from './kbn_core_http_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser.mdx b/api_docs/kbn_core_i18n_browser.mdx index e578d532b9210..b21cb5c9e2f08 100644 --- a/api_docs/kbn_core_i18n_browser.mdx +++ b/api_docs/kbn_core_i18n_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser title: "@kbn/core-i18n-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser'] --- import kbnCoreI18nBrowserObj from './kbn_core_i18n_browser.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser_mocks.mdx b/api_docs/kbn_core_i18n_browser_mocks.mdx index 0ac98dd777ddb..9da660452bd81 100644 --- a/api_docs/kbn_core_i18n_browser_mocks.mdx +++ b/api_docs/kbn_core_i18n_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser-mocks title: "@kbn/core-i18n-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser-mocks'] --- import kbnCoreI18nBrowserMocksObj from './kbn_core_i18n_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server.mdx b/api_docs/kbn_core_i18n_server.mdx index 57af922992bf4..ced70d24a9346 100644 --- a/api_docs/kbn_core_i18n_server.mdx +++ b/api_docs/kbn_core_i18n_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server title: "@kbn/core-i18n-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server'] --- import kbnCoreI18nServerObj from './kbn_core_i18n_server.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_internal.mdx b/api_docs/kbn_core_i18n_server_internal.mdx index 8ddc518c69490..ddd06fd4bcf1c 100644 --- a/api_docs/kbn_core_i18n_server_internal.mdx +++ b/api_docs/kbn_core_i18n_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-internal title: "@kbn/core-i18n-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-internal'] --- import kbnCoreI18nServerInternalObj from './kbn_core_i18n_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_mocks.mdx b/api_docs/kbn_core_i18n_server_mocks.mdx index d65738f76f3f4..c59bb698964a5 100644 --- a/api_docs/kbn_core_i18n_server_mocks.mdx +++ b/api_docs/kbn_core_i18n_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-mocks title: "@kbn/core-i18n-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-mocks'] --- import kbnCoreI18nServerMocksObj from './kbn_core_i18n_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser.mdx b/api_docs/kbn_core_injected_metadata_browser.mdx index 0340c9ee29430..9b4ee2eb70d81 100644 --- a/api_docs/kbn_core_injected_metadata_browser.mdx +++ b/api_docs/kbn_core_injected_metadata_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser title: "@kbn/core-injected-metadata-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser'] --- import kbnCoreInjectedMetadataBrowserObj from './kbn_core_injected_metadata_browser.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx index 55d8700ae9f72..a4482ad62d273 100644 --- a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx +++ b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser-mocks title: "@kbn/core-injected-metadata-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser-mocks'] --- import kbnCoreInjectedMetadataBrowserMocksObj from './kbn_core_injected_metadata_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_internal.mdx b/api_docs/kbn_core_integrations_browser_internal.mdx index a1565f5e5162a..cf08c36d3d173 100644 --- a/api_docs/kbn_core_integrations_browser_internal.mdx +++ b/api_docs/kbn_core_integrations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-internal title: "@kbn/core-integrations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-internal'] --- import kbnCoreIntegrationsBrowserInternalObj from './kbn_core_integrations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_mocks.mdx b/api_docs/kbn_core_integrations_browser_mocks.mdx index 3ae93b70692e0..75e86fa7995f2 100644 --- a/api_docs/kbn_core_integrations_browser_mocks.mdx +++ b/api_docs/kbn_core_integrations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-mocks title: "@kbn/core-integrations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-mocks'] --- import kbnCoreIntegrationsBrowserMocksObj from './kbn_core_integrations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser.mdx b/api_docs/kbn_core_lifecycle_browser.mdx index 5c75946de3da7..f13958e26e624 100644 --- a/api_docs/kbn_core_lifecycle_browser.mdx +++ b/api_docs/kbn_core_lifecycle_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser title: "@kbn/core-lifecycle-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser'] --- import kbnCoreLifecycleBrowserObj from './kbn_core_lifecycle_browser.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser_mocks.mdx b/api_docs/kbn_core_lifecycle_browser_mocks.mdx index 8dcfb10f29357..2732030e57472 100644 --- a/api_docs/kbn_core_lifecycle_browser_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser-mocks title: "@kbn/core-lifecycle-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser-mocks'] --- import kbnCoreLifecycleBrowserMocksObj from './kbn_core_lifecycle_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server.mdx b/api_docs/kbn_core_lifecycle_server.mdx index fa234a40ab51b..4920be9df8a7d 100644 --- a/api_docs/kbn_core_lifecycle_server.mdx +++ b/api_docs/kbn_core_lifecycle_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server title: "@kbn/core-lifecycle-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server'] --- import kbnCoreLifecycleServerObj from './kbn_core_lifecycle_server.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server_mocks.mdx b/api_docs/kbn_core_lifecycle_server_mocks.mdx index 13a2682681369..bc84756640600 100644 --- a/api_docs/kbn_core_lifecycle_server_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server-mocks title: "@kbn/core-lifecycle-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server-mocks'] --- import kbnCoreLifecycleServerMocksObj from './kbn_core_lifecycle_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_browser_mocks.mdx b/api_docs/kbn_core_logging_browser_mocks.mdx index 4ab76438af13c..1f96ba27626aa 100644 --- a/api_docs/kbn_core_logging_browser_mocks.mdx +++ b/api_docs/kbn_core_logging_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-browser-mocks title: "@kbn/core-logging-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-browser-mocks'] --- import kbnCoreLoggingBrowserMocksObj from './kbn_core_logging_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_common_internal.mdx b/api_docs/kbn_core_logging_common_internal.mdx index 69af69f4a1a15..6f0756411ffe6 100644 --- a/api_docs/kbn_core_logging_common_internal.mdx +++ b/api_docs/kbn_core_logging_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-common-internal title: "@kbn/core-logging-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-common-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-common-internal'] --- import kbnCoreLoggingCommonInternalObj from './kbn_core_logging_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server.mdx b/api_docs/kbn_core_logging_server.mdx index 31a75afb81b32..e7d646c06210a 100644 --- a/api_docs/kbn_core_logging_server.mdx +++ b/api_docs/kbn_core_logging_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server title: "@kbn/core-logging-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server'] --- import kbnCoreLoggingServerObj from './kbn_core_logging_server.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_internal.mdx b/api_docs/kbn_core_logging_server_internal.mdx index a9848999f37cc..91b681a05c010 100644 --- a/api_docs/kbn_core_logging_server_internal.mdx +++ b/api_docs/kbn_core_logging_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-internal title: "@kbn/core-logging-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-internal'] --- import kbnCoreLoggingServerInternalObj from './kbn_core_logging_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_mocks.mdx b/api_docs/kbn_core_logging_server_mocks.mdx index 86fdc7860dd5b..6e663cca1932d 100644 --- a/api_docs/kbn_core_logging_server_mocks.mdx +++ b/api_docs/kbn_core_logging_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-mocks title: "@kbn/core-logging-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-mocks'] --- import kbnCoreLoggingServerMocksObj from './kbn_core_logging_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_internal.mdx b/api_docs/kbn_core_metrics_collectors_server_internal.mdx index df8888f2ec40f..fb84eefba74d2 100644 --- a/api_docs/kbn_core_metrics_collectors_server_internal.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-internal title: "@kbn/core-metrics-collectors-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-internal'] --- import kbnCoreMetricsCollectorsServerInternalObj from './kbn_core_metrics_collectors_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx index 330aac5b29a1c..badd6f7f41ad3 100644 --- a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-mocks title: "@kbn/core-metrics-collectors-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-mocks'] --- import kbnCoreMetricsCollectorsServerMocksObj from './kbn_core_metrics_collectors_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server.mdx b/api_docs/kbn_core_metrics_server.mdx index 1f0ccf658397d..ef6afefb7da21 100644 --- a/api_docs/kbn_core_metrics_server.mdx +++ b/api_docs/kbn_core_metrics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server title: "@kbn/core-metrics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server'] --- import kbnCoreMetricsServerObj from './kbn_core_metrics_server.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_internal.mdx b/api_docs/kbn_core_metrics_server_internal.mdx index a572cfe984405..bdc995680e24b 100644 --- a/api_docs/kbn_core_metrics_server_internal.mdx +++ b/api_docs/kbn_core_metrics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-internal title: "@kbn/core-metrics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-internal'] --- import kbnCoreMetricsServerInternalObj from './kbn_core_metrics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_mocks.mdx b/api_docs/kbn_core_metrics_server_mocks.mdx index 475c979c6ff0a..812fd554d1b8e 100644 --- a/api_docs/kbn_core_metrics_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-mocks title: "@kbn/core-metrics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-mocks'] --- import kbnCoreMetricsServerMocksObj from './kbn_core_metrics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_mount_utils_browser.mdx b/api_docs/kbn_core_mount_utils_browser.mdx index 637bf245f1d0f..17c93a6802d69 100644 --- a/api_docs/kbn_core_mount_utils_browser.mdx +++ b/api_docs/kbn_core_mount_utils_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-mount-utils-browser title: "@kbn/core-mount-utils-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-mount-utils-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-mount-utils-browser'] --- import kbnCoreMountUtilsBrowserObj from './kbn_core_mount_utils_browser.devdocs.json'; diff --git a/api_docs/kbn_core_node_server.mdx b/api_docs/kbn_core_node_server.mdx index 024ba2ac5b629..15adcd8c7fe16 100644 --- a/api_docs/kbn_core_node_server.mdx +++ b/api_docs/kbn_core_node_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server title: "@kbn/core-node-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server'] --- import kbnCoreNodeServerObj from './kbn_core_node_server.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_internal.mdx b/api_docs/kbn_core_node_server_internal.mdx index 670020c4b09e4..2b1c7d690864c 100644 --- a/api_docs/kbn_core_node_server_internal.mdx +++ b/api_docs/kbn_core_node_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-internal title: "@kbn/core-node-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-internal'] --- import kbnCoreNodeServerInternalObj from './kbn_core_node_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_mocks.mdx b/api_docs/kbn_core_node_server_mocks.mdx index bdbeb9c6db3dd..809aa0d01d237 100644 --- a/api_docs/kbn_core_node_server_mocks.mdx +++ b/api_docs/kbn_core_node_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-mocks title: "@kbn/core-node-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-mocks'] --- import kbnCoreNodeServerMocksObj from './kbn_core_node_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser.mdx b/api_docs/kbn_core_notifications_browser.mdx index 8e761daec6dfd..e8c97ed743ffc 100644 --- a/api_docs/kbn_core_notifications_browser.mdx +++ b/api_docs/kbn_core_notifications_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser title: "@kbn/core-notifications-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser'] --- import kbnCoreNotificationsBrowserObj from './kbn_core_notifications_browser.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_internal.mdx b/api_docs/kbn_core_notifications_browser_internal.mdx index bea5e0bcaac4d..09300f3d5bf3f 100644 --- a/api_docs/kbn_core_notifications_browser_internal.mdx +++ b/api_docs/kbn_core_notifications_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-internal title: "@kbn/core-notifications-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-internal'] --- import kbnCoreNotificationsBrowserInternalObj from './kbn_core_notifications_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_mocks.mdx b/api_docs/kbn_core_notifications_browser_mocks.mdx index 542a0ebfec2fa..54010d4da3e15 100644 --- a/api_docs/kbn_core_notifications_browser_mocks.mdx +++ b/api_docs/kbn_core_notifications_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-mocks title: "@kbn/core-notifications-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-mocks'] --- import kbnCoreNotificationsBrowserMocksObj from './kbn_core_notifications_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser.mdx b/api_docs/kbn_core_overlays_browser.mdx index 63c360c10b066..517bdbef90c72 100644 --- a/api_docs/kbn_core_overlays_browser.mdx +++ b/api_docs/kbn_core_overlays_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser title: "@kbn/core-overlays-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser'] --- import kbnCoreOverlaysBrowserObj from './kbn_core_overlays_browser.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_internal.mdx b/api_docs/kbn_core_overlays_browser_internal.mdx index 1dc16c806f004..cd5eba0da5ac2 100644 --- a/api_docs/kbn_core_overlays_browser_internal.mdx +++ b/api_docs/kbn_core_overlays_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-internal title: "@kbn/core-overlays-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-internal'] --- import kbnCoreOverlaysBrowserInternalObj from './kbn_core_overlays_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_mocks.mdx b/api_docs/kbn_core_overlays_browser_mocks.mdx index 2e58fd997cbd2..514db4f01ef6d 100644 --- a/api_docs/kbn_core_overlays_browser_mocks.mdx +++ b/api_docs/kbn_core_overlays_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-mocks title: "@kbn/core-overlays-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-mocks'] --- import kbnCoreOverlaysBrowserMocksObj from './kbn_core_overlays_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser.mdx b/api_docs/kbn_core_plugins_browser.mdx index 52602c8ba250d..6bfc35d637afe 100644 --- a/api_docs/kbn_core_plugins_browser.mdx +++ b/api_docs/kbn_core_plugins_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser title: "@kbn/core-plugins-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser'] --- import kbnCorePluginsBrowserObj from './kbn_core_plugins_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser_mocks.mdx b/api_docs/kbn_core_plugins_browser_mocks.mdx index 64349e2cc9c36..c94fce499d0bf 100644 --- a/api_docs/kbn_core_plugins_browser_mocks.mdx +++ b/api_docs/kbn_core_plugins_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser-mocks title: "@kbn/core-plugins-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser-mocks'] --- import kbnCorePluginsBrowserMocksObj from './kbn_core_plugins_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server.mdx b/api_docs/kbn_core_plugins_server.mdx index 560566f492b48..a010ae53ecc99 100644 --- a/api_docs/kbn_core_plugins_server.mdx +++ b/api_docs/kbn_core_plugins_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server title: "@kbn/core-plugins-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server'] --- import kbnCorePluginsServerObj from './kbn_core_plugins_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server_mocks.mdx b/api_docs/kbn_core_plugins_server_mocks.mdx index 253f1a5072b9e..7f68ec21d9ab2 100644 --- a/api_docs/kbn_core_plugins_server_mocks.mdx +++ b/api_docs/kbn_core_plugins_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server-mocks title: "@kbn/core-plugins-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server-mocks'] --- import kbnCorePluginsServerMocksObj from './kbn_core_plugins_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server.mdx b/api_docs/kbn_core_preboot_server.mdx index 984d25b84d9ab..77d2b084f0bab 100644 --- a/api_docs/kbn_core_preboot_server.mdx +++ b/api_docs/kbn_core_preboot_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server title: "@kbn/core-preboot-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server'] --- import kbnCorePrebootServerObj from './kbn_core_preboot_server.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server_mocks.mdx b/api_docs/kbn_core_preboot_server_mocks.mdx index f1aaf0965d6c3..1cb01dd3982c7 100644 --- a/api_docs/kbn_core_preboot_server_mocks.mdx +++ b/api_docs/kbn_core_preboot_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server-mocks title: "@kbn/core-preboot-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server-mocks'] --- import kbnCorePrebootServerMocksObj from './kbn_core_preboot_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser_mocks.mdx b/api_docs/kbn_core_rendering_browser_mocks.mdx index 3f144775fcf63..3a4faa8fc169c 100644 --- a/api_docs/kbn_core_rendering_browser_mocks.mdx +++ b/api_docs/kbn_core_rendering_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser-mocks title: "@kbn/core-rendering-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser-mocks'] --- import kbnCoreRenderingBrowserMocksObj from './kbn_core_rendering_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_internal.mdx b/api_docs/kbn_core_rendering_server_internal.mdx index 6b629f849b903..d9926bbe4a74b 100644 --- a/api_docs/kbn_core_rendering_server_internal.mdx +++ b/api_docs/kbn_core_rendering_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-internal title: "@kbn/core-rendering-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-internal'] --- import kbnCoreRenderingServerInternalObj from './kbn_core_rendering_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_mocks.mdx b/api_docs/kbn_core_rendering_server_mocks.mdx index dfc0405d8d7e6..91a73f8264861 100644 --- a/api_docs/kbn_core_rendering_server_mocks.mdx +++ b/api_docs/kbn_core_rendering_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-mocks title: "@kbn/core-rendering-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-mocks'] --- import kbnCoreRenderingServerMocksObj from './kbn_core_rendering_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_root_server_internal.mdx b/api_docs/kbn_core_root_server_internal.mdx index 5b03a5920b6bb..7a1f7ab2d9509 100644 --- a/api_docs/kbn_core_root_server_internal.mdx +++ b/api_docs/kbn_core_root_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-root-server-internal title: "@kbn/core-root-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-root-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-root-server-internal'] --- import kbnCoreRootServerInternalObj from './kbn_core_root_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_browser.mdx b/api_docs/kbn_core_saved_objects_api_browser.mdx index c61be2aea5a3f..3ec85277ae0b6 100644 --- a/api_docs/kbn_core_saved_objects_api_browser.mdx +++ b/api_docs/kbn_core_saved_objects_api_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-browser title: "@kbn/core-saved-objects-api-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-browser'] --- import kbnCoreSavedObjectsApiBrowserObj from './kbn_core_saved_objects_api_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server.mdx b/api_docs/kbn_core_saved_objects_api_server.mdx index 645cfeb2c3966..e82f0a47596a4 100644 --- a/api_docs/kbn_core_saved_objects_api_server.mdx +++ b/api_docs/kbn_core_saved_objects_api_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server title: "@kbn/core-saved-objects-api-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server'] --- import kbnCoreSavedObjectsApiServerObj from './kbn_core_saved_objects_api_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_internal.mdx b/api_docs/kbn_core_saved_objects_api_server_internal.mdx index 3533a8b5b3bdd..cebfb23ab5656 100644 --- a/api_docs/kbn_core_saved_objects_api_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-internal title: "@kbn/core-saved-objects-api-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-internal'] --- import kbnCoreSavedObjectsApiServerInternalObj from './kbn_core_saved_objects_api_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx index a7888e06d68d7..26b982a515538 100644 --- a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-mocks title: "@kbn/core-saved-objects-api-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-mocks'] --- import kbnCoreSavedObjectsApiServerMocksObj from './kbn_core_saved_objects_api_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_internal.mdx b/api_docs/kbn_core_saved_objects_base_server_internal.mdx index ee41c8bbec932..e9323f69c3839 100644 --- a/api_docs/kbn_core_saved_objects_base_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-internal title: "@kbn/core-saved-objects-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-internal'] --- import kbnCoreSavedObjectsBaseServerInternalObj from './kbn_core_saved_objects_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx index 0db371f7ef036..a64ea466595de 100644 --- a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-mocks title: "@kbn/core-saved-objects-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-mocks'] --- import kbnCoreSavedObjectsBaseServerMocksObj from './kbn_core_saved_objects_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser.mdx b/api_docs/kbn_core_saved_objects_browser.mdx index 9728d7cad8817..dbc488dd6b3a3 100644 --- a/api_docs/kbn_core_saved_objects_browser.mdx +++ b/api_docs/kbn_core_saved_objects_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser title: "@kbn/core-saved-objects-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser'] --- import kbnCoreSavedObjectsBrowserObj from './kbn_core_saved_objects_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_internal.mdx b/api_docs/kbn_core_saved_objects_browser_internal.mdx index f38b262b753ba..4516ba07cc0fc 100644 --- a/api_docs/kbn_core_saved_objects_browser_internal.mdx +++ b/api_docs/kbn_core_saved_objects_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-internal title: "@kbn/core-saved-objects-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-internal'] --- import kbnCoreSavedObjectsBrowserInternalObj from './kbn_core_saved_objects_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_mocks.mdx b/api_docs/kbn_core_saved_objects_browser_mocks.mdx index ceb6a21bf2233..865d5c7c4570c 100644 --- a/api_docs/kbn_core_saved_objects_browser_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-mocks title: "@kbn/core-saved-objects-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-mocks'] --- import kbnCoreSavedObjectsBrowserMocksObj from './kbn_core_saved_objects_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_common.mdx b/api_docs/kbn_core_saved_objects_common.mdx index e84b7282d216d..dd160fbcc9ca6 100644 --- a/api_docs/kbn_core_saved_objects_common.mdx +++ b/api_docs/kbn_core_saved_objects_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-common title: "@kbn/core-saved-objects-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-common'] --- import kbnCoreSavedObjectsCommonObj from './kbn_core_saved_objects_common.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx index e9ff4c935c3be..18fced8483a3f 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-internal title: "@kbn/core-saved-objects-import-export-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-internal'] --- import kbnCoreSavedObjectsImportExportServerInternalObj from './kbn_core_saved_objects_import_export_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx index 0e1a66b67415e..c07ce3cc77b52 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-mocks title: "@kbn/core-saved-objects-import-export-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-mocks'] --- import kbnCoreSavedObjectsImportExportServerMocksObj from './kbn_core_saved_objects_import_export_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx index 9ab556cabc157..fd0313a1b43bf 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-internal title: "@kbn/core-saved-objects-migration-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-internal'] --- import kbnCoreSavedObjectsMigrationServerInternalObj from './kbn_core_saved_objects_migration_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx index 13dc1aa6d3e14..9234fe73c9c90 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-mocks title: "@kbn/core-saved-objects-migration-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-mocks'] --- import kbnCoreSavedObjectsMigrationServerMocksObj from './kbn_core_saved_objects_migration_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server.mdx b/api_docs/kbn_core_saved_objects_server.mdx index caf0825031761..2e8eef5f7d2b2 100644 --- a/api_docs/kbn_core_saved_objects_server.mdx +++ b/api_docs/kbn_core_saved_objects_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server title: "@kbn/core-saved-objects-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server'] --- import kbnCoreSavedObjectsServerObj from './kbn_core_saved_objects_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_internal.mdx b/api_docs/kbn_core_saved_objects_server_internal.mdx index aa99d97538efa..a60fa31654425 100644 --- a/api_docs/kbn_core_saved_objects_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-internal title: "@kbn/core-saved-objects-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-internal'] --- import kbnCoreSavedObjectsServerInternalObj from './kbn_core_saved_objects_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_mocks.mdx b/api_docs/kbn_core_saved_objects_server_mocks.mdx index 3dc2fedc9e3bc..089ed21a39ac0 100644 --- a/api_docs/kbn_core_saved_objects_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-mocks title: "@kbn/core-saved-objects-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-mocks'] --- import kbnCoreSavedObjectsServerMocksObj from './kbn_core_saved_objects_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_utils_server.mdx b/api_docs/kbn_core_saved_objects_utils_server.mdx index 762594e1c8a14..770b8f424e299 100644 --- a/api_docs/kbn_core_saved_objects_utils_server.mdx +++ b/api_docs/kbn_core_saved_objects_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-utils-server title: "@kbn/core-saved-objects-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-utils-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-utils-server'] --- import kbnCoreSavedObjectsUtilsServerObj from './kbn_core_saved_objects_utils_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_common.mdx b/api_docs/kbn_core_status_common.mdx index 5043bcfbf60e3..a297b17f0b237 100644 --- a/api_docs/kbn_core_status_common.mdx +++ b/api_docs/kbn_core_status_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common title: "@kbn/core-status-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common'] --- import kbnCoreStatusCommonObj from './kbn_core_status_common.devdocs.json'; diff --git a/api_docs/kbn_core_status_common_internal.mdx b/api_docs/kbn_core_status_common_internal.mdx index 21933ee5219f4..cb31ce37fe9b1 100644 --- a/api_docs/kbn_core_status_common_internal.mdx +++ b/api_docs/kbn_core_status_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common-internal title: "@kbn/core-status-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common-internal'] --- import kbnCoreStatusCommonInternalObj from './kbn_core_status_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server.mdx b/api_docs/kbn_core_status_server.mdx index 49ae687c59bb5..fc974e1646127 100644 --- a/api_docs/kbn_core_status_server.mdx +++ b/api_docs/kbn_core_status_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server title: "@kbn/core-status-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server'] --- import kbnCoreStatusServerObj from './kbn_core_status_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_internal.mdx b/api_docs/kbn_core_status_server_internal.mdx index 986ae39792128..2f875afe1829b 100644 --- a/api_docs/kbn_core_status_server_internal.mdx +++ b/api_docs/kbn_core_status_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-internal title: "@kbn/core-status-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-internal'] --- import kbnCoreStatusServerInternalObj from './kbn_core_status_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_mocks.mdx b/api_docs/kbn_core_status_server_mocks.mdx index c03a584209b5a..5d68fad7b9564 100644 --- a/api_docs/kbn_core_status_server_mocks.mdx +++ b/api_docs/kbn_core_status_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-mocks title: "@kbn/core-status-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-mocks'] --- import kbnCoreStatusServerMocksObj from './kbn_core_status_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx index d3e3d38afa5e6..0b7df3d92dadf 100644 --- a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx +++ b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-deprecations-getters title: "@kbn/core-test-helpers-deprecations-getters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-deprecations-getters plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-deprecations-getters'] --- import kbnCoreTestHelpersDeprecationsGettersObj from './kbn_core_test_helpers_deprecations_getters.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx index d41d55e977204..367afe94201e4 100644 --- a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx +++ b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-http-setup-browser title: "@kbn/core-test-helpers-http-setup-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-http-setup-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-http-setup-browser'] --- import kbnCoreTestHelpersHttpSetupBrowserObj from './kbn_core_test_helpers_http_setup_browser.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_kbn_server.mdx b/api_docs/kbn_core_test_helpers_kbn_server.mdx index a01a4c37afc06..d7e3d177aa8f8 100644 --- a/api_docs/kbn_core_test_helpers_kbn_server.mdx +++ b/api_docs/kbn_core_test_helpers_kbn_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-kbn-server title: "@kbn/core-test-helpers-kbn-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-kbn-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-kbn-server'] --- import kbnCoreTestHelpersKbnServerObj from './kbn_core_test_helpers_kbn_server.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx index 543aff58ea69d..d6f7b9aa1587a 100644 --- a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx +++ b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-so-type-serializer title: "@kbn/core-test-helpers-so-type-serializer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-so-type-serializer plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-so-type-serializer'] --- import kbnCoreTestHelpersSoTypeSerializerObj from './kbn_core_test_helpers_so_type_serializer.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_test_utils.mdx b/api_docs/kbn_core_test_helpers_test_utils.mdx index 96cfecd4c5d79..eb5338d5ec841 100644 --- a/api_docs/kbn_core_test_helpers_test_utils.mdx +++ b/api_docs/kbn_core_test_helpers_test_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-test-utils title: "@kbn/core-test-helpers-test-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-test-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-test-utils'] --- import kbnCoreTestHelpersTestUtilsObj from './kbn_core_test_helpers_test_utils.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser.mdx b/api_docs/kbn_core_theme_browser.mdx index 2729c4e60ea41..0f3defb61c914 100644 --- a/api_docs/kbn_core_theme_browser.mdx +++ b/api_docs/kbn_core_theme_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser title: "@kbn/core-theme-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser'] --- import kbnCoreThemeBrowserObj from './kbn_core_theme_browser.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_internal.mdx b/api_docs/kbn_core_theme_browser_internal.mdx index 0768d4fb02a83..fa951706f127d 100644 --- a/api_docs/kbn_core_theme_browser_internal.mdx +++ b/api_docs/kbn_core_theme_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-internal title: "@kbn/core-theme-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-internal'] --- import kbnCoreThemeBrowserInternalObj from './kbn_core_theme_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_mocks.mdx b/api_docs/kbn_core_theme_browser_mocks.mdx index b13bd572156a0..e267c344e9c1d 100644 --- a/api_docs/kbn_core_theme_browser_mocks.mdx +++ b/api_docs/kbn_core_theme_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-mocks title: "@kbn/core-theme-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-mocks'] --- import kbnCoreThemeBrowserMocksObj from './kbn_core_theme_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser.mdx b/api_docs/kbn_core_ui_settings_browser.mdx index 2b0067aa31201..fa55fec6d9904 100644 --- a/api_docs/kbn_core_ui_settings_browser.mdx +++ b/api_docs/kbn_core_ui_settings_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser title: "@kbn/core-ui-settings-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser'] --- import kbnCoreUiSettingsBrowserObj from './kbn_core_ui_settings_browser.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_internal.mdx b/api_docs/kbn_core_ui_settings_browser_internal.mdx index 99b5c5a086abf..fbe744befa363 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.mdx +++ b/api_docs/kbn_core_ui_settings_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-internal title: "@kbn/core-ui-settings-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-internal'] --- import kbnCoreUiSettingsBrowserInternalObj from './kbn_core_ui_settings_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_mocks.mdx b/api_docs/kbn_core_ui_settings_browser_mocks.mdx index cd99e49b93111..3e8f324dc9a12 100644 --- a/api_docs/kbn_core_ui_settings_browser_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-mocks title: "@kbn/core-ui-settings-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-mocks'] --- import kbnCoreUiSettingsBrowserMocksObj from './kbn_core_ui_settings_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_common.mdx b/api_docs/kbn_core_ui_settings_common.mdx index 90a7d0f564c7b..8894e045a443f 100644 --- a/api_docs/kbn_core_ui_settings_common.mdx +++ b/api_docs/kbn_core_ui_settings_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-common title: "@kbn/core-ui-settings-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-common plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-common'] --- import kbnCoreUiSettingsCommonObj from './kbn_core_ui_settings_common.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server.mdx b/api_docs/kbn_core_ui_settings_server.mdx index 3ecb9712bd130..c7020036bbabc 100644 --- a/api_docs/kbn_core_ui_settings_server.mdx +++ b/api_docs/kbn_core_ui_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server title: "@kbn/core-ui-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server'] --- import kbnCoreUiSettingsServerObj from './kbn_core_ui_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_internal.mdx b/api_docs/kbn_core_ui_settings_server_internal.mdx index 33e8086c599fb..4f78896ce53a5 100644 --- a/api_docs/kbn_core_ui_settings_server_internal.mdx +++ b/api_docs/kbn_core_ui_settings_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-internal title: "@kbn/core-ui-settings-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-internal'] --- import kbnCoreUiSettingsServerInternalObj from './kbn_core_ui_settings_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_mocks.mdx b/api_docs/kbn_core_ui_settings_server_mocks.mdx index 231b699083494..0f71221513937 100644 --- a/api_docs/kbn_core_ui_settings_server_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-mocks title: "@kbn/core-ui-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-mocks'] --- import kbnCoreUiSettingsServerMocksObj from './kbn_core_ui_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server.mdx b/api_docs/kbn_core_usage_data_server.mdx index d8b089a2b085c..64c67c15c55ec 100644 --- a/api_docs/kbn_core_usage_data_server.mdx +++ b/api_docs/kbn_core_usage_data_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server title: "@kbn/core-usage-data-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server'] --- import kbnCoreUsageDataServerObj from './kbn_core_usage_data_server.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_internal.mdx b/api_docs/kbn_core_usage_data_server_internal.mdx index e46a5435d30ca..63fab869107e9 100644 --- a/api_docs/kbn_core_usage_data_server_internal.mdx +++ b/api_docs/kbn_core_usage_data_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-internal title: "@kbn/core-usage-data-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-internal plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-internal'] --- import kbnCoreUsageDataServerInternalObj from './kbn_core_usage_data_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_mocks.mdx b/api_docs/kbn_core_usage_data_server_mocks.mdx index 78591c606d052..458c1e18361c2 100644 --- a/api_docs/kbn_core_usage_data_server_mocks.mdx +++ b/api_docs/kbn_core_usage_data_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-mocks title: "@kbn/core-usage-data-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-mocks'] --- import kbnCoreUsageDataServerMocksObj from './kbn_core_usage_data_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index 30fd0083ee1cd..1f5846f17aa65 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto title: "@kbn/crypto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto'] --- import kbnCryptoObj from './kbn_crypto.devdocs.json'; diff --git a/api_docs/kbn_crypto_browser.mdx b/api_docs/kbn_crypto_browser.mdx index 8ec6dcd5549a5..77004c6860953 100644 --- a/api_docs/kbn_crypto_browser.mdx +++ b/api_docs/kbn_crypto_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto-browser title: "@kbn/crypto-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto-browser plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto-browser'] --- import kbnCryptoBrowserObj from './kbn_crypto_browser.devdocs.json'; diff --git a/api_docs/kbn_datemath.mdx b/api_docs/kbn_datemath.mdx index e0bd616a4a8e1..b7338707d6029 100644 --- a/api_docs/kbn_datemath.mdx +++ b/api_docs/kbn_datemath.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-datemath title: "@kbn/datemath" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/datemath plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/datemath'] --- import kbnDatemathObj from './kbn_datemath.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_errors.mdx b/api_docs/kbn_dev_cli_errors.mdx index 563a44af5013d..e450ee5e9a267 100644 --- a/api_docs/kbn_dev_cli_errors.mdx +++ b/api_docs/kbn_dev_cli_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-errors title: "@kbn/dev-cli-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-errors plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-errors'] --- import kbnDevCliErrorsObj from './kbn_dev_cli_errors.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_runner.mdx b/api_docs/kbn_dev_cli_runner.mdx index 9371c89078fad..85354f5ccdd54 100644 --- a/api_docs/kbn_dev_cli_runner.mdx +++ b/api_docs/kbn_dev_cli_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-runner title: "@kbn/dev-cli-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-runner plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-runner'] --- import kbnDevCliRunnerObj from './kbn_dev_cli_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_proc_runner.mdx b/api_docs/kbn_dev_proc_runner.mdx index 9fbe4bd2ca32b..144c52eabc46e 100644 --- a/api_docs/kbn_dev_proc_runner.mdx +++ b/api_docs/kbn_dev_proc_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-proc-runner title: "@kbn/dev-proc-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-proc-runner plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-proc-runner'] --- import kbnDevProcRunnerObj from './kbn_dev_proc_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index 10f96f3cd886a..cc374a7d70b5d 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-utils title: "@kbn/dev-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-utils'] --- import kbnDevUtilsObj from './kbn_dev_utils.devdocs.json'; diff --git a/api_docs/kbn_doc_links.mdx b/api_docs/kbn_doc_links.mdx index 3a27f57dac378..32b21abcbe60f 100644 --- a/api_docs/kbn_doc_links.mdx +++ b/api_docs/kbn_doc_links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-doc-links title: "@kbn/doc-links" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/doc-links plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/doc-links'] --- import kbnDocLinksObj from './kbn_doc_links.devdocs.json'; diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index 28233cba67685..f8ab73dee031e 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-docs-utils title: "@kbn/docs-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/docs-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/docs-utils'] --- import kbnDocsUtilsObj from './kbn_docs_utils.devdocs.json'; diff --git a/api_docs/kbn_ebt_tools.mdx b/api_docs/kbn_ebt_tools.mdx index 1087e484381aa..6c1b59247cb96 100644 --- a/api_docs/kbn_ebt_tools.mdx +++ b/api_docs/kbn_ebt_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ebt-tools title: "@kbn/ebt-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ebt-tools plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ebt-tools'] --- import kbnEbtToolsObj from './kbn_ebt_tools.devdocs.json'; diff --git a/api_docs/kbn_es.mdx b/api_docs/kbn_es.mdx index de9246675026d..4d5265e86f9a1 100644 --- a/api_docs/kbn_es.mdx +++ b/api_docs/kbn_es.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es title: "@kbn/es" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es'] --- import kbnEsObj from './kbn_es.devdocs.json'; diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index cd49a9a6d9704..a93e421e8a8de 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-archiver title: "@kbn/es-archiver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-archiver plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-archiver'] --- import kbnEsArchiverObj from './kbn_es_archiver.devdocs.json'; diff --git a/api_docs/kbn_es_errors.mdx b/api_docs/kbn_es_errors.mdx index 5bc61622cb7f2..ca9e34108c929 100644 --- a/api_docs/kbn_es_errors.mdx +++ b/api_docs/kbn_es_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-errors title: "@kbn/es-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-errors plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-errors'] --- import kbnEsErrorsObj from './kbn_es_errors.devdocs.json'; diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index 2cd5b013aa8b8..3f0564c989eab 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-query title: "@kbn/es-query" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-query plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-query'] --- import kbnEsQueryObj from './kbn_es_query.devdocs.json'; diff --git a/api_docs/kbn_es_types.mdx b/api_docs/kbn_es_types.mdx index d8ada30c6dd7b..c5c85af019ee0 100644 --- a/api_docs/kbn_es_types.mdx +++ b/api_docs/kbn_es_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-types title: "@kbn/es-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-types plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-types'] --- import kbnEsTypesObj from './kbn_es_types.devdocs.json'; diff --git a/api_docs/kbn_eslint_plugin_imports.mdx b/api_docs/kbn_eslint_plugin_imports.mdx index 6e15b398cab42..7979344a16cf3 100644 --- a/api_docs/kbn_eslint_plugin_imports.mdx +++ b/api_docs/kbn_eslint_plugin_imports.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-eslint-plugin-imports title: "@kbn/eslint-plugin-imports" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/eslint-plugin-imports plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/eslint-plugin-imports'] --- import kbnEslintPluginImportsObj from './kbn_eslint_plugin_imports.devdocs.json'; diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index c5a3f8ea148f3..f8cf5860c925c 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-types title: "@kbn/field-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-types plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-types'] --- import kbnFieldTypesObj from './kbn_field_types.devdocs.json'; diff --git a/api_docs/kbn_find_used_node_modules.mdx b/api_docs/kbn_find_used_node_modules.mdx index 25133271d8eb8..6daffdb169318 100644 --- a/api_docs/kbn_find_used_node_modules.mdx +++ b/api_docs/kbn_find_used_node_modules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-find-used-node-modules title: "@kbn/find-used-node-modules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/find-used-node-modules plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/find-used-node-modules'] --- import kbnFindUsedNodeModulesObj from './kbn_find_used_node_modules.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_services.mdx b/api_docs/kbn_ftr_common_functional_services.mdx index e0318b6c362e8..b4f158e60f026 100644 --- a/api_docs/kbn_ftr_common_functional_services.mdx +++ b/api_docs/kbn_ftr_common_functional_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-services title: "@kbn/ftr-common-functional-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-services plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-services'] --- import kbnFtrCommonFunctionalServicesObj from './kbn_ftr_common_functional_services.devdocs.json'; diff --git a/api_docs/kbn_generate.mdx b/api_docs/kbn_generate.mdx index 6085ab9c8f857..33520b0c7652a 100644 --- a/api_docs/kbn_generate.mdx +++ b/api_docs/kbn_generate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate title: "@kbn/generate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate'] --- import kbnGenerateObj from './kbn_generate.devdocs.json'; diff --git a/api_docs/kbn_get_repo_files.mdx b/api_docs/kbn_get_repo_files.mdx index 844eb458b997b..1d6546b63cca6 100644 --- a/api_docs/kbn_get_repo_files.mdx +++ b/api_docs/kbn_get_repo_files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-get-repo-files title: "@kbn/get-repo-files" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/get-repo-files plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/get-repo-files'] --- import kbnGetRepoFilesObj from './kbn_get_repo_files.devdocs.json'; diff --git a/api_docs/kbn_guided_onboarding.mdx b/api_docs/kbn_guided_onboarding.mdx index c8a7fa4804144..6df66874c8050 100644 --- a/api_docs/kbn_guided_onboarding.mdx +++ b/api_docs/kbn_guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-guided-onboarding title: "@kbn/guided-onboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/guided-onboarding plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/guided-onboarding'] --- import kbnGuidedOnboardingObj from './kbn_guided_onboarding.devdocs.json'; diff --git a/api_docs/kbn_handlebars.mdx b/api_docs/kbn_handlebars.mdx index 794e439f29779..9c3fc9141163d 100644 --- a/api_docs/kbn_handlebars.mdx +++ b/api_docs/kbn_handlebars.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-handlebars title: "@kbn/handlebars" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/handlebars plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/handlebars'] --- import kbnHandlebarsObj from './kbn_handlebars.devdocs.json'; diff --git a/api_docs/kbn_hapi_mocks.mdx b/api_docs/kbn_hapi_mocks.mdx index 7a4aebb9deebb..9d8217d309773 100644 --- a/api_docs/kbn_hapi_mocks.mdx +++ b/api_docs/kbn_hapi_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-hapi-mocks title: "@kbn/hapi-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/hapi-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/hapi-mocks'] --- import kbnHapiMocksObj from './kbn_hapi_mocks.devdocs.json'; diff --git a/api_docs/kbn_health_gateway_server.mdx b/api_docs/kbn_health_gateway_server.mdx index a1b590c474ab8..c3485c7ac1086 100644 --- a/api_docs/kbn_health_gateway_server.mdx +++ b/api_docs/kbn_health_gateway_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-health-gateway-server title: "@kbn/health-gateway-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/health-gateway-server plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/health-gateway-server'] --- import kbnHealthGatewayServerObj from './kbn_health_gateway_server.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_card.mdx b/api_docs/kbn_home_sample_data_card.mdx index 5725908111ae2..5d44acf8b54a9 100644 --- a/api_docs/kbn_home_sample_data_card.mdx +++ b/api_docs/kbn_home_sample_data_card.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-card title: "@kbn/home-sample-data-card" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-card plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-card'] --- import kbnHomeSampleDataCardObj from './kbn_home_sample_data_card.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_tab.mdx b/api_docs/kbn_home_sample_data_tab.mdx index 19ff00439de6f..a36c31f8cd477 100644 --- a/api_docs/kbn_home_sample_data_tab.mdx +++ b/api_docs/kbn_home_sample_data_tab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-tab title: "@kbn/home-sample-data-tab" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-tab plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-tab'] --- import kbnHomeSampleDataTabObj from './kbn_home_sample_data_tab.devdocs.json'; diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index 4b5a7ac9e5fae..02aff94595485 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n title: "@kbn/i18n" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n'] --- import kbnI18nObj from './kbn_i18n.devdocs.json'; diff --git a/api_docs/kbn_i18n_react.mdx b/api_docs/kbn_i18n_react.mdx index accec8424f17d..2a6ea7432ea23 100644 --- a/api_docs/kbn_i18n_react.mdx +++ b/api_docs/kbn_i18n_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n-react title: "@kbn/i18n-react" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n-react plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n-react'] --- import kbnI18nReactObj from './kbn_i18n_react.devdocs.json'; diff --git a/api_docs/kbn_import_resolver.mdx b/api_docs/kbn_import_resolver.mdx index 4cda7e9373391..cd653e7dca70f 100644 --- a/api_docs/kbn_import_resolver.mdx +++ b/api_docs/kbn_import_resolver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-import-resolver title: "@kbn/import-resolver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/import-resolver plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/import-resolver'] --- import kbnImportResolverObj from './kbn_import_resolver.devdocs.json'; diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx index 142efc3ad007b..72b94b75f59a9 100644 --- a/api_docs/kbn_interpreter.mdx +++ b/api_docs/kbn_interpreter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-interpreter title: "@kbn/interpreter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/interpreter plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] --- import kbnInterpreterObj from './kbn_interpreter.devdocs.json'; diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index 56e5f7819d92a..756639c861f9e 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-io-ts-utils title: "@kbn/io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/io-ts-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/io-ts-utils'] --- import kbnIoTsUtilsObj from './kbn_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_jest_serializers.mdx b/api_docs/kbn_jest_serializers.mdx index 21f17e395faa5..1aa4f275893f1 100644 --- a/api_docs/kbn_jest_serializers.mdx +++ b/api_docs/kbn_jest_serializers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-jest-serializers title: "@kbn/jest-serializers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/jest-serializers plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/jest-serializers'] --- import kbnJestSerializersObj from './kbn_jest_serializers.devdocs.json'; diff --git a/api_docs/kbn_journeys.mdx b/api_docs/kbn_journeys.mdx index 6994e666c6a02..755ac2d0fcdfe 100644 --- a/api_docs/kbn_journeys.mdx +++ b/api_docs/kbn_journeys.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-journeys title: "@kbn/journeys" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/journeys plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/journeys'] --- import kbnJourneysObj from './kbn_journeys.devdocs.json'; diff --git a/api_docs/kbn_kibana_manifest_schema.mdx b/api_docs/kbn_kibana_manifest_schema.mdx index 350d691123892..8e33e063b2179 100644 --- a/api_docs/kbn_kibana_manifest_schema.mdx +++ b/api_docs/kbn_kibana_manifest_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-kibana-manifest-schema title: "@kbn/kibana-manifest-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/kibana-manifest-schema plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/kibana-manifest-schema'] --- import kbnKibanaManifestSchemaObj from './kbn_kibana_manifest_schema.devdocs.json'; diff --git a/api_docs/kbn_language_documentation_popover.mdx b/api_docs/kbn_language_documentation_popover.mdx index e8931d8d9daf6..3567c295cc387 100644 --- a/api_docs/kbn_language_documentation_popover.mdx +++ b/api_docs/kbn_language_documentation_popover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-language-documentation-popover title: "@kbn/language-documentation-popover" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/language-documentation-popover plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/language-documentation-popover'] --- import kbnLanguageDocumentationPopoverObj from './kbn_language_documentation_popover.devdocs.json'; diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index d89bfcf5bd7d1..e9fefe444697e 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging title: "@kbn/logging" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging'] --- import kbnLoggingObj from './kbn_logging.devdocs.json'; diff --git a/api_docs/kbn_logging_mocks.mdx b/api_docs/kbn_logging_mocks.mdx index f8a3acc5c4987..0bb149497a679 100644 --- a/api_docs/kbn_logging_mocks.mdx +++ b/api_docs/kbn_logging_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging-mocks title: "@kbn/logging-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging-mocks'] --- import kbnLoggingMocksObj from './kbn_logging_mocks.devdocs.json'; diff --git a/api_docs/kbn_managed_vscode_config.mdx b/api_docs/kbn_managed_vscode_config.mdx index afb8c746ddc37..1065763ad16cc 100644 --- a/api_docs/kbn_managed_vscode_config.mdx +++ b/api_docs/kbn_managed_vscode_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-vscode-config title: "@kbn/managed-vscode-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-vscode-config plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-vscode-config'] --- import kbnManagedVscodeConfigObj from './kbn_managed_vscode_config.devdocs.json'; diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index 3cb83ad7ee424..d394aa1e199af 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mapbox-gl title: "@kbn/mapbox-gl" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mapbox-gl plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mapbox-gl'] --- import kbnMapboxGlObj from './kbn_mapbox_gl.devdocs.json'; diff --git a/api_docs/kbn_ml_agg_utils.mdx b/api_docs/kbn_ml_agg_utils.mdx index 717cbe42039e1..e8b966f0b7270 100644 --- a/api_docs/kbn_ml_agg_utils.mdx +++ b/api_docs/kbn_ml_agg_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-agg-utils title: "@kbn/ml-agg-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-agg-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-agg-utils'] --- import kbnMlAggUtilsObj from './kbn_ml_agg_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_is_populated_object.mdx b/api_docs/kbn_ml_is_populated_object.mdx index 56edee1ebf784..c4b243cc2b395 100644 --- a/api_docs/kbn_ml_is_populated_object.mdx +++ b/api_docs/kbn_ml_is_populated_object.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-populated-object title: "@kbn/ml-is-populated-object" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-populated-object plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-populated-object'] --- import kbnMlIsPopulatedObjectObj from './kbn_ml_is_populated_object.devdocs.json'; diff --git a/api_docs/kbn_ml_string_hash.mdx b/api_docs/kbn_ml_string_hash.mdx index d00f1d863c864..6d4c0d020917b 100644 --- a/api_docs/kbn_ml_string_hash.mdx +++ b/api_docs/kbn_ml_string_hash.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-string-hash title: "@kbn/ml-string-hash" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-string-hash plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-string-hash'] --- import kbnMlStringHashObj from './kbn_ml_string_hash.devdocs.json'; diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index 9a56679296197..36160e8107e82 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-monaco title: "@kbn/monaco" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/monaco plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/monaco'] --- import kbnMonacoObj from './kbn_monaco.devdocs.json'; diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index 058b6623b83e5..b6068ee97e917 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer title: "@kbn/optimizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer'] --- import kbnOptimizerObj from './kbn_optimizer.devdocs.json'; diff --git a/api_docs/kbn_optimizer_webpack_helpers.mdx b/api_docs/kbn_optimizer_webpack_helpers.mdx index 50e98eef4da95..4730b00a92c0b 100644 --- a/api_docs/kbn_optimizer_webpack_helpers.mdx +++ b/api_docs/kbn_optimizer_webpack_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer-webpack-helpers title: "@kbn/optimizer-webpack-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer-webpack-helpers plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer-webpack-helpers'] --- import kbnOptimizerWebpackHelpersObj from './kbn_optimizer_webpack_helpers.devdocs.json'; diff --git a/api_docs/kbn_osquery_io_ts_types.mdx b/api_docs/kbn_osquery_io_ts_types.mdx index 3540c52ef6e89..3388efea85c1a 100644 --- a/api_docs/kbn_osquery_io_ts_types.mdx +++ b/api_docs/kbn_osquery_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-osquery-io-ts-types title: "@kbn/osquery-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/osquery-io-ts-types plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/osquery-io-ts-types'] --- import kbnOsqueryIoTsTypesObj from './kbn_osquery_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_peggy.mdx b/api_docs/kbn_peggy.mdx index 968d6111c44bd..e3445fad3cc24 100644 --- a/api_docs/kbn_peggy.mdx +++ b/api_docs/kbn_peggy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-peggy title: "@kbn/peggy" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/peggy plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/peggy'] --- import kbnPeggyObj from './kbn_peggy.devdocs.json'; diff --git a/api_docs/kbn_performance_testing_dataset_extractor.mdx b/api_docs/kbn_performance_testing_dataset_extractor.mdx index f76b86f0a2eb2..eebf118ccc4c7 100644 --- a/api_docs/kbn_performance_testing_dataset_extractor.mdx +++ b/api_docs/kbn_performance_testing_dataset_extractor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-performance-testing-dataset-extractor title: "@kbn/performance-testing-dataset-extractor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/performance-testing-dataset-extractor plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/performance-testing-dataset-extractor'] --- import kbnPerformanceTestingDatasetExtractorObj from './kbn_performance_testing_dataset_extractor.devdocs.json'; diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index 2357cf5bf957f..9ed134b8da4f1 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-generator title: "@kbn/plugin-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-generator plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-generator'] --- import kbnPluginGeneratorObj from './kbn_plugin_generator.devdocs.json'; diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index 7f66e84626b34..c737faaa7f85a 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-helpers title: "@kbn/plugin-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-helpers plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-helpers'] --- import kbnPluginHelpersObj from './kbn_plugin_helpers.devdocs.json'; diff --git a/api_docs/kbn_react_field.mdx b/api_docs/kbn_react_field.mdx index efb07c20a9a59..b68ec91f71d94 100644 --- a/api_docs/kbn_react_field.mdx +++ b/api_docs/kbn_react_field.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-field title: "@kbn/react-field" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-field plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-field'] --- import kbnReactFieldObj from './kbn_react_field.devdocs.json'; diff --git a/api_docs/kbn_repo_source_classifier.mdx b/api_docs/kbn_repo_source_classifier.mdx index d851b458c272f..400594a5f4fb2 100644 --- a/api_docs/kbn_repo_source_classifier.mdx +++ b/api_docs/kbn_repo_source_classifier.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-source-classifier title: "@kbn/repo-source-classifier" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-source-classifier plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-source-classifier'] --- import kbnRepoSourceClassifierObj from './kbn_repo_source_classifier.devdocs.json'; diff --git a/api_docs/kbn_rison.mdx b/api_docs/kbn_rison.mdx index 7001e9adce933..630d375853190 100644 --- a/api_docs/kbn_rison.mdx +++ b/api_docs/kbn_rison.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rison title: "@kbn/rison" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rison plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rison'] --- import kbnRisonObj from './kbn_rison.devdocs.json'; diff --git a/api_docs/kbn_rule_data_utils.mdx b/api_docs/kbn_rule_data_utils.mdx index c65c469ec9fed..7b17ede39402d 100644 --- a/api_docs/kbn_rule_data_utils.mdx +++ b/api_docs/kbn_rule_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rule-data-utils title: "@kbn/rule-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rule-data-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rule-data-utils'] --- import kbnRuleDataUtilsObj from './kbn_rule_data_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_autocomplete.mdx b/api_docs/kbn_securitysolution_autocomplete.mdx index 16d984083f581..69a5e04c1d6dd 100644 --- a/api_docs/kbn_securitysolution_autocomplete.mdx +++ b/api_docs/kbn_securitysolution_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-autocomplete title: "@kbn/securitysolution-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-autocomplete plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-autocomplete'] --- import kbnSecuritysolutionAutocompleteObj from './kbn_securitysolution_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_es_utils.mdx b/api_docs/kbn_securitysolution_es_utils.mdx index 92693106817b3..c22ed7568f573 100644 --- a/api_docs/kbn_securitysolution_es_utils.mdx +++ b/api_docs/kbn_securitysolution_es_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-es-utils title: "@kbn/securitysolution-es-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-es-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-es-utils'] --- import kbnSecuritysolutionEsUtilsObj from './kbn_securitysolution_es_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_exception_list_components.mdx b/api_docs/kbn_securitysolution_exception_list_components.mdx index fa7f76fb48459..a67f660df72d6 100644 --- a/api_docs/kbn_securitysolution_exception_list_components.mdx +++ b/api_docs/kbn_securitysolution_exception_list_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-exception-list-components title: "@kbn/securitysolution-exception-list-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-exception-list-components plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-exception-list-components'] --- import kbnSecuritysolutionExceptionListComponentsObj from './kbn_securitysolution_exception_list_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_hook_utils.mdx b/api_docs/kbn_securitysolution_hook_utils.mdx index 096f1e985b642..d997b9b2b738f 100644 --- a/api_docs/kbn_securitysolution_hook_utils.mdx +++ b/api_docs/kbn_securitysolution_hook_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-hook-utils title: "@kbn/securitysolution-hook-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-hook-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-hook-utils'] --- import kbnSecuritysolutionHookUtilsObj from './kbn_securitysolution_hook_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx index ef626e97617b7..ee99c9b07f32f 100644 --- a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-alerting-types title: "@kbn/securitysolution-io-ts-alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-alerting-types plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-alerting-types'] --- import kbnSecuritysolutionIoTsAlertingTypesObj from './kbn_securitysolution_io_ts_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_list_types.mdx b/api_docs/kbn_securitysolution_io_ts_list_types.mdx index 42fc5b9b45252..afb5ec3e8cfe1 100644 --- a/api_docs/kbn_securitysolution_io_ts_list_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_list_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-list-types title: "@kbn/securitysolution-io-ts-list-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-list-types plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-list-types'] --- import kbnSecuritysolutionIoTsListTypesObj from './kbn_securitysolution_io_ts_list_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_types.mdx b/api_docs/kbn_securitysolution_io_ts_types.mdx index fc127b235bd0b..4d39b291b2cc0 100644 --- a/api_docs/kbn_securitysolution_io_ts_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-types title: "@kbn/securitysolution-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-types plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-types'] --- import kbnSecuritysolutionIoTsTypesObj from './kbn_securitysolution_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_utils.mdx b/api_docs/kbn_securitysolution_io_ts_utils.mdx index 004c939af1520..297d00178b2df 100644 --- a/api_docs/kbn_securitysolution_io_ts_utils.mdx +++ b/api_docs/kbn_securitysolution_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-utils title: "@kbn/securitysolution-io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-utils'] --- import kbnSecuritysolutionIoTsUtilsObj from './kbn_securitysolution_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_api.mdx b/api_docs/kbn_securitysolution_list_api.mdx index 4bab6aa9aa4a2..d386b4e2a33bd 100644 --- a/api_docs/kbn_securitysolution_list_api.mdx +++ b/api_docs/kbn_securitysolution_list_api.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-api title: "@kbn/securitysolution-list-api" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-api plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-api'] --- import kbnSecuritysolutionListApiObj from './kbn_securitysolution_list_api.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_constants.mdx b/api_docs/kbn_securitysolution_list_constants.mdx index 72f498e493821..b69a5c4a91833 100644 --- a/api_docs/kbn_securitysolution_list_constants.mdx +++ b/api_docs/kbn_securitysolution_list_constants.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-constants title: "@kbn/securitysolution-list-constants" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-constants plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-constants'] --- import kbnSecuritysolutionListConstantsObj from './kbn_securitysolution_list_constants.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_hooks.mdx b/api_docs/kbn_securitysolution_list_hooks.mdx index 9e612e3a7a375..75c05c4f61804 100644 --- a/api_docs/kbn_securitysolution_list_hooks.mdx +++ b/api_docs/kbn_securitysolution_list_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-hooks title: "@kbn/securitysolution-list-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-hooks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-hooks'] --- import kbnSecuritysolutionListHooksObj from './kbn_securitysolution_list_hooks.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_utils.mdx b/api_docs/kbn_securitysolution_list_utils.mdx index d90a4825f69bc..8dc1c4cadb1de 100644 --- a/api_docs/kbn_securitysolution_list_utils.mdx +++ b/api_docs/kbn_securitysolution_list_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-utils title: "@kbn/securitysolution-list-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-utils'] --- import kbnSecuritysolutionListUtilsObj from './kbn_securitysolution_list_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_rules.mdx b/api_docs/kbn_securitysolution_rules.mdx index 371a5ef275d18..4a658688cecff 100644 --- a/api_docs/kbn_securitysolution_rules.mdx +++ b/api_docs/kbn_securitysolution_rules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-rules title: "@kbn/securitysolution-rules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-rules plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-rules'] --- import kbnSecuritysolutionRulesObj from './kbn_securitysolution_rules.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_t_grid.mdx b/api_docs/kbn_securitysolution_t_grid.mdx index 937439eb78513..45981804e8f69 100644 --- a/api_docs/kbn_securitysolution_t_grid.mdx +++ b/api_docs/kbn_securitysolution_t_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-t-grid title: "@kbn/securitysolution-t-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-t-grid plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-t-grid'] --- import kbnSecuritysolutionTGridObj from './kbn_securitysolution_t_grid.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_utils.mdx b/api_docs/kbn_securitysolution_utils.mdx index c729cafd500e9..4b4cc8cedc7d8 100644 --- a/api_docs/kbn_securitysolution_utils.mdx +++ b/api_docs/kbn_securitysolution_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-utils title: "@kbn/securitysolution-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-utils'] --- import kbnSecuritysolutionUtilsObj from './kbn_securitysolution_utils.devdocs.json'; diff --git a/api_docs/kbn_server_http_tools.mdx b/api_docs/kbn_server_http_tools.mdx index 579d59f1aa518..64b2ba7300e08 100644 --- a/api_docs/kbn_server_http_tools.mdx +++ b/api_docs/kbn_server_http_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-http-tools title: "@kbn/server-http-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-http-tools plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-http-tools'] --- import kbnServerHttpToolsObj from './kbn_server_http_tools.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository.mdx b/api_docs/kbn_server_route_repository.mdx index 848d27bf7a654..e3cd72d3dcfb4 100644 --- a/api_docs/kbn_server_route_repository.mdx +++ b/api_docs/kbn_server_route_repository.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository title: "@kbn/server-route-repository" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository'] --- import kbnServerRouteRepositoryObj from './kbn_server_route_repository.devdocs.json'; diff --git a/api_docs/kbn_shared_svg.mdx b/api_docs/kbn_shared_svg.mdx index f7fbf0ffd018b..721cd97f81e79 100644 --- a/api_docs/kbn_shared_svg.mdx +++ b/api_docs/kbn_shared_svg.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-svg title: "@kbn/shared-svg" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-svg plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-svg'] --- import kbnSharedSvgObj from './kbn_shared_svg.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_solution.mdx b/api_docs/kbn_shared_ux_avatar_solution.mdx index f695a7df84f37..1ef3713e47b28 100644 --- a/api_docs/kbn_shared_ux_avatar_solution.mdx +++ b/api_docs/kbn_shared_ux_avatar_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-solution title: "@kbn/shared-ux-avatar-solution" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-solution plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-solution'] --- import kbnSharedUxAvatarSolutionObj from './kbn_shared_ux_avatar_solution.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx index 2b33aa0c537ee..546075c212aca 100644 --- a/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx +++ b/api_docs/kbn_shared_ux_avatar_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-user-profile-components title: "@kbn/shared-ux-avatar-user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-user-profile-components plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-user-profile-components'] --- import kbnSharedUxAvatarUserProfileComponentsObj from './kbn_shared_ux_avatar_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx index 239f3f0329d6e..dba1ab4fdc0d5 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen title: "@kbn/shared-ux-button-exit-full-screen" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen'] --- import kbnSharedUxButtonExitFullScreenObj from './kbn_shared_ux_button_exit_full_screen.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx index 6bf475907c652..2597071f164fa 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen-mocks title: "@kbn/shared-ux-button-exit-full-screen-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen-mocks'] --- import kbnSharedUxButtonExitFullScreenMocksObj from './kbn_shared_ux_button_exit_full_screen_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_toolbar.mdx b/api_docs/kbn_shared_ux_button_toolbar.mdx index e07f1a370df56..37f2c4bc0bef5 100644 --- a/api_docs/kbn_shared_ux_button_toolbar.mdx +++ b/api_docs/kbn_shared_ux_button_toolbar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-toolbar title: "@kbn/shared-ux-button-toolbar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-toolbar plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-toolbar'] --- import kbnSharedUxButtonToolbarObj from './kbn_shared_ux_button_toolbar.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data.mdx b/api_docs/kbn_shared_ux_card_no_data.mdx index a78429aa1bfe0..eef1511f5d62b 100644 --- a/api_docs/kbn_shared_ux_card_no_data.mdx +++ b/api_docs/kbn_shared_ux_card_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data title: "@kbn/shared-ux-card-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data'] --- import kbnSharedUxCardNoDataObj from './kbn_shared_ux_card_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx index f19b60c922371..d0ad10a18d7a8 100644 --- a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data-mocks title: "@kbn/shared-ux-card-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data-mocks'] --- import kbnSharedUxCardNoDataMocksObj from './kbn_shared_ux_card_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_context.mdx b/api_docs/kbn_shared_ux_file_context.mdx index 0335ab556c85e..1ab235eb60bac 100644 --- a/api_docs/kbn_shared_ux_file_context.mdx +++ b/api_docs/kbn_shared_ux_file_context.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-context title: "@kbn/shared-ux-file-context" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-context plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-context'] --- import kbnSharedUxFileContextObj from './kbn_shared_ux_file_context.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image.mdx b/api_docs/kbn_shared_ux_file_image.mdx index 7f4a90152e4b4..b9795b2faf7ec 100644 --- a/api_docs/kbn_shared_ux_file_image.mdx +++ b/api_docs/kbn_shared_ux_file_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image title: "@kbn/shared-ux-file-image" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image'] --- import kbnSharedUxFileImageObj from './kbn_shared_ux_file_image.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image_mocks.mdx b/api_docs/kbn_shared_ux_file_image_mocks.mdx index 3c5b73e407937..22137273a8cba 100644 --- a/api_docs/kbn_shared_ux_file_image_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_image_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image-mocks title: "@kbn/shared-ux-file-image-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image-mocks'] --- import kbnSharedUxFileImageMocksObj from './kbn_shared_ux_file_image_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_mocks.mdx b/api_docs/kbn_shared_ux_file_mocks.mdx index c11b3e9dd6543..5cdcd28def93b 100644 --- a/api_docs/kbn_shared_ux_file_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-mocks title: "@kbn/shared-ux-file-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-mocks'] --- import kbnSharedUxFileMocksObj from './kbn_shared_ux_file_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_util.mdx b/api_docs/kbn_shared_ux_file_util.mdx index cede5e13808ed..9f29efa92f8d6 100644 --- a/api_docs/kbn_shared_ux_file_util.mdx +++ b/api_docs/kbn_shared_ux_file_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-util title: "@kbn/shared-ux-file-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-util plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-util'] --- import kbnSharedUxFileUtilObj from './kbn_shared_ux_file_util.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app.mdx b/api_docs/kbn_shared_ux_link_redirect_app.mdx index 2791d696a5bb2..e2bbed76bb902 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app title: "@kbn/shared-ux-link-redirect-app" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app'] --- import kbnSharedUxLinkRedirectAppObj from './kbn_shared_ux_link_redirect_app.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx index 124381a7da672..5fecbfeccc3ef 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app-mocks title: "@kbn/shared-ux-link-redirect-app-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app-mocks'] --- import kbnSharedUxLinkRedirectAppMocksObj from './kbn_shared_ux_link_redirect_app_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown.mdx b/api_docs/kbn_shared_ux_markdown.mdx index ec23a2e238b31..a248e8071d2af 100644 --- a/api_docs/kbn_shared_ux_markdown.mdx +++ b/api_docs/kbn_shared_ux_markdown.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown title: "@kbn/shared-ux-markdown" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown'] --- import kbnSharedUxMarkdownObj from './kbn_shared_ux_markdown.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown_mocks.mdx b/api_docs/kbn_shared_ux_markdown_mocks.mdx index 231d7d01da11d..00c15f0394658 100644 --- a/api_docs/kbn_shared_ux_markdown_mocks.mdx +++ b/api_docs/kbn_shared_ux_markdown_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown-mocks title: "@kbn/shared-ux-markdown-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown-mocks'] --- import kbnSharedUxMarkdownMocksObj from './kbn_shared_ux_markdown_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx index 24252e6edb87f..66f299c22389b 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data title: "@kbn/shared-ux-page-analytics-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data'] --- import kbnSharedUxPageAnalyticsNoDataObj from './kbn_shared_ux_page_analytics_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx index f836a6cff7aab..e58de509d25b0 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data-mocks title: "@kbn/shared-ux-page-analytics-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data-mocks'] --- import kbnSharedUxPageAnalyticsNoDataMocksObj from './kbn_shared_ux_page_analytics_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx index c8842e0cd87b2..99918f83eb064 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data title: "@kbn/shared-ux-page-kibana-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data'] --- import kbnSharedUxPageKibanaNoDataObj from './kbn_shared_ux_page_kibana_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx index 46d7e3c6b08df..33e375e7432c0 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data-mocks title: "@kbn/shared-ux-page-kibana-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data-mocks'] --- import kbnSharedUxPageKibanaNoDataMocksObj from './kbn_shared_ux_page_kibana_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template.mdx b/api_docs/kbn_shared_ux_page_kibana_template.mdx index 4cb97c085500b..712541310d6c7 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template title: "@kbn/shared-ux-page-kibana-template" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template'] --- import kbnSharedUxPageKibanaTemplateObj from './kbn_shared_ux_page_kibana_template.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx index 9704652b4020b..ff8c9712e03bd 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template-mocks title: "@kbn/shared-ux-page-kibana-template-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template-mocks'] --- import kbnSharedUxPageKibanaTemplateMocksObj from './kbn_shared_ux_page_kibana_template_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data.mdx b/api_docs/kbn_shared_ux_page_no_data.mdx index be23ca7d8ad1a..029a96dbcf011 100644 --- a/api_docs/kbn_shared_ux_page_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data title: "@kbn/shared-ux-page-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data'] --- import kbnSharedUxPageNoDataObj from './kbn_shared_ux_page_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config.mdx b/api_docs/kbn_shared_ux_page_no_data_config.mdx index 416ac404daae6..42fd9adcc6984 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config title: "@kbn/shared-ux-page-no-data-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config'] --- import kbnSharedUxPageNoDataConfigObj from './kbn_shared_ux_page_no_data_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx index bcc601f7fe69a..9374e0a03cb02 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config-mocks title: "@kbn/shared-ux-page-no-data-config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config-mocks'] --- import kbnSharedUxPageNoDataConfigMocksObj from './kbn_shared_ux_page_no_data_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx index 8e4767686135d..e1e4fe99bda68 100644 --- a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-mocks title: "@kbn/shared-ux-page-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-mocks'] --- import kbnSharedUxPageNoDataMocksObj from './kbn_shared_ux_page_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_solution_nav.mdx b/api_docs/kbn_shared_ux_page_solution_nav.mdx index fa6f11d495a5a..4b93ffd32a21a 100644 --- a/api_docs/kbn_shared_ux_page_solution_nav.mdx +++ b/api_docs/kbn_shared_ux_page_solution_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-solution-nav title: "@kbn/shared-ux-page-solution-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-solution-nav plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-solution-nav'] --- import kbnSharedUxPageSolutionNavObj from './kbn_shared_ux_page_solution_nav.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx index a9626f38637a0..372cb4dbd687c 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views title: "@kbn/shared-ux-prompt-no-data-views" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views'] --- import kbnSharedUxPromptNoDataViewsObj from './kbn_shared_ux_prompt_no_data_views.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx index 998d2918880c5..b1ecba74fcdb2 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views-mocks title: "@kbn/shared-ux-prompt-no-data-views-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views-mocks'] --- import kbnSharedUxPromptNoDataViewsMocksObj from './kbn_shared_ux_prompt_no_data_views_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_not_found.mdx b/api_docs/kbn_shared_ux_prompt_not_found.mdx index b477e3e168623..683ecf0462354 100644 --- a/api_docs/kbn_shared_ux_prompt_not_found.mdx +++ b/api_docs/kbn_shared_ux_prompt_not_found.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-not-found title: "@kbn/shared-ux-prompt-not-found" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-not-found plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-not-found'] --- import kbnSharedUxPromptNotFoundObj from './kbn_shared_ux_prompt_not_found.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router.mdx b/api_docs/kbn_shared_ux_router.mdx index 46259f07815af..0bf352ede5350 100644 --- a/api_docs/kbn_shared_ux_router.mdx +++ b/api_docs/kbn_shared_ux_router.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router title: "@kbn/shared-ux-router" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router'] --- import kbnSharedUxRouterObj from './kbn_shared_ux_router.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router_mocks.mdx b/api_docs/kbn_shared_ux_router_mocks.mdx index fb486aed1ab82..a38bb8ef02e10 100644 --- a/api_docs/kbn_shared_ux_router_mocks.mdx +++ b/api_docs/kbn_shared_ux_router_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router-mocks title: "@kbn/shared-ux-router-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router-mocks plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router-mocks'] --- import kbnSharedUxRouterMocksObj from './kbn_shared_ux_router_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_config.mdx b/api_docs/kbn_shared_ux_storybook_config.mdx index 50e03dc1df400..a5f3ec2324932 100644 --- a/api_docs/kbn_shared_ux_storybook_config.mdx +++ b/api_docs/kbn_shared_ux_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-config title: "@kbn/shared-ux-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-config plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-config'] --- import kbnSharedUxStorybookConfigObj from './kbn_shared_ux_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_mock.mdx b/api_docs/kbn_shared_ux_storybook_mock.mdx index 3967b312d469a..bc766d6ea5ee5 100644 --- a/api_docs/kbn_shared_ux_storybook_mock.mdx +++ b/api_docs/kbn_shared_ux_storybook_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-mock title: "@kbn/shared-ux-storybook-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-mock plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-mock'] --- import kbnSharedUxStorybookMockObj from './kbn_shared_ux_storybook_mock.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_utility.mdx b/api_docs/kbn_shared_ux_utility.mdx index fdea3af14e53b..0cca6386c1830 100644 --- a/api_docs/kbn_shared_ux_utility.mdx +++ b/api_docs/kbn_shared_ux_utility.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-utility title: "@kbn/shared-ux-utility" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-utility plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-utility'] --- import kbnSharedUxUtilityObj from './kbn_shared_ux_utility.devdocs.json'; diff --git a/api_docs/kbn_some_dev_log.mdx b/api_docs/kbn_some_dev_log.mdx index b927f8d45230f..179bf4f8f45d1 100644 --- a/api_docs/kbn_some_dev_log.mdx +++ b/api_docs/kbn_some_dev_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-some-dev-log title: "@kbn/some-dev-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/some-dev-log plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/some-dev-log'] --- import kbnSomeDevLogObj from './kbn_some_dev_log.devdocs.json'; diff --git a/api_docs/kbn_sort_package_json.mdx b/api_docs/kbn_sort_package_json.mdx index eef9f5c468335..4f90a19df80a3 100644 --- a/api_docs/kbn_sort_package_json.mdx +++ b/api_docs/kbn_sort_package_json.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sort-package-json title: "@kbn/sort-package-json" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sort-package-json plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sort-package-json'] --- import kbnSortPackageJsonObj from './kbn_sort_package_json.devdocs.json'; diff --git a/api_docs/kbn_std.mdx b/api_docs/kbn_std.mdx index 2e497e052fde6..b462cb3ff6a9b 100644 --- a/api_docs/kbn_std.mdx +++ b/api_docs/kbn_std.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-std title: "@kbn/std" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/std plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/std'] --- import kbnStdObj from './kbn_std.devdocs.json'; diff --git a/api_docs/kbn_stdio_dev_helpers.mdx b/api_docs/kbn_stdio_dev_helpers.mdx index 3771950209b72..2288a3259248a 100644 --- a/api_docs/kbn_stdio_dev_helpers.mdx +++ b/api_docs/kbn_stdio_dev_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-stdio-dev-helpers title: "@kbn/stdio-dev-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/stdio-dev-helpers plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/stdio-dev-helpers'] --- import kbnStdioDevHelpersObj from './kbn_stdio_dev_helpers.devdocs.json'; diff --git a/api_docs/kbn_storybook.mdx b/api_docs/kbn_storybook.mdx index acdf45bc93242..9b07ce949b2c4 100644 --- a/api_docs/kbn_storybook.mdx +++ b/api_docs/kbn_storybook.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-storybook title: "@kbn/storybook" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/storybook plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/storybook'] --- import kbnStorybookObj from './kbn_storybook.devdocs.json'; diff --git a/api_docs/kbn_telemetry_tools.mdx b/api_docs/kbn_telemetry_tools.mdx index ddf63fe789fd5..8190f341169bb 100644 --- a/api_docs/kbn_telemetry_tools.mdx +++ b/api_docs/kbn_telemetry_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-telemetry-tools title: "@kbn/telemetry-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/telemetry-tools plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/telemetry-tools'] --- import kbnTelemetryToolsObj from './kbn_telemetry_tools.devdocs.json'; diff --git a/api_docs/kbn_test.mdx b/api_docs/kbn_test.mdx index 6b4ba1cf101c8..5e88d3c26f288 100644 --- a/api_docs/kbn_test.mdx +++ b/api_docs/kbn_test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test title: "@kbn/test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test'] --- import kbnTestObj from './kbn_test.devdocs.json'; diff --git a/api_docs/kbn_test_jest_helpers.mdx b/api_docs/kbn_test_jest_helpers.mdx index 79945788d6162..addf39253597a 100644 --- a/api_docs/kbn_test_jest_helpers.mdx +++ b/api_docs/kbn_test_jest_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-jest-helpers title: "@kbn/test-jest-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-jest-helpers plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-jest-helpers'] --- import kbnTestJestHelpersObj from './kbn_test_jest_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_subj_selector.mdx b/api_docs/kbn_test_subj_selector.mdx index 8914852115540..b3a37dcc9e93b 100644 --- a/api_docs/kbn_test_subj_selector.mdx +++ b/api_docs/kbn_test_subj_selector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-subj-selector title: "@kbn/test-subj-selector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-subj-selector plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-subj-selector'] --- import kbnTestSubjSelectorObj from './kbn_test_subj_selector.devdocs.json'; diff --git a/api_docs/kbn_tooling_log.mdx b/api_docs/kbn_tooling_log.mdx index a464f9fdbccb0..ba36b68826d95 100644 --- a/api_docs/kbn_tooling_log.mdx +++ b/api_docs/kbn_tooling_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-tooling-log title: "@kbn/tooling-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/tooling-log plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/tooling-log'] --- import kbnToolingLogObj from './kbn_tooling_log.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer.mdx b/api_docs/kbn_type_summarizer.mdx index 3363a5cec68f0..d2f052f99de34 100644 --- a/api_docs/kbn_type_summarizer.mdx +++ b/api_docs/kbn_type_summarizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer title: "@kbn/type-summarizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer'] --- import kbnTypeSummarizerObj from './kbn_type_summarizer.devdocs.json'; diff --git a/api_docs/kbn_type_summarizer_core.mdx b/api_docs/kbn_type_summarizer_core.mdx index 85e23be98377f..9dd77a9f537da 100644 --- a/api_docs/kbn_type_summarizer_core.mdx +++ b/api_docs/kbn_type_summarizer_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-type-summarizer-core title: "@kbn/type-summarizer-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/type-summarizer-core plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/type-summarizer-core'] --- import kbnTypeSummarizerCoreObj from './kbn_type_summarizer_core.devdocs.json'; diff --git a/api_docs/kbn_typed_react_router_config.mdx b/api_docs/kbn_typed_react_router_config.mdx index ebb3cf4608f24..a620048bf1502 100644 --- a/api_docs/kbn_typed_react_router_config.mdx +++ b/api_docs/kbn_typed_react_router_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-typed-react-router-config title: "@kbn/typed-react-router-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/typed-react-router-config plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/typed-react-router-config'] --- import kbnTypedReactRouterConfigObj from './kbn_typed_react_router_config.devdocs.json'; diff --git a/api_docs/kbn_ui_shared_deps_src.mdx b/api_docs/kbn_ui_shared_deps_src.mdx index a58217e78dd46..65c6f1da86472 100644 --- a/api_docs/kbn_ui_shared_deps_src.mdx +++ b/api_docs/kbn_ui_shared_deps_src.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-shared-deps-src title: "@kbn/ui-shared-deps-src" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-shared-deps-src plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-shared-deps-src'] --- import kbnUiSharedDepsSrcObj from './kbn_ui_shared_deps_src.devdocs.json'; diff --git a/api_docs/kbn_ui_theme.mdx b/api_docs/kbn_ui_theme.mdx index 9abc98b91b641..774d155456bc4 100644 --- a/api_docs/kbn_ui_theme.mdx +++ b/api_docs/kbn_ui_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-theme title: "@kbn/ui-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-theme plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-theme'] --- import kbnUiThemeObj from './kbn_ui_theme.devdocs.json'; diff --git a/api_docs/kbn_user_profile_components.mdx b/api_docs/kbn_user_profile_components.mdx index 3cf992f604cf2..0f663652fac0c 100644 --- a/api_docs/kbn_user_profile_components.mdx +++ b/api_docs/kbn_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-user-profile-components title: "@kbn/user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/user-profile-components plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/user-profile-components'] --- import kbnUserProfileComponentsObj from './kbn_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_utility_types.mdx b/api_docs/kbn_utility_types.mdx index 0599816f578c8..f42e67bc42537 100644 --- a/api_docs/kbn_utility_types.mdx +++ b/api_docs/kbn_utility_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types title: "@kbn/utility-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types'] --- import kbnUtilityTypesObj from './kbn_utility_types.devdocs.json'; diff --git a/api_docs/kbn_utility_types_jest.mdx b/api_docs/kbn_utility_types_jest.mdx index 2261f424b2188..a18eb355d262f 100644 --- a/api_docs/kbn_utility_types_jest.mdx +++ b/api_docs/kbn_utility_types_jest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types-jest title: "@kbn/utility-types-jest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types-jest plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types-jest'] --- import kbnUtilityTypesJestObj from './kbn_utility_types_jest.devdocs.json'; diff --git a/api_docs/kbn_utils.mdx b/api_docs/kbn_utils.mdx index ef9bdebf517ec..c1dd7cdfbabf1 100644 --- a/api_docs/kbn_utils.mdx +++ b/api_docs/kbn_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utils title: "@kbn/utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utils'] --- import kbnUtilsObj from './kbn_utils.devdocs.json'; diff --git a/api_docs/kbn_yarn_lock_validator.mdx b/api_docs/kbn_yarn_lock_validator.mdx index 583fbdca23200..f3e76236c9233 100644 --- a/api_docs/kbn_yarn_lock_validator.mdx +++ b/api_docs/kbn_yarn_lock_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-yarn-lock-validator title: "@kbn/yarn-lock-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/yarn-lock-validator plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/yarn-lock-validator'] --- import kbnYarnLockValidatorObj from './kbn_yarn_lock_validator.devdocs.json'; diff --git a/api_docs/kibana_overview.mdx b/api_docs/kibana_overview.mdx index 7ea5842f66fff..f0828f92c5c45 100644 --- a/api_docs/kibana_overview.mdx +++ b/api_docs/kibana_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaOverview title: "kibanaOverview" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaOverview plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaOverview'] --- import kibanaOverviewObj from './kibana_overview.devdocs.json'; diff --git a/api_docs/kibana_react.mdx b/api_docs/kibana_react.mdx index b06dc71086b80..bb023e792d869 100644 --- a/api_docs/kibana_react.mdx +++ b/api_docs/kibana_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaReact title: "kibanaReact" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaReact plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaReact'] --- import kibanaReactObj from './kibana_react.devdocs.json'; diff --git a/api_docs/kibana_utils.mdx b/api_docs/kibana_utils.mdx index da3168b543a11..931cbf2e85495 100644 --- a/api_docs/kibana_utils.mdx +++ b/api_docs/kibana_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaUtils title: "kibanaUtils" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaUtils plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaUtils'] --- import kibanaUtilsObj from './kibana_utils.devdocs.json'; diff --git a/api_docs/kubernetes_security.mdx b/api_docs/kubernetes_security.mdx index 047c692261e45..582f131b4cd44 100644 --- a/api_docs/kubernetes_security.mdx +++ b/api_docs/kubernetes_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kubernetesSecurity title: "kubernetesSecurity" image: https://source.unsplash.com/400x175/?github description: API docs for the kubernetesSecurity plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kubernetesSecurity'] --- import kubernetesSecurityObj from './kubernetes_security.devdocs.json'; diff --git a/api_docs/lens.mdx b/api_docs/lens.mdx index 1e3851cab3fe8..d0204d052810b 100644 --- a/api_docs/lens.mdx +++ b/api_docs/lens.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lens title: "lens" image: https://source.unsplash.com/400x175/?github description: API docs for the lens plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lens'] --- import lensObj from './lens.devdocs.json'; diff --git a/api_docs/license_api_guard.mdx b/api_docs/license_api_guard.mdx index daa4d14b00d65..a8b3cdad02e66 100644 --- a/api_docs/license_api_guard.mdx +++ b/api_docs/license_api_guard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseApiGuard title: "licenseApiGuard" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseApiGuard plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseApiGuard'] --- import licenseApiGuardObj from './license_api_guard.devdocs.json'; diff --git a/api_docs/license_management.mdx b/api_docs/license_management.mdx index 5149523d4268b..5e752c8916e5b 100644 --- a/api_docs/license_management.mdx +++ b/api_docs/license_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseManagement title: "licenseManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseManagement plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseManagement'] --- import licenseManagementObj from './license_management.devdocs.json'; diff --git a/api_docs/licensing.mdx b/api_docs/licensing.mdx index 55e41bd187e9c..b7b95222c7324 100644 --- a/api_docs/licensing.mdx +++ b/api_docs/licensing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licensing title: "licensing" image: https://source.unsplash.com/400x175/?github description: API docs for the licensing plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licensing'] --- import licensingObj from './licensing.devdocs.json'; diff --git a/api_docs/lists.mdx b/api_docs/lists.mdx index 3ed98d030fe7a..e763bc35f1089 100644 --- a/api_docs/lists.mdx +++ b/api_docs/lists.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lists title: "lists" image: https://source.unsplash.com/400x175/?github description: API docs for the lists plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lists'] --- import listsObj from './lists.devdocs.json'; diff --git a/api_docs/management.mdx b/api_docs/management.mdx index f420b65526045..4e48a9bcf871f 100644 --- a/api_docs/management.mdx +++ b/api_docs/management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/management title: "management" image: https://source.unsplash.com/400x175/?github description: API docs for the management plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'management'] --- import managementObj from './management.devdocs.json'; diff --git a/api_docs/maps.mdx b/api_docs/maps.mdx index 9e955ec3d9385..dabb757613f56 100644 --- a/api_docs/maps.mdx +++ b/api_docs/maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/maps title: "maps" image: https://source.unsplash.com/400x175/?github description: API docs for the maps plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'maps'] --- import mapsObj from './maps.devdocs.json'; diff --git a/api_docs/maps_ems.mdx b/api_docs/maps_ems.mdx index 5ebc3b556adc2..26e1f04286fd1 100644 --- a/api_docs/maps_ems.mdx +++ b/api_docs/maps_ems.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mapsEms title: "mapsEms" image: https://source.unsplash.com/400x175/?github description: API docs for the mapsEms plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mapsEms'] --- import mapsEmsObj from './maps_ems.devdocs.json'; diff --git a/api_docs/ml.mdx b/api_docs/ml.mdx index b0c1e82c6b608..42573c58d322c 100644 --- a/api_docs/ml.mdx +++ b/api_docs/ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ml title: "ml" image: https://source.unsplash.com/400x175/?github description: API docs for the ml plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ml'] --- import mlObj from './ml.devdocs.json'; diff --git a/api_docs/monitoring.mdx b/api_docs/monitoring.mdx index da322c0d4d935..aa3adf642f73a 100644 --- a/api_docs/monitoring.mdx +++ b/api_docs/monitoring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoring title: "monitoring" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoring plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoring'] --- import monitoringObj from './monitoring.devdocs.json'; diff --git a/api_docs/monitoring_collection.mdx b/api_docs/monitoring_collection.mdx index 7f5e3eb940060..d19732a5fd98a 100644 --- a/api_docs/monitoring_collection.mdx +++ b/api_docs/monitoring_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoringCollection title: "monitoringCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoringCollection plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoringCollection'] --- import monitoringCollectionObj from './monitoring_collection.devdocs.json'; diff --git a/api_docs/navigation.mdx b/api_docs/navigation.mdx index 92b6d0716f6bd..f33d83dbb105b 100644 --- a/api_docs/navigation.mdx +++ b/api_docs/navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/navigation title: "navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the navigation plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'navigation'] --- import navigationObj from './navigation.devdocs.json'; diff --git a/api_docs/newsfeed.mdx b/api_docs/newsfeed.mdx index 622f0f231feb4..e915fcb1918e6 100644 --- a/api_docs/newsfeed.mdx +++ b/api_docs/newsfeed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/newsfeed title: "newsfeed" image: https://source.unsplash.com/400x175/?github description: API docs for the newsfeed plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'newsfeed'] --- import newsfeedObj from './newsfeed.devdocs.json'; diff --git a/api_docs/notifications.mdx b/api_docs/notifications.mdx index 301bc6b805db2..0b1161b03d0bc 100644 --- a/api_docs/notifications.mdx +++ b/api_docs/notifications.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/notifications title: "notifications" image: https://source.unsplash.com/400x175/?github description: API docs for the notifications plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'notifications'] --- import notificationsObj from './notifications.devdocs.json'; diff --git a/api_docs/observability.mdx b/api_docs/observability.mdx index 9fe16ad06876e..62f085c0e98d8 100644 --- a/api_docs/observability.mdx +++ b/api_docs/observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observability title: "observability" image: https://source.unsplash.com/400x175/?github description: API docs for the observability plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observability'] --- import observabilityObj from './observability.devdocs.json'; diff --git a/api_docs/osquery.mdx b/api_docs/osquery.mdx index ac18471bfc93b..661aa25f1d4c1 100644 --- a/api_docs/osquery.mdx +++ b/api_docs/osquery.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/osquery title: "osquery" image: https://source.unsplash.com/400x175/?github description: API docs for the osquery plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'osquery'] --- import osqueryObj from './osquery.devdocs.json'; diff --git a/api_docs/plugin_directory.mdx b/api_docs/plugin_directory.mdx index 7ee28284ff70b..e81f3b85891b8 100644 --- a/api_docs/plugin_directory.mdx +++ b/api_docs/plugin_directory.mdx @@ -7,7 +7,7 @@ id: kibDevDocsPluginDirectory slug: /kibana-dev-docs/api-meta/plugin-api-directory title: Directory description: Directory of public APIs available through plugins or packages. -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/presentation_util.mdx b/api_docs/presentation_util.mdx index 0c4631489fcb5..627bdb6c3e053 100644 --- a/api_docs/presentation_util.mdx +++ b/api_docs/presentation_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationUtil title: "presentationUtil" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationUtil plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationUtil'] --- import presentationUtilObj from './presentation_util.devdocs.json'; diff --git a/api_docs/profiling.mdx b/api_docs/profiling.mdx index 0398e026bb363..39fc13b243090 100644 --- a/api_docs/profiling.mdx +++ b/api_docs/profiling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profiling title: "profiling" image: https://source.unsplash.com/400x175/?github description: API docs for the profiling plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profiling'] --- import profilingObj from './profiling.devdocs.json'; diff --git a/api_docs/remote_clusters.mdx b/api_docs/remote_clusters.mdx index 9326e9d175c38..5dffd6dfd4be7 100644 --- a/api_docs/remote_clusters.mdx +++ b/api_docs/remote_clusters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/remoteClusters title: "remoteClusters" image: https://source.unsplash.com/400x175/?github description: API docs for the remoteClusters plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'remoteClusters'] --- import remoteClustersObj from './remote_clusters.devdocs.json'; diff --git a/api_docs/reporting.mdx b/api_docs/reporting.mdx index ba9e296ef984f..6a03dc3dbb35a 100644 --- a/api_docs/reporting.mdx +++ b/api_docs/reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/reporting title: "reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the reporting plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'reporting'] --- import reportingObj from './reporting.devdocs.json'; diff --git a/api_docs/rollup.mdx b/api_docs/rollup.mdx index 4d30c323bb89e..356ca91eb9a7a 100644 --- a/api_docs/rollup.mdx +++ b/api_docs/rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/rollup title: "rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the rollup plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'rollup'] --- import rollupObj from './rollup.devdocs.json'; diff --git a/api_docs/rule_registry.mdx b/api_docs/rule_registry.mdx index f83724b037756..5249e8e39cfbf 100644 --- a/api_docs/rule_registry.mdx +++ b/api_docs/rule_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ruleRegistry title: "ruleRegistry" image: https://source.unsplash.com/400x175/?github description: API docs for the ruleRegistry plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ruleRegistry'] --- import ruleRegistryObj from './rule_registry.devdocs.json'; diff --git a/api_docs/runtime_fields.mdx b/api_docs/runtime_fields.mdx index 0178f46f182a4..9a3888fbc21bf 100644 --- a/api_docs/runtime_fields.mdx +++ b/api_docs/runtime_fields.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/runtimeFields title: "runtimeFields" image: https://source.unsplash.com/400x175/?github description: API docs for the runtimeFields plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'runtimeFields'] --- import runtimeFieldsObj from './runtime_fields.devdocs.json'; diff --git a/api_docs/saved_objects.mdx b/api_docs/saved_objects.mdx index 1ae97be7d0f47..fbac0b745217b 100644 --- a/api_docs/saved_objects.mdx +++ b/api_docs/saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjects title: "savedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjects plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjects'] --- import savedObjectsObj from './saved_objects.devdocs.json'; diff --git a/api_docs/saved_objects_finder.mdx b/api_docs/saved_objects_finder.mdx index 7abdef8b9334a..eb5b58a8f3728 100644 --- a/api_docs/saved_objects_finder.mdx +++ b/api_docs/saved_objects_finder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsFinder title: "savedObjectsFinder" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsFinder plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsFinder'] --- import savedObjectsFinderObj from './saved_objects_finder.devdocs.json'; diff --git a/api_docs/saved_objects_management.mdx b/api_docs/saved_objects_management.mdx index 6ffb5e1788c30..eb6c9a629253e 100644 --- a/api_docs/saved_objects_management.mdx +++ b/api_docs/saved_objects_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsManagement title: "savedObjectsManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsManagement plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsManagement'] --- import savedObjectsManagementObj from './saved_objects_management.devdocs.json'; diff --git a/api_docs/saved_objects_tagging.mdx b/api_docs/saved_objects_tagging.mdx index 0b71d07cd6012..a6101d252c030 100644 --- a/api_docs/saved_objects_tagging.mdx +++ b/api_docs/saved_objects_tagging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTagging title: "savedObjectsTagging" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTagging plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTagging'] --- import savedObjectsTaggingObj from './saved_objects_tagging.devdocs.json'; diff --git a/api_docs/saved_objects_tagging_oss.mdx b/api_docs/saved_objects_tagging_oss.mdx index ba2e398a8cd41..d5ed95b3e2776 100644 --- a/api_docs/saved_objects_tagging_oss.mdx +++ b/api_docs/saved_objects_tagging_oss.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTaggingOss title: "savedObjectsTaggingOss" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTaggingOss plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTaggingOss'] --- import savedObjectsTaggingOssObj from './saved_objects_tagging_oss.devdocs.json'; diff --git a/api_docs/saved_search.mdx b/api_docs/saved_search.mdx index 6b1407ef9514f..aa8e6600e3e63 100644 --- a/api_docs/saved_search.mdx +++ b/api_docs/saved_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedSearch title: "savedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the savedSearch plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedSearch'] --- import savedSearchObj from './saved_search.devdocs.json'; diff --git a/api_docs/screenshot_mode.mdx b/api_docs/screenshot_mode.mdx index 63affa8cecccb..105f35a698ccc 100644 --- a/api_docs/screenshot_mode.mdx +++ b/api_docs/screenshot_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotMode title: "screenshotMode" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotMode plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotMode'] --- import screenshotModeObj from './screenshot_mode.devdocs.json'; diff --git a/api_docs/screenshotting.mdx b/api_docs/screenshotting.mdx index cf8f6725a8f1e..b433784883fe7 100644 --- a/api_docs/screenshotting.mdx +++ b/api_docs/screenshotting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotting title: "screenshotting" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotting plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotting'] --- import screenshottingObj from './screenshotting.devdocs.json'; diff --git a/api_docs/security.mdx b/api_docs/security.mdx index 21de897df14bf..ad1246971431c 100644 --- a/api_docs/security.mdx +++ b/api_docs/security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/security title: "security" image: https://source.unsplash.com/400x175/?github description: API docs for the security plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'security'] --- import securityObj from './security.devdocs.json'; diff --git a/api_docs/security_solution.mdx b/api_docs/security_solution.mdx index 2b0fd7d8798bb..d44dbe0eaa501 100644 --- a/api_docs/security_solution.mdx +++ b/api_docs/security_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolution title: "securitySolution" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolution plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolution'] --- import securitySolutionObj from './security_solution.devdocs.json'; diff --git a/api_docs/session_view.mdx b/api_docs/session_view.mdx index b5b437c239deb..f52d9a6766dd2 100644 --- a/api_docs/session_view.mdx +++ b/api_docs/session_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/sessionView title: "sessionView" image: https://source.unsplash.com/400x175/?github description: API docs for the sessionView plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'sessionView'] --- import sessionViewObj from './session_view.devdocs.json'; diff --git a/api_docs/share.mdx b/api_docs/share.mdx index e1a2176128ef1..091b16c2d60bc 100644 --- a/api_docs/share.mdx +++ b/api_docs/share.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/share title: "share" image: https://source.unsplash.com/400x175/?github description: API docs for the share plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'share'] --- import shareObj from './share.devdocs.json'; diff --git a/api_docs/snapshot_restore.mdx b/api_docs/snapshot_restore.mdx index 157fee75341e8..4dea9455b2274 100644 --- a/api_docs/snapshot_restore.mdx +++ b/api_docs/snapshot_restore.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/snapshotRestore title: "snapshotRestore" image: https://source.unsplash.com/400x175/?github description: API docs for the snapshotRestore plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'snapshotRestore'] --- import snapshotRestoreObj from './snapshot_restore.devdocs.json'; diff --git a/api_docs/spaces.mdx b/api_docs/spaces.mdx index 995026c45ea97..e5dc1c0540b8e 100644 --- a/api_docs/spaces.mdx +++ b/api_docs/spaces.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/spaces title: "spaces" image: https://source.unsplash.com/400x175/?github description: API docs for the spaces plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'spaces'] --- import spacesObj from './spaces.devdocs.json'; diff --git a/api_docs/stack_alerts.mdx b/api_docs/stack_alerts.mdx index c20cc2bcbc024..d3d01f23b8f3c 100644 --- a/api_docs/stack_alerts.mdx +++ b/api_docs/stack_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackAlerts title: "stackAlerts" image: https://source.unsplash.com/400x175/?github description: API docs for the stackAlerts plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackAlerts'] --- import stackAlertsObj from './stack_alerts.devdocs.json'; diff --git a/api_docs/stack_connectors.mdx b/api_docs/stack_connectors.mdx index 42acea3619dd6..d53135df6e0aa 100644 --- a/api_docs/stack_connectors.mdx +++ b/api_docs/stack_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackConnectors title: "stackConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the stackConnectors plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackConnectors'] --- import stackConnectorsObj from './stack_connectors.devdocs.json'; diff --git a/api_docs/task_manager.mdx b/api_docs/task_manager.mdx index bb79ce9488293..0c80d42637b04 100644 --- a/api_docs/task_manager.mdx +++ b/api_docs/task_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/taskManager title: "taskManager" image: https://source.unsplash.com/400x175/?github description: API docs for the taskManager plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'taskManager'] --- import taskManagerObj from './task_manager.devdocs.json'; diff --git a/api_docs/telemetry.mdx b/api_docs/telemetry.mdx index 7e055a4508737..95afcb273c075 100644 --- a/api_docs/telemetry.mdx +++ b/api_docs/telemetry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetry title: "telemetry" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetry plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetry'] --- import telemetryObj from './telemetry.devdocs.json'; diff --git a/api_docs/telemetry_collection_manager.mdx b/api_docs/telemetry_collection_manager.mdx index 8152677d60598..cd1ea0d9c69fe 100644 --- a/api_docs/telemetry_collection_manager.mdx +++ b/api_docs/telemetry_collection_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionManager title: "telemetryCollectionManager" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionManager plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionManager'] --- import telemetryCollectionManagerObj from './telemetry_collection_manager.devdocs.json'; diff --git a/api_docs/telemetry_collection_xpack.mdx b/api_docs/telemetry_collection_xpack.mdx index 1b632863affc6..dd621d5152f34 100644 --- a/api_docs/telemetry_collection_xpack.mdx +++ b/api_docs/telemetry_collection_xpack.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionXpack title: "telemetryCollectionXpack" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionXpack plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionXpack'] --- import telemetryCollectionXpackObj from './telemetry_collection_xpack.devdocs.json'; diff --git a/api_docs/telemetry_management_section.mdx b/api_docs/telemetry_management_section.mdx index 6cec69cc796a9..5729cb0dea3ed 100644 --- a/api_docs/telemetry_management_section.mdx +++ b/api_docs/telemetry_management_section.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryManagementSection title: "telemetryManagementSection" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryManagementSection plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryManagementSection'] --- import telemetryManagementSectionObj from './telemetry_management_section.devdocs.json'; diff --git a/api_docs/threat_intelligence.mdx b/api_docs/threat_intelligence.mdx index b8ab09c580e69..7720dd9f4595c 100644 --- a/api_docs/threat_intelligence.mdx +++ b/api_docs/threat_intelligence.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/threatIntelligence title: "threatIntelligence" image: https://source.unsplash.com/400x175/?github description: API docs for the threatIntelligence plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'threatIntelligence'] --- import threatIntelligenceObj from './threat_intelligence.devdocs.json'; diff --git a/api_docs/timelines.mdx b/api_docs/timelines.mdx index 9eff9ade1f9e4..4106fffc4e203 100644 --- a/api_docs/timelines.mdx +++ b/api_docs/timelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/timelines title: "timelines" image: https://source.unsplash.com/400x175/?github description: API docs for the timelines plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'timelines'] --- import timelinesObj from './timelines.devdocs.json'; diff --git a/api_docs/transform.mdx b/api_docs/transform.mdx index 2753c5093fda0..a8204735aca43 100644 --- a/api_docs/transform.mdx +++ b/api_docs/transform.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/transform title: "transform" image: https://source.unsplash.com/400x175/?github description: API docs for the transform plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'transform'] --- import transformObj from './transform.devdocs.json'; diff --git a/api_docs/triggers_actions_ui.mdx b/api_docs/triggers_actions_ui.mdx index 939062c365425..a9c30d7f772ef 100644 --- a/api_docs/triggers_actions_ui.mdx +++ b/api_docs/triggers_actions_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/triggersActionsUi title: "triggersActionsUi" image: https://source.unsplash.com/400x175/?github description: API docs for the triggersActionsUi plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'triggersActionsUi'] --- import triggersActionsUiObj from './triggers_actions_ui.devdocs.json'; diff --git a/api_docs/ui_actions.mdx b/api_docs/ui_actions.mdx index bb08e12f49804..6b090fd906b55 100644 --- a/api_docs/ui_actions.mdx +++ b/api_docs/ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActions title: "uiActions" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActions plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActions'] --- import uiActionsObj from './ui_actions.devdocs.json'; diff --git a/api_docs/ui_actions_enhanced.mdx b/api_docs/ui_actions_enhanced.mdx index af5a637f22470..aa1d7051342fb 100644 --- a/api_docs/ui_actions_enhanced.mdx +++ b/api_docs/ui_actions_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActionsEnhanced title: "uiActionsEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActionsEnhanced plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActionsEnhanced'] --- import uiActionsEnhancedObj from './ui_actions_enhanced.devdocs.json'; diff --git a/api_docs/unified_field_list.mdx b/api_docs/unified_field_list.mdx index 370a11ee93f4e..984fc97c3c576 100644 --- a/api_docs/unified_field_list.mdx +++ b/api_docs/unified_field_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedFieldList title: "unifiedFieldList" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedFieldList plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedFieldList'] --- import unifiedFieldListObj from './unified_field_list.devdocs.json'; diff --git a/api_docs/unified_histogram.mdx b/api_docs/unified_histogram.mdx index 8c0462c2337e9..0bca737c1bcff 100644 --- a/api_docs/unified_histogram.mdx +++ b/api_docs/unified_histogram.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedHistogram title: "unifiedHistogram" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedHistogram plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedHistogram'] --- import unifiedHistogramObj from './unified_histogram.devdocs.json'; diff --git a/api_docs/unified_search.mdx b/api_docs/unified_search.mdx index 67d866d58db75..e6cbfc3e69f05 100644 --- a/api_docs/unified_search.mdx +++ b/api_docs/unified_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch title: "unifiedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch'] --- import unifiedSearchObj from './unified_search.devdocs.json'; diff --git a/api_docs/unified_search_autocomplete.mdx b/api_docs/unified_search_autocomplete.mdx index a585a117b19d3..7826bf85a7a31 100644 --- a/api_docs/unified_search_autocomplete.mdx +++ b/api_docs/unified_search_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch-autocomplete title: "unifiedSearch.autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch.autocomplete plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch.autocomplete'] --- import unifiedSearchAutocompleteObj from './unified_search_autocomplete.devdocs.json'; diff --git a/api_docs/url_forwarding.mdx b/api_docs/url_forwarding.mdx index f754a8c1b3261..d83548c1223ee 100644 --- a/api_docs/url_forwarding.mdx +++ b/api_docs/url_forwarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/urlForwarding title: "urlForwarding" image: https://source.unsplash.com/400x175/?github description: API docs for the urlForwarding plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'urlForwarding'] --- import urlForwardingObj from './url_forwarding.devdocs.json'; diff --git a/api_docs/usage_collection.mdx b/api_docs/usage_collection.mdx index 851f0188c2501..950113815aa52 100644 --- a/api_docs/usage_collection.mdx +++ b/api_docs/usage_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/usageCollection title: "usageCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the usageCollection plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'usageCollection'] --- import usageCollectionObj from './usage_collection.devdocs.json'; diff --git a/api_docs/ux.mdx b/api_docs/ux.mdx index 3d0162cd7f1c5..f5ca451329aca 100644 --- a/api_docs/ux.mdx +++ b/api_docs/ux.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ux title: "ux" image: https://source.unsplash.com/400x175/?github description: API docs for the ux plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ux'] --- import uxObj from './ux.devdocs.json'; diff --git a/api_docs/vis_default_editor.mdx b/api_docs/vis_default_editor.mdx index 2963b2c84a5a2..90cd054baa461 100644 --- a/api_docs/vis_default_editor.mdx +++ b/api_docs/vis_default_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visDefaultEditor title: "visDefaultEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the visDefaultEditor plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visDefaultEditor'] --- import visDefaultEditorObj from './vis_default_editor.devdocs.json'; diff --git a/api_docs/vis_type_gauge.mdx b/api_docs/vis_type_gauge.mdx index a98623c8584a1..d6a63e7573752 100644 --- a/api_docs/vis_type_gauge.mdx +++ b/api_docs/vis_type_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeGauge title: "visTypeGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeGauge plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeGauge'] --- import visTypeGaugeObj from './vis_type_gauge.devdocs.json'; diff --git a/api_docs/vis_type_heatmap.mdx b/api_docs/vis_type_heatmap.mdx index 5337792e08fc5..4aa3ab03819bd 100644 --- a/api_docs/vis_type_heatmap.mdx +++ b/api_docs/vis_type_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeHeatmap title: "visTypeHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeHeatmap plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeHeatmap'] --- import visTypeHeatmapObj from './vis_type_heatmap.devdocs.json'; diff --git a/api_docs/vis_type_pie.mdx b/api_docs/vis_type_pie.mdx index 0cc1950537e13..be333ea715a5b 100644 --- a/api_docs/vis_type_pie.mdx +++ b/api_docs/vis_type_pie.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypePie title: "visTypePie" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypePie plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypePie'] --- import visTypePieObj from './vis_type_pie.devdocs.json'; diff --git a/api_docs/vis_type_table.mdx b/api_docs/vis_type_table.mdx index 32e034d46d20b..23e76730577d2 100644 --- a/api_docs/vis_type_table.mdx +++ b/api_docs/vis_type_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTable title: "visTypeTable" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTable plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTable'] --- import visTypeTableObj from './vis_type_table.devdocs.json'; diff --git a/api_docs/vis_type_timelion.mdx b/api_docs/vis_type_timelion.mdx index 29297ba80d56d..6064b51c380e0 100644 --- a/api_docs/vis_type_timelion.mdx +++ b/api_docs/vis_type_timelion.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimelion title: "visTypeTimelion" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimelion plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimelion'] --- import visTypeTimelionObj from './vis_type_timelion.devdocs.json'; diff --git a/api_docs/vis_type_timeseries.mdx b/api_docs/vis_type_timeseries.mdx index e938bf3663322..f1306149b842a 100644 --- a/api_docs/vis_type_timeseries.mdx +++ b/api_docs/vis_type_timeseries.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimeseries title: "visTypeTimeseries" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimeseries plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimeseries'] --- import visTypeTimeseriesObj from './vis_type_timeseries.devdocs.json'; diff --git a/api_docs/vis_type_vega.mdx b/api_docs/vis_type_vega.mdx index 6822f456809f5..4d0c89b43cc0b 100644 --- a/api_docs/vis_type_vega.mdx +++ b/api_docs/vis_type_vega.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVega title: "visTypeVega" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVega plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVega'] --- import visTypeVegaObj from './vis_type_vega.devdocs.json'; diff --git a/api_docs/vis_type_vislib.mdx b/api_docs/vis_type_vislib.mdx index af4bdea1c9cd4..6c3cfd4cca2b1 100644 --- a/api_docs/vis_type_vislib.mdx +++ b/api_docs/vis_type_vislib.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVislib title: "visTypeVislib" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVislib plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVislib'] --- import visTypeVislibObj from './vis_type_vislib.devdocs.json'; diff --git a/api_docs/vis_type_xy.mdx b/api_docs/vis_type_xy.mdx index 132825df8cfee..3a319c5981682 100644 --- a/api_docs/vis_type_xy.mdx +++ b/api_docs/vis_type_xy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeXy title: "visTypeXy" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeXy plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeXy'] --- import visTypeXyObj from './vis_type_xy.devdocs.json'; diff --git a/api_docs/visualizations.mdx b/api_docs/visualizations.mdx index 5c75c0988a45c..fa60c08df818c 100644 --- a/api_docs/visualizations.mdx +++ b/api_docs/visualizations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visualizations title: "visualizations" image: https://source.unsplash.com/400x175/?github description: API docs for the visualizations plugin -date: 2022-12-11 +date: 2022-12-12 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visualizations'] --- import visualizationsObj from './visualizations.devdocs.json'; From 567de2d4e2475554bfdbb2d0f6f46a87768fb43c Mon Sep 17 00:00:00 2001 From: Bena Kansara <69037875+benakansara@users.noreply.github.com> Date: Mon, 12 Dec 2022 13:04:12 +0530 Subject: [PATCH 20/20] Add groupByKeys context to recovered alerts for Log Threshold Rule and Metric Threshold Rule (#146874) ## Summary Closes https://github.com/elastic/kibana/issues/146349, https://github.com/elastic/kibana/issues/146347 With this PR, it is possible to use `groupByKeys` context variable for `Recovered` action template when creating Log threshold and Metric threshold rules. Previously this context variable was available, but was not set for `recovered` alerts. When a Log/Metric Threshold rule is created with one or more `group by`, for example, `agent.hostname` and `container.id`, the `context.groupByKeys` variable will have an object of group by keys as below: ``` { "agent": { "hostname": "host-01" }, "container": { "id": "container-01" } } ``` Co-authored-by: Faisal Kanout --- .../lib/alerting/log_threshold/log_threshold_executor.ts | 6 ++++++ .../alerting/metric_threshold/metric_threshold_executor.ts | 6 ++++++ 2 files changed, 12 insertions(+) diff --git a/x-pack/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts b/x-pack/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts index 3377dbd1d1d4d..d4d6415ea88e7 100644 --- a/x-pack/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts +++ b/x-pack/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts @@ -924,6 +924,11 @@ const processRecoveredAlerts = ({ startedAt: Date; validatedParams: RuleParams; }) => { + const groupByKeysObjectForRecovered = getGroupByObject( + validatedParams.groupBy, + new Set(recoveredAlerts.map((recoveredAlert) => recoveredAlert.getId())) + ); + for (const alert of recoveredAlerts) { const recoveredAlertId = alert.getId(); const indexedStartedAt = getAlertStartedDate(recoveredAlertId) ?? startedAt.toISOString(); @@ -935,6 +940,7 @@ const processRecoveredAlerts = ({ const baseContext = { alertDetailsUrl: getAlertDetailsUrl(basePath, spaceId, alertUuid), group: hasGroupBy(validatedParams) ? recoveredAlertId : null, + groupByKeys: groupByKeysObjectForRecovered[recoveredAlertId], timestamp: startedAt.toISOString(), viewInAppUrl, }; diff --git a/x-pack/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts b/x-pack/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts index 7fc1a80812a6f..5857373a7ba25 100644 --- a/x-pack/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts +++ b/x-pack/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts @@ -300,6 +300,11 @@ export const createMetricThresholdExecutor = (libs: InfraBackendLibs) => const { getRecoveredAlerts } = services.alertFactory.done(); const recoveredAlerts = getRecoveredAlerts(); + const groupByKeysObjectForRecovered = getGroupByObject( + params.groupBy, + new Set(recoveredAlerts.map((recoveredAlert) => recoveredAlert.getId())) + ); + for (const alert of recoveredAlerts) { const recoveredAlertId = alert.getId(); const alertUuid = getAlertUuid(recoveredAlertId); @@ -311,6 +316,7 @@ export const createMetricThresholdExecutor = (libs: InfraBackendLibs) => alertDetailsUrl: getAlertDetailsUrl(libs.basePath, spaceId, alertUuid), alertState: stateToAlertMessage[AlertStates.OK], group: recoveredAlertId, + groupByKeys: groupByKeysObjectForRecovered[recoveredAlertId], metric: mapToConditionsLookup(criteria, (c) => c.metric), timestamp: startedAt.toISOString(), threshold: mapToConditionsLookup(criteria, (c) => c.threshold),