Merge remote-tracking branch 'upstream/dev' into fix-mqtt-keep-subscription-4132

This commit is contained in:
Steve-Mcl 2023-05-26 10:46:59 +01:00
commit 6cb4c9224d
38 changed files with 2019 additions and 612 deletions

View File

@ -79,7 +79,7 @@
"uglify-js": "3.17.4",
"uuid": "9.0.0",
"ws": "7.5.6",
"xml2js": "0.5.0"
"xml2js": "0.6.0"
},
"optionalDependencies": {
"bcrypt": "5.1.0"

View File

@ -1168,19 +1168,19 @@ RED.editor.codeEditor.monaco = (function() {
// Warning: 4
// Error: 8
ed.getAnnotations = function getAnnotations() {
var aceCompatibleMarkers = [];
let aceCompatibleMarkers;
try {
var _model = ed.getModel();
const _model = ed.getModel();
if (_model !== null) {
var id = _model._languageId; // e.g. javascript
var ra = _model._associatedResource.authority; //e.g. model
var rp = _model._associatedResource.path; //e.g. /18
var rs = _model._associatedResource.scheme; //e.g. inmemory
var modelMarkers = monaco.editor.getModelMarkers(_model) || [];
var thisEditorsMarkers = modelMarkers.filter(function (marker) {
var _ra = marker.resource.authority; //e.g. model
var _rp = marker.resource.path; //e.g. /18
var _rs = marker.resource.scheme; //e.g. inmemory
const id = _model.getLanguageId(); // e.g. javascript
const ra = _model.uri.authority; // e.g. model
const rp = _model.uri.path; // e.g. /18
const rs = _model.uri.scheme; // e.g. inmemory
const modelMarkers = monaco.editor.getModelMarkers(_model) || [];
const thisEditorsMarkers = modelMarkers.filter(function (marker) {
const _ra = marker.resource.authority; // e.g. model
const _rp = marker.resource.path; // e.g. /18
const _rs = marker.resource.scheme; // e.g. inmemory
return marker.owner == id && _ra === ra && _rp === rp && _rs === rs;
})
aceCompatibleMarkers = thisEditorsMarkers.map(function (marker) {

View File

@ -1,6 +1,5 @@
/* NOTE: Do not edit directly! This file is generated using `npm run update-types` in https://github.com/node-red/nr-monaco-build */
/* NOTE: Do not edit directly! This file is generated using `npm run update-types` in https://github.com/Steve-Mcl/monaco-editor-esm-i18n */
interface NodeMessage {
topic?: string;
@ -281,5 +280,5 @@ declare class env {
* @example
* ```const flowName = env.get("NR_FLOW_NAME");```
*/
static get(name:string) :string;
static get(name:string) :any;
}

View File

@ -1279,6 +1279,7 @@ declare module 'crypto' {
interface VerifyKeyObjectInput extends SigningOptions {
key: KeyObject;
}
interface VerifyJsonWebKeyInput extends JsonWebKeyInput, SigningOptions {}
type KeyLike = string | Buffer | KeyObject;
/**
* The `Sign` class is a utility for generating signatures. It can be used in one
@ -1433,8 +1434,8 @@ declare module 'crypto' {
* be passed instead of a public key.
* @since v0.1.92
*/
verify(object: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput, signature: NodeJS.ArrayBufferView): boolean;
verify(object: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput, signature: string, signature_format?: BinaryToTextEncoding): boolean;
verify(object: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput | VerifyJsonWebKeyInput, signature: NodeJS.ArrayBufferView): boolean;
verify(object: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput | VerifyJsonWebKeyInput, signature: string, signature_format?: BinaryToTextEncoding): boolean;
}
/**
* Creates a `DiffieHellman` key exchange object using the supplied `prime` and an
@ -2941,11 +2942,16 @@ declare module 'crypto' {
* If the `callback` function is provided this function uses libuv's threadpool.
* @since v12.0.0
*/
function verify(algorithm: string | null | undefined, data: NodeJS.ArrayBufferView, key: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput, signature: NodeJS.ArrayBufferView): boolean;
function verify(
algorithm: string | null | undefined,
data: NodeJS.ArrayBufferView,
key: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput,
key: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput | VerifyJsonWebKeyInput,
signature: NodeJS.ArrayBufferView
): boolean;
function verify(
algorithm: string | null | undefined,
data: NodeJS.ArrayBufferView,
key: KeyLike | VerifyKeyObjectInput | VerifyPublicKeyInput | VerifyJsonWebKeyInput,
signature: NodeJS.ArrayBufferView,
callback: (error: Error | null, result: boolean) => void
): void;
@ -3094,12 +3100,13 @@ declare module 'crypto' {
*/
disableEntropyCache?: boolean | undefined;
}
type UUID = `${string}-${string}-${string}-${string}-${string}`;
/**
* Generates a random [RFC 4122](https://www.rfc-editor.org/rfc/rfc4122.txt) version 4 UUID. The UUID is generated using a
* cryptographic pseudorandom number generator.
* @since v15.6.0
*/
function randomUUID(options?: RandomUUIDOptions): string;
function randomUUID(options?: RandomUUIDOptions): UUID;
interface X509CheckOptions {
/**
* @default 'always'
@ -3558,7 +3565,7 @@ declare module 'crypto' {
* The UUID is generated using a cryptographic pseudorandom number generator.
* @since v16.7.0
*/
randomUUID(): string;
randomUUID(): UUID;
CryptoKey: CryptoKeyConstructor;
}
// This constructor throws ILLEGAL_CONSTRUCTOR so it should not be newable.

View File

@ -1,4 +0,0 @@
[ViewState]
Mode=
Vid=
FolderType=Generic

View File

@ -174,7 +174,7 @@ declare module 'dns' {
type: 'AAAA';
}
export interface CaaRecord {
critial: number;
critical: number;
issue?: string | undefined;
issuewild?: string | undefined;
iodef?: string | undefined;

View File

@ -56,7 +56,7 @@ interface AbortController {
/**
* Invoking this method will set this object's AbortSignal's aborted flag and signal to any observers that the associated activity is to be aborted.
*/
abort(): void;
abort(reason?: any): void;
}
/** A signal object that allows you to communicate with a DOM request (such as a Fetch) and abort it if required via an AbortController object. */

View File

@ -862,6 +862,105 @@ declare module 'stream' {
end(chunk: any, encoding?: BufferEncoding, cb?: () => void): this;
cork(): void;
uncork(): void;
/**
* Event emitter
* The defined events on documents including:
* 1. close
* 2. data
* 3. drain
* 4. end
* 5. error
* 6. finish
* 7. pause
* 8. pipe
* 9. readable
* 10. resume
* 11. unpipe
*/
addListener(event: 'close', listener: () => void): this;
addListener(event: 'data', listener: (chunk: any) => void): this;
addListener(event: 'drain', listener: () => void): this;
addListener(event: 'end', listener: () => void): this;
addListener(event: 'error', listener: (err: Error) => void): this;
addListener(event: 'finish', listener: () => void): this;
addListener(event: 'pause', listener: () => void): this;
addListener(event: 'pipe', listener: (src: Readable) => void): this;
addListener(event: 'readable', listener: () => void): this;
addListener(event: 'resume', listener: () => void): this;
addListener(event: 'unpipe', listener: (src: Readable) => void): this;
addListener(event: string | symbol, listener: (...args: any[]) => void): this;
emit(event: 'close'): boolean;
emit(event: 'data', chunk: any): boolean;
emit(event: 'drain'): boolean;
emit(event: 'end'): boolean;
emit(event: 'error', err: Error): boolean;
emit(event: 'finish'): boolean;
emit(event: 'pause'): boolean;
emit(event: 'pipe', src: Readable): boolean;
emit(event: 'readable'): boolean;
emit(event: 'resume'): boolean;
emit(event: 'unpipe', src: Readable): boolean;
emit(event: string | symbol, ...args: any[]): boolean;
on(event: 'close', listener: () => void): this;
on(event: 'data', listener: (chunk: any) => void): this;
on(event: 'drain', listener: () => void): this;
on(event: 'end', listener: () => void): this;
on(event: 'error', listener: (err: Error) => void): this;
on(event: 'finish', listener: () => void): this;
on(event: 'pause', listener: () => void): this;
on(event: 'pipe', listener: (src: Readable) => void): this;
on(event: 'readable', listener: () => void): this;
on(event: 'resume', listener: () => void): this;
on(event: 'unpipe', listener: (src: Readable) => void): this;
on(event: string | symbol, listener: (...args: any[]) => void): this;
once(event: 'close', listener: () => void): this;
once(event: 'data', listener: (chunk: any) => void): this;
once(event: 'drain', listener: () => void): this;
once(event: 'end', listener: () => void): this;
once(event: 'error', listener: (err: Error) => void): this;
once(event: 'finish', listener: () => void): this;
once(event: 'pause', listener: () => void): this;
once(event: 'pipe', listener: (src: Readable) => void): this;
once(event: 'readable', listener: () => void): this;
once(event: 'resume', listener: () => void): this;
once(event: 'unpipe', listener: (src: Readable) => void): this;
once(event: string | symbol, listener: (...args: any[]) => void): this;
prependListener(event: 'close', listener: () => void): this;
prependListener(event: 'data', listener: (chunk: any) => void): this;
prependListener(event: 'drain', listener: () => void): this;
prependListener(event: 'end', listener: () => void): this;
prependListener(event: 'error', listener: (err: Error) => void): this;
prependListener(event: 'finish', listener: () => void): this;
prependListener(event: 'pause', listener: () => void): this;
prependListener(event: 'pipe', listener: (src: Readable) => void): this;
prependListener(event: 'readable', listener: () => void): this;
prependListener(event: 'resume', listener: () => void): this;
prependListener(event: 'unpipe', listener: (src: Readable) => void): this;
prependListener(event: string | symbol, listener: (...args: any[]) => void): this;
prependOnceListener(event: 'close', listener: () => void): this;
prependOnceListener(event: 'data', listener: (chunk: any) => void): this;
prependOnceListener(event: 'drain', listener: () => void): this;
prependOnceListener(event: 'end', listener: () => void): this;
prependOnceListener(event: 'error', listener: (err: Error) => void): this;
prependOnceListener(event: 'finish', listener: () => void): this;
prependOnceListener(event: 'pause', listener: () => void): this;
prependOnceListener(event: 'pipe', listener: (src: Readable) => void): this;
prependOnceListener(event: 'readable', listener: () => void): this;
prependOnceListener(event: 'resume', listener: () => void): this;
prependOnceListener(event: 'unpipe', listener: (src: Readable) => void): this;
prependOnceListener(event: string | symbol, listener: (...args: any[]) => void): this;
removeListener(event: 'close', listener: () => void): this;
removeListener(event: 'data', listener: (chunk: any) => void): this;
removeListener(event: 'drain', listener: () => void): this;
removeListener(event: 'end', listener: () => void): this;
removeListener(event: 'error', listener: (err: Error) => void): this;
removeListener(event: 'finish', listener: () => void): this;
removeListener(event: 'pause', listener: () => void): this;
removeListener(event: 'pipe', listener: (src: Readable) => void): this;
removeListener(event: 'readable', listener: () => void): this;
removeListener(event: 'resume', listener: () => void): this;
removeListener(event: 'unpipe', listener: (src: Readable) => void): this;
removeListener(event: string | symbol, listener: (...args: any[]) => void): this;
}
type TransformCallback = (error?: Error | null, data?: any) => void;
interface TransformOptions extends DuplexOptions {

View File

@ -45,7 +45,7 @@ declare module 'node:test' {
function test(options?: TestOptions, fn?: TestFn): Promise<void>;
function test(fn?: TestFn): Promise<void>;
/**
/*
* @since v16.17.0
* @param name The name of the suite, which is displayed when reporting suite results.
* Default: The `name` property of fn, or `'<anonymous>'` if `fn` does not have a name.
@ -57,7 +57,7 @@ declare module 'node:test' {
function describe(options?: TestOptions, fn?: SuiteFn): void;
function describe(fn?: SuiteFn): void;
/**
/*
* @since v16.17.0
* @param name The name of the test, which is displayed when reporting test results.
* Default: The `name` property of fn, or `'<anonymous>'` if `fn` does not have a name.

File diff suppressed because one or more lines are too long

View File

@ -1,6 +1,6 @@
/*!-----------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Version: 0.36.1(6c56744c3419458f0dd48864520b759d1a3a1ca8)
* Version: 0.38.0(0e330ae453813de4e6cf272460fb79c7117073d0)
* Released under the MIT license
* https://github.com/microsoft/monaco-editor/blob/main/LICENSE.txt
*-----------------------------------------------------------------------------*/

File diff suppressed because one or more lines are too long

View File

@ -2,7 +2,7 @@
/*!-----------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Version: 0.36.1(6c56744c3419458f0dd48864520b759d1a3a1ca8)
* Version: 0.38.0(0e330ae453813de4e6cf272460fb79c7117073d0)
* Released under the MIT license
* https://github.com/microsoft/monaco-editor/blob/main/LICENSE.txt
*-----------------------------------------------------------------------------*/

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@ -1,6 +1,6 @@
/*!-----------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Version: 0.36.1(6c56744c3419458f0dd48864520b759d1a3a1ca8)
* Version: 0.38.0(0e330ae453813de4e6cf272460fb79c7117073d0)
* Released under the MIT license
* https://github.com/microsoft/monaco-editor/blob/main/LICENSE.txt
*-----------------------------------------------------------------------------*/

File diff suppressed because one or more lines are too long

View File

@ -1,6 +1,6 @@
/*!-----------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Version: 0.36.1(6c56744c3419458f0dd48864520b759d1a3a1ca8)
* Version: 0.38.0(0e330ae453813de4e6cf272460fb79c7117073d0)
* Released under the MIT license
* https://github.com/microsoft/monaco-editor/blob/main/LICENSE.txt
*-----------------------------------------------------------------------------*/

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Chyba: {0}",
"alertInfoMessage": "Informace: {0}",
"alertWarningMessage": "Upozornění: {0}",
"clearedInput": "Zadání se vymazalo",
"history.inputbox.hint": "pro historii"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " k navigaci ve změnách použijte Shift+F7.",
"diff.tooLarge": "Nelze porovnat soubory, protože jeden soubor je příliš velký.",
"diffInsertIcon": "Dekorace řádku pro operace vložení do editoru rozdílů",
"diffRemoveIcon": "Dekorace řádku pro operace odebrání do editoru rozdílů"
"diffRemoveIcon": "Dekorace řádku pro operace odebrání do editoru rozdílů",
"revertChangeHoverMessage": "Kliknutím vrátíte změnu zpět."
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "prázdné",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Určuje, jestli editor zobrazí CodeLens.",
"detectIndentation": "Určuje, jestli se {0} a {1} automaticky zjistí při otevření souboru na základě obsahu souboru.",
"diffAlgorithm.experimental": "Používá experimentální rozdílový algoritmus.",
"diffAlgorithm.smart": "Používá výchozí rozdílový algoritmus.",
"diffAlgorithm.advanced": "Používá pokročilý rozdílový algoritmus.",
"diffAlgorithm.legacy": "Používá starší rozdílový algoritmus.",
"editor.experimental.asyncTokenization": "Určuje, jestli se má tokenizace provádět asynchronně ve webovém pracovním procesu.",
"editor.experimental.asyncTokenizationLogging": "Určuje, jestli se má protokolovat asynchronní tokenizace. Pouze pro ladění.",
"editor.experimental.asyncTokenizationVerification": "Určuje, zda se má asynchronní tokenizace ověřit pomocí tokenizace starší verze pozadí. Může zpomalit tokenizaci. Pouze pro ladění.",
"editorConfigurationTitle": "Editor",
"ignoreTrimWhitespace": "Když je povoleno, editor rozdílů ignoruje změny v počátečních nebo koncových prázdných znacích.",
"indentSize": "Počet mezer použitých pro odsazení nebo „tabSize“ pro použití hodnoty z #editor.tabSize#. Toto nastavení se přepíše na základě obsahu souboru, když je zapnutá možnost #editor.detectIndentation#.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "cursorSurroundingLines se vynucuje vždy.",
"cursorSurroundingLinesStyle.default": "cursorSurroundingLines se vynucuje pouze v případě, že se aktivuje pomocí klávesnice nebo rozhraní API.",
"cursorWidth": "Určuje šířku kurzoru v případě, že má nastavení #editor.cursorStyle# hodnotu line.",
"defaultColorDecorators": "Určuje, jestli se mají zobrazovat dekorace vložených barev pomocí výchozího zprostředkovatele barev dokumentu.",
"definitionLinkOpensInPeek": "Určuje, jestli se má pomocí gesta myší Přejít k definici vždy otevřít widget náhledu.",
"deprecated": "Toto nastavení je zastaralé. Místo něj prosím použijte samostatné nastavení, například editor.suggest.showKeywords nebo editor.suggest.showSnippets.",
"dragAndDrop": "Určuje, jestli má editor povolit přesouvání vybraných položek přetažením.",
"dropIntoEditor.enabled": "Určuje, jestli můžete soubor přetáhnout do textového editoru podržením klávesy Shift (místo otevření souboru v editoru).",
"dropIntoEditor.showDropSelector": "Určuje, jestli se při přetažení souborů do editoru zobrazí widget. Tento widget umožňuje řídit, jak se soubor přetáhne.",
"dropIntoEditor.showDropSelector.afterDrop": "Po přetažení souboru do editoru zobrazte widget pro výběr přetažení.",
"dropIntoEditor.showDropSelector.never": "Nikdy nezobrazovat widget pro výběr přetažení. Místo toho se vždy použije výchozí zprostředkovatel přetažení.",
"editor.autoClosingBrackets.beforeWhitespace": "Automaticky k levým hranatým závorkám doplňovat pravé hranaté závorky, pouze pokud se kurzor nachází nalevo od prázdného znaku",
"editor.autoClosingBrackets.languageDefined": "Pomocí konfigurací jazyka můžete určit, kdy se mají k levým hranatým závorkám automaticky doplňovat pravé hranaté závorky.",
"editor.autoClosingDelete.auto": "Odebrat sousední koncové uvozovky nebo pravé hranaté závorky pouze v případě, že se vložily automaticky",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Vložené nápovědy jsou ve výchozím nastavení skryté a zobrazí se, když podržíte {0}.",
"editor.inlayHints.on": "Pomocné parametry pro vložené informace jsou povoleny.",
"editor.inlayHints.onUnlessPressed": "Vložené nápovědy se ve výchozím nastavení zobrazují a skryjí se, když podržíte {0}.",
"editor.stickyScroll": "Zobrazí vnořené aktuální obory během posouvání v horní části editoru.",
"editor.stickyScroll.": "Definuje maximální počet rychlých čar, které se mají zobrazit.",
"editor.stickyScroll.defaultModel": "Definuje model, který se má použít k určení, které řádky se mají přilepit. Pokud model osnovy neexistuje, nastaví se opět model zprostředkovatele skládání, který se vrátí na model odsazení. Toto pořadí je respektováno ve všech třech případech.",
"editor.stickyScroll.enabled": "Zobrazí vnořené aktuální obory během posouvání v horní části editoru.",
"editor.stickyScroll.maxLineCount": "Definuje maximální počet rychlých čar, které se mají zobrazit.",
"editor.suggest.matchOnWordStartOnly": "Pokud je povoleno filtrování IntelliSense, vyžaduje, aby se první znak shodoval na začátku slova. Například „c“ u „Console“ nebo „WebContext“, ale _ne_ na „description“. Pokud je funkce IntelliSense zakázaná, zobrazí se více výsledků, ale přesto je seřadí podle kvality shody.",
"editor.suggest.showClasss": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „class“.",
"editor.suggest.showColors": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „color“.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Určuje, kdy se má zobrazit panel nástrojů vložených návrhů.",
"inlineSuggest.showToolbar.always": "Pokaždé, když se zobrazí vložený návrh, zobrazí se panel nástrojů vložených návrhů.",
"inlineSuggest.showToolbar.onHover": "Při najetí myší na vložený návrh se zobrazí panel nástrojů vložených návrhů.",
"inlineSuggest.suppressSuggestions": "Určuje, jak vložené návrhy interagují s widgetem návrhů. Pokud je tato možnost povolená, widget návrhů se nezobrazí automaticky, pokud jsou k dispozici vložené návrhy.",
"letterSpacing": "Určuje mezery mezi písmeny v pixelech.",
"lineHeight": "Určuje výšku řádku. \r\n Při použití hodnoty 0 se automaticky vypočítá výška řádku z velikosti písma.\r\n Hodnoty mezi 0 a 8 se použijí jako multiplikátor s velikostí písma.\r\n Hodnoty větší nebo rovny 8 se použijí jako efektivní hodnoty.",
"lineNumbers": "Řídí zobrazování čísel řádků.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Určuje velikost mezery mezi horním okrajem editoru a prvním řádkem.",
"parameterHints.cycle": "Určuje, jestli má nabídka tipů zůstat otevřená (cyklovat) nebo jestli se má při dosažení konce seznamu zavřít.",
"parameterHints.enabled": "Povoluje automaticky otevírané okno, které při psaní zobrazuje dokumentaci k parametrům a informace o typu.",
"pasteAs.enabled": "Určuje, jestli můžete obsah vkládat různými způsoby.",
"pasteAs.showPasteSelector": "Určuje, jestli se při vkládání souborů do editoru zobrazí widget. Tento widget umožňuje řídit způsob vložení souboru.",
"pasteAs.showPasteSelector.afterPaste": "Po vložení obsahu do editoru zobrazit widget pro výběr vložení.",
"pasteAs.showPasteSelector.never": "Nikdy nezobrazovat widget pro výběr vložení. Místo toho se vždy použije výchozí chování vkládání.",
"peekWidgetDefaultFocus": "Určuje, jestli má být ve widgetu náhledu fokus na vloženém (inline) editoru nebo stromu.",
"peekWidgetDefaultFocus.editor": "Při otevření náhledu přepnout fokus na editor",
"peekWidgetDefaultFocus.tree": "Při otevření náhledu přepnout fokus na strom",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Vykreslovat svislá pravítka po určitém počtu neproporcionálních znaků. Pro více pravítek použijte více hodnot. Pokud je pole hodnot prázdné, nejsou vykreslena žádná pravítka.",
"rulers.color": "Barva tohoto pravítka editoru",
"rulers.size": "Počet neproporcionálních znaků, při kterém se toto pravítko editoru vykreslí",
"screenReaderAnnounceInlineSuggestion": "Určete, jestli čtečka obrazovky oznamuje vložené návrhy. Upozorňujeme, že v macOS s funkcí VoiceOver to nefunguje.",
"scrollBeyondLastColumn": "Určuje počet dalších znaků, po jejichž překročení se bude editor posouvat vodorovně.",
"scrollBeyondLastLine": "Určuje, jestli se editor bude posouvat za posledním řádkem.",
"scrollPredominantAxis": "Při současném posouvání ve svislém i vodorovném směru posouvat pouze podél dominantní osy. Zabrání vodorovnému posunu při svislém posouvání na trackpadu.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Určuje, jestli mají být v návrzích zobrazené nebo skryté ikony.",
"suggest.showInlineDetails": "Určuje, jestli se mají podrobnosti návrhů zobrazovat společně s popiskem, nebo jenom ve widgetu podrobností.",
"suggest.showStatusBar": "Určuje viditelnost stavového řádku v dolní části widgetu návrhů.",
"suggest.snippetsPreventQuickSuggestions": "Určuje, jestli má aktivní fragment kódu zakazovat rychlé návrhy.",
"suggestFontSize": "Velikost písma widgetu návrhů. Při nastavení na hodnotu {0} je použita hodnota {1}.",
"suggestLineHeight": "Výška řádku widgetu návrhů. Při nastavení na hodnotu {0} je použita hodnota {1}. Minimální hodnota je 8.",
"suggestOnTriggerCharacters": "Určuje, jestli se mají při napsání aktivačních znaků automaticky zobrazovat návrhy.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Určuje, jestli editor má vybraný text.",
"editorHasSignatureHelpProvider": "Určuje, jestli editor má poskytovatele nápovědy k signatuře.",
"editorHasTypeDefinitionProvider": "Určuje, jestli editor má poskytovatele definic typů.",
"editorHoverFocused": "Určuje, jestli je fokus na najetí myší v editoru.",
"editorHoverVisible": "Určuje, jestli je najetí myší na editor viditelné.",
"editorLangId": "Identifikátor jazyka editoru",
"editorReadonly": "Určuje, jestli je editor jen pro čtení.",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Určuje, jestli text editoru má fokus (kurzor bliká).",
"inCompositeEditor": "Určuje, jestli je editor součástí většího editoru (např. poznámkových bloků).",
"inDiffEditor": "Určuje, jestli je kontext editorem rozdílů.",
"isEmbeddedDiffEditor": "Určuje, jestli je kontext vloženým editorem rozdílů",
"standaloneColorPickerFocused": "Určuje, jestli je samostatný Výběr barvy zvýrazněný",
"standaloneColorPickerVisible": "Určuje, jestli je samostatný Výběr barvy viditelný",
"stickyScrollFocused": "Určuje, jestli je fokus na rychlém posouvání",
"stickyScrollVisible": "Určuje, jestli je rychlé posouvání viditelné",
"textInputFocus": "Určuje, jestli editor nebo vstup formátovaného textu mají fokus (kurzor bliká)."
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Stisknutím kláves Alt+F1 zobrazíte možnosti usnadnění přístupu.",
"accessibilityHelpTitle": "Nápovědu k funkcím přístupnosti",
"auto_off": "Editor je nakonfigurovaný tak, aby nebyl nikdy optimalizovaný pro použití se čtečkou obrazovky, což v tuto chvíli není ten případ.",
"auto_on": "Editor je nakonfigurovaný tak, aby byl optimalizovaný pro použití se čtečkou obrazovky.",
"bulkEditServiceSummary": "V {1} souborech byl proveden tento počet oprav: {0}.",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Přejít na hranatou &&závorku",
"overviewRulerBracketMatchForeground": "Barva značky přehledového pravítka pro odpovídající hranaté závorky",
"smartSelect.jumpBracket": "Přejít na hranatou závorku",
"smartSelect.removeBrackets": "Odebrat hranaté závorky",
"smartSelect.selectToBracket": "Vybrat po hranatou závorku"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Uspořádat importy",
"quickfix.trigger.label": "Rychlá oprava...",
"refactor.label": "Refaktorovat...",
"refactor.preview.label": "Refaktorovat prostřednictvím Preview",
"source.label": "Zdrojová akce..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Umožňuje povolit nebo zakázat zobrazování záhlaví skupin v nabídce Akce kódu."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Skrývání se zakázalo",
"showMoreActions": "Zobrazit zakázané"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Přepsat...",
"codeAction.widget.id.extract": "Extrahovat...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Zdrojová akce",
"codeAction.widget.id.surround": "Uzavřít do…"
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Skrývání se zakázalo",
"showMoreActions": "Zobrazit zakázané"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Zobrazit akce kódu",
"codeActionWithKb": "Zobrazit akce kódu ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Zobrazit příkazy CodeLens pro aktuální řádek"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Kliknutím přepnete možnosti barev (rgb/hsl/hex)."
"clickToToggleColorOptions": "Kliknutím přepnete možnosti barev (rgb/hsl/hex).",
"closeIcon": "Ikona pro zavření výběru barvy"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Skrýt Výběr barvy",
"insertColorWithStandaloneColorPicker": "Vložit barvu přes samostatný Výběr barvy",
"mishowOrFocusStandaloneColorPicker": "&&Zobrazit nebo zvýraznit samostatný Výběr barvy",
"showOrFocusStandaloneColorPicker": "Zobrazit nebo zvýraznit samostatný Výběr barvy"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Přepnout komentář k bloku",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Vždy",
"context.minimap.slider.mouseover": "Ukazatel myši"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Povolí nebo zakáže spouštění úprav z rozšíření při vložení."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Spouští se obslužné rutiny vložení..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Provést znovu akci kurzoru",
"cursor.undo": "Vrátit zpět akci kurzoru"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Spouští se obslužné rutiny přetažení…"
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Určuje, jestli editor spouští operaci, která se dá zrušit, např. Náhled na odkazy"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Přejít na shodu…",
"findMatchAction.inputPlaceHolder": "Zadejte číslo pro přechod na konkrétní shodu (mezi 1 a {0})",
"findMatchAction.inputValidationMessage": "Zadejte číslo mezi 1 a {0}.",
"findMatchAction.noResults": "Žádné shody. Zkuste hledat něco jiného.",
"findNextMatchAction": "Najít další",
"findPreviousMatchAction": "Najít předchozí",
"miFind": "&&Najít",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 symbol v: {0}, úplná cesta: {1}",
"aria.fileReferences.N": "Symboly (celkem {0}) v: {1}, úplná cesta: {2}",
"aria.oneReference": "symbol v {0} na řádku {1} ve sloupci {2}",
"aria.oneReference.preview": "symbol v {0} na řádku {1} ve sloupci {2}, {3}",
"aria.oneReference": "v {0} na řádku {1} ve sloupci {2}",
"aria.oneReference.preview": "{0} v {1} na řádku {2} ve sloupci{3}",
"aria.result.0": "Nenašly se žádné výsledky.",
"aria.result.1": "V {0} byl nalezen 1 symbol.",
"aria.result.n1": "V {1} byl nalezen tento počet symbolů: {0}.",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Symbol {0} z {1}, {2} pro další"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Najetí myší na fokus uvození",
"goToBottomHover": "Přechod dolů při přechodu myší",
"goToTopHover": "Přejít na horní najetí myší",
"pageDownHover": "Najetí myší o stránku dolů",
"pageUpHover": "Najetí myší o stránku nahoru",
"scrollDownHover": "Najetí myší na posouvání dolů",
"scrollLeftHover": "Posunout doleva při přechodu myší",
"scrollRightHover": "Posunout doprava při přechodu myší",
"scrollUpHover": "Najetí myší na posouvání nahoru",
"showDefinitionPreviewHover": "Zobrazit náhled definice při umístění ukazatele myši",
"showHover": "Zobrazit informace po umístění ukazatele myši"
"showOrFocusHover": "Zobrazit nebo zaměřit na najetí myší"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Načítání...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl + kliknutí",
"links.navigate.kb.meta.mac": "cmd + kliknutí"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Přijmout",
"acceptLine": "Přijmout řádek",
"acceptWord": "Přijmout slovo",
"action.inlineSuggest.accept": "Přijmout vložený návrh",
"action.inlineSuggest.acceptNextLine": "Přijmout další řádek vloženého návrhu",
"action.inlineSuggest.acceptNextWord": "Přijmout další vložené slovo návrhu",
"action.inlineSuggest.alwaysShowToolbar": "Vždy zobrazit panel nástrojů",
"action.inlineSuggest.hide": "Hide Inline Suggestion (Skrýt vložený návrh)",
"action.inlineSuggest.showNext": "Zobrazit další vložený návrh",
"action.inlineSuggest.showPrevious": "Zobrazit předchozí vložený návrh",
"action.inlineSuggest.trigger": "Aktivovat vložený návrh",
"action.inlineSuggest.undo": "Vrátit zpět akci Přijmout slovo",
"action.inlineSuggest.trigger": "Aktivovat vložený návrh"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Návrh:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Určuje, jestli má být panel nástrojů vložených návrhů vždy viditelný.",
"canUndoInlineSuggestion": "Určuje, jestli má vrácení vrátit vložený návrh zpět.",
"inlineSuggestionHasIndentation": "Určuje, jestli vložený návrh začíná prázdným znakem.",
"inlineSuggestionHasIndentationLessThanTabSize": "Určuje, zda vložený návrh začíná mezerou, která je menší, než jaká by byla vložena tabulátorem",
"inlineSuggestionVisible": "Určuje, jestli je vložený návrh viditelný.",
"undoAcceptWord": "Vrátit zpět akci Přijmout slovo"
"suppressSuggestions": "Určuje, jestli se mají návrhy pro aktuální návrh potlačit."
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Návrh:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Další",
"parameterHintsNextIcon": "Ikona pro zobrazení další nápovědy k parametru",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "St"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Fokus na rychlé posouvání",
"goToFocusedStickyScrollLine.title": "Přejít na rychlý posuvník s fokusem",
"miStickyScroll": "&&Rychlé posouvání",
"mifocusStickyScroll": "&&Fokus na rychlé posouvání",
"mitoggleStickyScroll": "&&Přepnout rychlé posouvání",
"selectEditor.title": "Vybrat editor",
"selectNextStickyScrollLine.title": "Výběr dalšího rychlého posuvníku",
"selectPreviousStickyScrollLine.title": "Výběr předchozího rychlého posuvníku",
"stickyScroll": "Rychlé posouvání",
"toggleStickyScroll": "Přepnout rychlé posouvání"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Upravit nastavení",
"unicodeHighlight.allowCommonCharactersInLanguage": "Povolte znaky Unicode, které jsou v jazyce {0} častější.",
"unicodeHighlight.characterIsAmbiguous": "Znak {0} může být zaměněn se znakem {1}, který je ve zdrojovém kódu běžnější.",
"unicodeHighlight.characterIsAmbiguousASCII": "Může dojít k záměně znaku {0} se znakem ASCII {1}, který je ve zdrojovém kódu častější.",
"unicodeHighlight.characterIsInvisible": "Znak {0} není viditelný.",
"unicodeHighlight.characterIsNonBasicAscii": "Znak {0} není základní znak ASCII.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Konfigurovat možnosti zvýraznění Unicode",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Vývojář",
"file": "Soubor",
"help": "Nápověda",
"preferences": "Předvolby",
"test": "Test",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Příkaz, který vrací informace o kontextových klíčích"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "pravá závorka „)“",
"contextkey.parser.error.emptyString": "Prázdný výraz kontextového klíče",
"contextkey.parser.error.emptyString.hint": "Nezapomněli jste napsat výraz? Můžete také nastavit false nebo true, aby vždy došlo k vyhodnocení jako false nebo true.",
"contextkey.parser.error.expectedButGot": "Očekáváno: {0}\r\nPřijato:{1}",
"contextkey.parser.error.noInAfterNot": "„In“ po „not“.",
"contextkey.parser.error.unexpectedEOF": "Neočekávaný konec výrazu",
"contextkey.parser.error.unexpectedEOF.hint": "Nezapomněli jste vložit kontextový klíč?",
"contextkey.parser.error.unexpectedToken": "Neočekávaný token",
"contextkey.parser.error.unexpectedToken.hint": "Nezapomněli jste před token vložit && nebo ||?",
"contextkey.scanner.errorForLinter": "Neočekávaný token.",
"contextkey.scanner.errorForLinterWithHint": "Neočekávaný token. Tip: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Určuje, jestli je fokus klávesnice uvnitř vstupního pole.",
"isIOS": "Určuje, jestli je operačním systémem iOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Určuje, jestli je operačním systémem Windows.",
"productQualityType": "Typ kvality VS Code"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Nezapomněli jste uvozit znak lomítka (/)? Před řídicí znak vložte dvě zpětná lomítka, např. \\\\/.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Nezapomněli jste nabídku otevřít nebo zavřít?",
"contextkey.scanner.hint.didYouMean1": "Měli jste na mysli {0}?",
"contextkey.scanner.hint.didYouMean2": "Měli jste na mysli {0} nebo {1}?",
"contextkey.scanner.hint.didYouMean3": "Měli jste na mysli {0}, {1} nebo {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Zrušit",
"moreFile": "...nezobrazuje se 1 další soubor",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0}) byla stisknuta. Čekání na druhou klávesu...",
"missing.chord": "Kombinace kláves ({0}, {1}) není příkaz."
"missing.chord": "Kombinace kláves ({0}, {1}) není příkaz.",
"next.chord": "Došlo ke stisknutí ({0}). Čeká se na další klíč akordu"
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Multiplikátor rychlosti posouvání při podržené klávese Alt",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Barva ohraničení widgetů editoru. Tato barva se používá pouze tehdy, když widget používá ohraničení a barva není přepsána widgetem.",
"editorWidgetForeground": "Barva popředí widgetů editoru, například najít/nahradit",
"editorWidgetResizeBorder": "Barva ohraničení panelu pro změnu velikosti widgetů editoru. Barva se používá pouze tehdy, když widget používá ohraničení pro změnu velikosti a barva není přepsána widgetem.",
"errorBorder": "Barva ohraničení polí chyb v editoru",
"errorBorder": "Pokud je tato možnost nastavená, udává barvu dvojitého podtržení chyb v editoru.",
"errorForeground": "Celková barva popředí pro chybové zprávy. Tato barva se používá pouze v případě, že není přepsána některou komponentou.",
"findMatchHighlight": "Barva ostatních shod při vyhledávání. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
"findMatchHighlightBorder": "Barva ohraničení ostatních shod při vyhledávání",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Celková barva ohraničení pro prvky s fokusem. Tato barva se používá pouze v případě, že není přepsána některou komponentou.",
"foreground": "Celková barva popředí. Tato barva se používá pouze v případě, že není přepsána některou komponentou.",
"highlight": "Barva popředí seznamu nebo stromu pro zvýraznění shody při vyhledávání v rámci seznamu nebo stromu",
"hintBorder": "Barva ohraničení polí tipů v editoru",
"hintBorder": "Pokud je tato možnost nastavená, udává barvu dvojitého podtržení tipů v editoru.",
"hoverBackground": "Barva pozadí informací zobrazených v editoru při umístění ukazatele myši",
"hoverBorder": "Barva ohraničení pro informace zobrazené v editoru při umístění ukazatele myši",
"hoverForeground": "Barva popředí pro informace zobrazené v editoru při umístění ukazatele myši",
"hoverHighlight": "Zvýraznění pod slovem, pro které se zobrazují informace po umístění ukazatele myši. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
"iconForeground": "Výchozí barva ikon na pracovní ploše",
"infoBorder": "Barva ohraničení polí informací v editoru",
"infoBorder": "Pokud je tato možnost nastavená, udává barvu dvojitého podtržení informací v editoru.",
"inputBoxActiveOptionBorder": "Barva ohraničení aktivovaných možností ve vstupních polích",
"inputBoxBackground": "Pozadí vstupního pole",
"inputBoxBorder": "Ohraničení vstupního pole",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Barva pozadí widgetu filtru typu v seznamech a stromech",
"listFilterWidgetNoMatchesOutline": "Barva obrysu widgetu filtrování typů v seznamech a stromech, pokud neexistují žádné shody",
"listFilterWidgetOutline": "Barva obrysu widgetu filtrování typů v seznamech a stromech",
"listFilterWidgetShadow": "Barva stínování widgetu filtru typu v seznamech a stromech.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Barva obrysu seznamu nebo stromu pro položku s fokusem, pokud je seznam nebo strom aktivní a vybraný. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
"listFocusBackground": "Barva pozadí seznamu nebo stromu pro položku s fokusem, pokud je seznam nebo strom aktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
"listFocusForeground": "Popředí seznamu nebo stromu pro položku s fokusem, pokud je seznam nebo strom aktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Barva pozadí jezdce posuvníku při kliknutí na něj",
"scrollbarSliderBackground": "Barva pozadí jezdce posuvníku",
"scrollbarSliderHoverBackground": "Barva pozadí jezdce posuvníku při umístění ukazatele myši",
"search.resultsInfoForeground": "Barva textu ve zprávě o dokončení vyhledávacího viewletu.",
"searchEditor.editorFindMatchBorder": "Barva ohraničení shod vrácených vyhledávacím dotazem v editoru vyhledávání",
"searchEditor.queryMatch": "Barva shod vrácených vyhledávacím dotazem v editoru vyhledávání",
"selectionBackground": "Barva pozadí výběrů textu na pracovní ploše (např. ve vstupních polích nebo textových oblastech). Poznámka: Nevztahuje se na výběry v editoru.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Obrys panelu nástrojů při najetí myší na akce",
"treeInactiveIndentGuidesStroke": "Barva tahu stromu pro vodítka odsazení, která nejsou aktivní.",
"treeIndentGuidesStroke": "Barva tahu stromu pro vodítka odsazení",
"warningBorder": "Barva ohraničení polí upozornění v editoru",
"warningBorder": "Pokud je tato možnost nastavená, udává barvu dvojitého podtržení upozornění v editoru.",
"widgetBorder": "Barva ohraničení widgetů, například pro hledání/nahrazení v rámci editoru.",
"widgetShadow": "Barva stínu widgetů, například pro hledání/nahrazení v rámci editoru"
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Fehler: {0}",
"alertInfoMessage": "Info: {0}",
"alertWarningMessage": "Warnung: {0}",
"clearedInput": "Gelöschte Eingabe",
"history.inputbox.hint": "für Verlauf"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " verwenden Sie UMSCHALT+F7, um durch Änderungen zu navigieren.",
"diff.tooLarge": "Kann die Dateien nicht vergleichen, da eine Datei zu groß ist.",
"diffInsertIcon": "Zeilenformatierung für Einfügungen im Diff-Editor",
"diffRemoveIcon": "Zeilenformatierung für Entfernungen im Diff-Editor"
"diffRemoveIcon": "Zeilenformatierung für Entfernungen im Diff-Editor",
"revertChangeHoverMessage": "Klicken Sie, um die Änderung rückgängig zu machen"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "leer",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Steuert, ob der Editor CodeLens anzeigt.",
"detectIndentation": "Steuert, ob {0} und {1} automatisch erkannt werden, wenn eine Datei basierend auf dem Dateiinhalt geöffnet wird.",
"diffAlgorithm.experimental": "Verwendet einen experimentellen Vergleichsalgorithmus.",
"diffAlgorithm.smart": "Verwendet den Standardvergleichsalgorithmus.",
"diffAlgorithm.advanced": "Verwendet den erweiterten Vergleichsalgorithmus.",
"diffAlgorithm.legacy": "Verwendet den Legacyvergleichsalgorithmus.",
"editor.experimental.asyncTokenization": "Steuert, ob die Tokenisierung asynchron auf einem Webworker erfolgen soll.",
"editor.experimental.asyncTokenizationLogging": "Steuert, ob die asynchrone Tokenisierung protokolliert werden soll. Nur zum Debuggen.",
"editor.experimental.asyncTokenizationVerification": "Steuert, ob die asynchrone Tokenisierung anhand der Legacy-Hintergrundtokenisierung überprüft werden soll. Die Tokenisierung kann verlangsamt werden. Nur zum Debuggen.",
"editorConfigurationTitle": "Editor",
"ignoreTrimWhitespace": "Wenn aktiviert, ignoriert der Diff-Editor Änderungen an voran- oder nachgestellten Leerzeichen.",
"indentSize": "Die Anzahl von Leerzeichen, die für den Einzug oder „tabSize“ verwendet werden, um den Wert aus „#editor.tabSize#“ zu verwenden. Diese Einstellung wird basierend auf dem Dateiinhalt überschrieben, wenn „#editor.detectIndentation#“ aktiviert ist.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "\"cursorSurroundingLines\" wird immer erzwungen.",
"cursorSurroundingLinesStyle.default": "\"cursorSurroundingLines\" wird nur erzwungen, wenn die Auslösung über die Tastatur oder API erfolgt.",
"cursorWidth": "Steuert die Breite des Cursors, wenn `#editor.cursorStyle#` auf `line` festgelegt ist.",
"defaultColorDecorators": "Steuert, ob Inlinefarbdekorationen mithilfe des Standard-Dokumentfarbanbieters angezeigt werden sollen.",
"definitionLinkOpensInPeek": "Steuert, ob die Mausgeste \"Gehe zu Definition\" immer das Vorschauwidget öffnet.",
"deprecated": "Diese Einstellung ist veraltet. Verwenden Sie stattdessen separate Einstellungen wie \"editor.suggest.showKeywords\" oder \"editor.suggest.showSnippets\".",
"dragAndDrop": "Steuert, ob der Editor das Verschieben einer Auswahl per Drag and Drop zulässt.",
"dropIntoEditor.enabled": "Steuert, ob Sie eine Datei in einen Editor ziehen und ablegen können, indem Sie die UMSCHALTTASTE gedrückt halten (anstatt die Datei in einem Editor zu öffnen).",
"dropIntoEditor.showDropSelector": "Steuert, ob beim Ablegen von Dateien im Editor ein Widget angezeigt wird. Mit diesem Widget können Sie steuern, wie die Datei ablegt wird.",
"dropIntoEditor.showDropSelector.afterDrop": "Zeigt das Widget für die Dropdownauswahl an, nachdem eine Datei im Editor abgelegt wurde.",
"dropIntoEditor.showDropSelector.never": "Das Widget für die Ablageauswahl wird nie angezeigt. Stattdessen wird immer der Standardablageanbieter verwendet.",
"editor.autoClosingBrackets.beforeWhitespace": "Schließe Klammern nur automatisch, wenn der Cursor sich links von einem Leerzeichen befindet.",
"editor.autoClosingBrackets.languageDefined": "Verwenden Sie Sprachkonfigurationen, um zu bestimmen, wann Klammern automatisch geschlossen werden sollen.",
"editor.autoClosingDelete.auto": "Angrenzende schließende Anführungszeichen oder Klammern werden nur überschrieben, wenn sie automatisch eingefügt wurden.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Inlayhinweise sind standardmäßig ausgeblendet. Sie werden angezeigt, wenn {0} gedrückt gehalten wird.",
"editor.inlayHints.on": "Inlay-Hinweise sind aktiviert",
"editor.inlayHints.onUnlessPressed": "Inlay-Hinweise werden standardmäßig angezeigt und ausgeblendet, wenn Sie {0} gedrückt halten",
"editor.stickyScroll": "Zeigt die geschachtelten aktuellen Bereiche während des Bildlaufs am oberen Rand des Editors an.",
"editor.stickyScroll.": "Definiert die maximale Anzahl fixierter Linien, die angezeigt werden sollen.",
"editor.stickyScroll.defaultModel": "Legt das Modell fest, das zur Bestimmung der zu fixierenden Linien verwendet wird. Existiert das Gliederungsmodell nicht, wird auf das Modell des Folding Providers zurückgegriffen, der wiederum auf das Einrückungsmodell zurückgreift. Diese Reihenfolge wird in allen drei Fällen beachtet.",
"editor.stickyScroll.enabled": "Zeigt die geschachtelten aktuellen Bereiche während des Bildlaufs am oberen Rand des Editors an.",
"editor.stickyScroll.maxLineCount": "Definiert die maximale Anzahl fixierter Linien, die angezeigt werden sollen.",
"editor.suggest.matchOnWordStartOnly": "Wenn dies aktiviert ist, erfordert die IntelliSense-Filterung, dass das erste Zeichen mit einem Wortanfang übereinstimmt, z. B. „c“ in „Console“ oder „WebContext“, aber _nicht_ bei „description“. Wenn diese Option deaktiviert ist, zeigt IntelliSense mehr Ergebnisse an, sortiert sie aber weiterhin nach der Übereinstimmungsqualität.",
"editor.suggest.showClasss": "Wenn aktiviert, zeigt IntelliSense \"class\"-Vorschläge an.",
"editor.suggest.showColors": "Wenn aktiviert, zeigt IntelliSense \"color\"-Vorschläge an.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Steuert, wann die Inlinevorschlagssymbolleiste angezeigt werden soll.",
"inlineSuggest.showToolbar.always": "Die Symbolleiste „Inline-Vorschlag“ anzeigen, wenn ein Inline-Vorschlag angezeigt wird.",
"inlineSuggest.showToolbar.onHover": "Die Symbolleiste „Inline-Vorschlag“ anzeigen, wenn Sie mit dem Mauszeiger auf einen Inline-Vorschlag zeigen.",
"inlineSuggest.suppressSuggestions": "Steuert, wie Inlinevorschläge mit dem Vorschlagswidget interagieren. Wenn diese Option aktiviert ist, wird das Vorschlagswidget nicht automatisch angezeigt, wenn Inlinevorschläge verfügbar sind.",
"letterSpacing": "Legt den Abstand der Buchstaben in Pixeln fest.",
"lineHeight": "Steuert die Zeilenhöhe. \r\n Verwenden Sie 0, um die Zeilenhöhe automatisch anhand des Schriftgrads zu berechnen.\r\n Werte zwischen 0 und 8 werden als Multiplikator mit dem Schriftgrad verwendet.\r\n Werte größer oder gleich 8 werden als effektive Werte verwendet.",
"lineNumbers": "Steuert die Anzeige von Zeilennummern.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Steuert den Abstand zwischen dem oberen Rand des Editors und der ersten Zeile.",
"parameterHints.cycle": "Steuert, ob das Menü mit Parameterhinweisen zyklisch ist oder sich am Ende der Liste schließt.",
"parameterHints.enabled": "Aktiviert ein Pop-up, das Dokumentation und Typ eines Parameters anzeigt während Sie tippen.",
"pasteAs.enabled": "Steuert, ob Sie Inhalte auf unterschiedliche Weise einfügen können.",
"pasteAs.showPasteSelector": "Steuert, ob beim Einfügen von Inhalt im Editor ein Widget angezeigt wird. Mit diesem Widget können Sie steuern, wie die Datei eingefügt wird.",
"pasteAs.showPasteSelector.afterPaste": "Das Widget für die Einfügeauswahl anzeigen, nachdem der Inhalt in den Editor eingefügt wurde.",
"pasteAs.showPasteSelector.never": "Das Widget für die Einfügeauswahl wird nie angezeigt. Stattdessen wird immer das Standardeinfügeverhalten verwendet.",
"peekWidgetDefaultFocus": "Steuert, ob der Inline-Editor oder die Struktur im Peek-Widget fokussiert werden soll.",
"peekWidgetDefaultFocus.editor": "Editor fokussieren, wenn Sie den Peek-Editor öffnen",
"peekWidgetDefaultFocus.tree": "Struktur beim Öffnen des Peek-Editors fokussieren",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Vertikale Linien nach einer bestimmten Anzahl von Monospacezeichen rendern. Verwenden Sie mehrere Werte für mehrere Linien. Wenn das Array leer ist, werden keine Linien gerendert.",
"rulers.color": "Farbe dieses Editor-Lineals.",
"rulers.size": "Anzahl der Zeichen aus Festbreitenschriftarten, ab der dieses Editor-Lineal gerendert wird.",
"screenReaderAnnounceInlineSuggestion": "Steuern Sie, ob Inlinevorschläge von einer Sprachausgabe gelesen werden. Beachten Sie, dass dies unter macOS mit VoiceOver nicht funktioniert.",
"scrollBeyondLastColumn": "Steuert die Anzahl der zusätzlichen Zeichen, nach denen der Editor horizontal scrollt.",
"scrollBeyondLastLine": "Steuert, ob der Editor jenseits der letzten Zeile scrollen wird.",
"scrollPredominantAxis": "Nur entlang der vorherrschenden Achse scrollen, wenn gleichzeitig vertikal und horizontal gescrollt wird. Dadurch wird ein horizontaler Versatz beim vertikalen Scrollen auf einem Trackpad verhindert.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Steuert, ob Symbole in Vorschlägen ein- oder ausgeblendet werden.",
"suggest.showInlineDetails": "Steuert, ob Vorschlagsdetails inline mit der Bezeichnung oder nur im Detailwidget angezeigt werden.",
"suggest.showStatusBar": "Steuert die Sichtbarkeit der Statusleiste unten im Vorschlagswidget.",
"suggest.snippetsPreventQuickSuggestions": "Steuert, ob ein aktiver Schnipsel verhindert, dass der Bereich \"Schnelle Vorschläge\" angezeigt wird.",
"suggestFontSize": "Schriftgrad für das Vorschlagswidget. Bei Festlegung auf {0} wird der Wert von {1} verwendet.",
"suggestLineHeight": "Linienhöhe für das Vorschlagswidget. Bei Festlegung auf {0} wird der Wert von {1} verwendet. Der Mindestwert ist 8.",
"suggestOnTriggerCharacters": "Steuert, ob Vorschläge automatisch angezeigt werden sollen, wenn Triggerzeichen eingegeben werden.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Gibt an, ob im Editor Text ausgewählt ist.",
"editorHasSignatureHelpProvider": "Gibt an, ob der Editor über einen Signaturhilfeanbieter verfügt.",
"editorHasTypeDefinitionProvider": "Gibt an, ob der Editor über einen Typdefinitionsanbieter verfügt.",
"editorHoverFocused": "Gibt an, ob Daraufzeigen im Editor fokussiert ist.",
"editorHoverVisible": "Gibt an, ob Hover im Editor sichtbar ist.",
"editorLangId": "Der Sprachbezeichner des Editors.",
"editorReadonly": "Gibt an, ob der Editor schreibgeschützt ist.",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Gibt an, ob der Editor-Text den Fokus besitzt (Cursor blinkt).",
"inCompositeEditor": "Gibt an, ob der Editor Bestandteil eines größeren Editors ist (z. B. Notebooks).",
"inDiffEditor": "Gibt an, ob der Kontext ein Diff-Editor ist.",
"isEmbeddedDiffEditor": "Gibt an, ob der Kontext ein eingebetteter Diff-Editor ist.",
"standaloneColorPickerFocused": "Gibt an, ob der eigenständige Farbwähler fokussiert ist.",
"standaloneColorPickerVisible": "Gibt an, ob der eigenständige Farbwähler sichtbar ist.",
"stickyScrollFocused": "Gibt an, ob der Fokus auf dem Fixierten Bildlauf liegt.",
"stickyScrollVisible": "Gibt an, ob der Fixierte Bildlauf sichtbar ist.",
"textInputFocus": "Gibt an, ob ein Editor oder eine Rich-Text-Eingabe den Fokus besitzt (Cursor blinkt)."
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Drücken Sie ALT + F1, um die Barrierefreiheitsoptionen aufzurufen.",
"accessibilityHelpTitle": "Hilfe zur Barrierefreiheit",
"auto_off": "Der Editor ist so konfiguriert, dass er nie auf die Verwendung mit Sprachausgabe hin optimiert wird. Dies ist zu diesem Zeitpunkt nicht der Fall.",
"auto_on": "Der Editor ist auf eine optimale Verwendung mit Sprachausgabe konfiguriert.",
"bulkEditServiceSummary": "{0} Bearbeitungen in {1} Dateien durchgeführt",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Gehe zu &&Klammer",
"overviewRulerBracketMatchForeground": "Übersichtslineal-Markierungsfarbe für zusammengehörige Klammern.",
"smartSelect.jumpBracket": "Gehe zu Klammer",
"smartSelect.removeBrackets": "Klammern entfernen",
"smartSelect.selectToBracket": "Auswählen bis Klammer"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Importe organisieren",
"quickfix.trigger.label": "Schnelle Problembehebung ...",
"refactor.label": "Refactoring durchführen...",
"refactor.preview.label": "Mit Vorschau umgestalten...",
"source.label": "Quellaktion..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Aktivieren/Deaktivieren Sie die Anzeige von Gruppenheadern im Codeaktionsmenü."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Deaktivierte Elemente ausblenden",
"showMoreActions": "Deaktivierte Elemente anzeigen"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Erneut generieren...",
"codeAction.widget.id.extract": "Extrahieren...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Quellaktion...",
"codeAction.widget.id.surround": "Umgeben mit..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Deaktivierte Elemente ausblenden",
"showMoreActions": "Deaktivierte Elemente anzeigen"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Codeaktionen anzeigen",
"codeActionWithKb": "Codeaktionen anzeigen ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "CodeLens-Befehle für aktuelle Zeile anzeigen"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Zum Umschalten zwischen Farboptionen (rgb/hsl/hex) klicken"
"clickToToggleColorOptions": "Zum Umschalten zwischen Farboptionen (rgb/hsl/hex) klicken",
"closeIcon": "Symbol zum Schließen des Farbwählers"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Farbwähler ausblenden",
"insertColorWithStandaloneColorPicker": "Farbe mit eigenständigem Farbwähler einfügen",
"mishowOrFocusStandaloneColorPicker": "&&Eigenständige Farbwähler anzeigen oder fokussieren",
"showOrFocusStandaloneColorPicker": "Eigenständige Farbwähler anzeigen oder konzentrieren"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Blockkommentar umschalten",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Immer",
"context.minimap.slider.mouseover": "Maus über"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Aktivieren/Deaktivieren der Ausführung von Bearbeitungen von Erweiterungen beim Einfügen."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Einfügehandler werden ausgeführt..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Wiederholen mit Cursor",
"cursor.undo": "Mit Cursor rückgängig machen"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Drophandler werden ausgeführt..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Gibt an, ob der Editor einen abbrechbaren Vorgang ausführt, z. B. \"Verweisvorschau\"."
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Zu Übereinstimmung wechseln ...",
"findMatchAction.inputPlaceHolder": "Geben Sie eine Zahl ein, um zu einer bestimmten Übereinstimmung zu wechseln (zwischen 1 und {0}).",
"findMatchAction.inputValidationMessage": "Zahl zwischen 1 und {0} eingeben",
"findMatchAction.noResults": "Keine Übereinstimmungen. Versuchen Sie, nach etwas anderem zu suchen.",
"findNextMatchAction": "Weitersuchen",
"findPreviousMatchAction": "Vorheriges Element suchen",
"miFind": "&&Suchen",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 Symbol in {0}, vollständiger Pfad {1}",
"aria.fileReferences.N": "{0} Symbole in {1}, vollständiger Pfad {2}",
"aria.oneReference": "Symbol in {0} in Zeile {1}, Spalte {2}",
"aria.oneReference.preview": "Symbol in \"{0}\" in Zeile {1}, Spalte {2}, {3}",
"aria.oneReference": "in {0} in Zeile {1} in Spalte {2}",
"aria.oneReference.preview": "{0} in {1} in Zeile {2} in Spalte {3}",
"aria.result.0": "Es wurden keine Ergebnisse gefunden.",
"aria.result.1": "1 Symbol in {0} gefunden",
"aria.result.n1": "{0} Symbole in {1} gefunden",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Symbol {0} von {1}, {2} für nächstes"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Fokus entfernen beim Daraufzeigen",
"goToBottomHover": "Gehe nach unten beim Daraufzeigen",
"goToTopHover": "Gehe nach oben beim Daraufzeigen",
"pageDownHover": "Eine Seite nach unten beim Daraufzeigen",
"pageUpHover": "Eine Seite nach oben beim Daraufzeigen",
"scrollDownHover": "Bildlauf nach unten beim Daraufzeigen",
"scrollLeftHover": "Bildlauf nach links beim Daraufzeigen",
"scrollRightHover": "Bildlauf nach rechts beim Daraufzeigen",
"scrollUpHover": "Bildlauf nach oben beim Daraufzeigen",
"showDefinitionPreviewHover": "Definitionsvorschauhover anzeigen",
"showHover": "Hovern anzeigen"
"showOrFocusHover": "Anzeigen oder Fokus beim Daraufzeigen"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Wird geladen...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "STRG + Klicken",
"links.navigate.kb.meta.mac": "BEFEHL + Klicken"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Annehmen",
"acceptLine": "Zeile annehmen",
"acceptWord": "Wort annehmen",
"action.inlineSuggest.accept": "Inline-Vorschlag annehmen",
"action.inlineSuggest.acceptNextLine": "Nächste Zeile des Inlinevorschlags akzeptieren",
"action.inlineSuggest.acceptNextWord": "Nächstes Wort des Inline-Vorschlags annehmen",
"action.inlineSuggest.alwaysShowToolbar": "Symbolleiste immer anzeigen",
"action.inlineSuggest.hide": "Inlinevorschlag ausblenden",
"action.inlineSuggest.showNext": "Nächsten Inline-Vorschlag anzeigen",
"action.inlineSuggest.showPrevious": "Vorherigen Inline-Vorschlag anzeigen",
"action.inlineSuggest.trigger": "Inline-Vorschlag auslösen",
"action.inlineSuggest.undo": "\"Wort annehmen\" rückgängig machen",
"action.inlineSuggest.trigger": "Inline-Vorschlag auslösen"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Vorschlag:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Gibt an, ob die Symbolleiste „Inline-Vorschlag“ immer sichtbar sein soll.",
"canUndoInlineSuggestion": "Gibt an, ob ein Inlinevorschlag rückgängig machen würde.",
"inlineSuggestionHasIndentation": "Gibt an, ob der Inline-Vorschlag mit Leerzeichen beginnt.",
"inlineSuggestionHasIndentationLessThanTabSize": "Ob der Inline-Vorschlag mit Leerzeichen beginnt, das kleiner ist als das, was durch die Tabulatortaste eingefügt werden würde",
"inlineSuggestionVisible": "Gibt an, ob ein Inline-Vorschlag sichtbar ist.",
"undoAcceptWord": "\"Wort annehmen\" rückgängig machen"
"suppressSuggestions": "Gibt an, ob Vorschläge für den aktuellen Vorschlag unterdrückt werden sollen"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Vorschlag:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Weiter",
"parameterHintsNextIcon": "Symbol für die Anzeige des nächsten Parameterhinweises.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Mi"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Fokus auf Fixierten Bildlauf",
"goToFocusedStickyScrollLine.title": "Gehe zur fokussierten fixierten Zeile",
"miStickyScroll": "&&Fixierter Bildlauf",
"mifocusStickyScroll": "&&Fokus fixierter Bildlauf",
"mitoggleStickyScroll": "Fixierten Bildlauf &&umschalten",
"selectEditor.title": "Editor auswählen",
"selectNextStickyScrollLine.title": "Nächste fixierte Zeile auswählen",
"selectPreviousStickyScrollLine.title": "Zuletzt gewählte fixierte Zeile auswählen",
"stickyScroll": "Fixierter Bildlauf",
"toggleStickyScroll": "Fixierten Bildlauf umschalten"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Einstellungen anpassen",
"unicodeHighlight.allowCommonCharactersInLanguage": "Unicodezeichen zulassen, die in der Sprache „{0}“ häufiger vorkommen.",
"unicodeHighlight.characterIsAmbiguous": "Das Zeichen {0} kann mit dem Zeichen {1} verwechselt werden, was im Quellcode häufiger vorkommt.",
"unicodeHighlight.characterIsAmbiguousASCII": "Das Zeichen {0} kann mit dem Zeichen {1} verwechselt werden, was im Quellcode häufiger vorkommt.",
"unicodeHighlight.characterIsInvisible": "Das Zeichen {0} ist nicht sichtbar.",
"unicodeHighlight.characterIsNonBasicAscii": "Das Zeichen {0} ist kein einfaches ASCII-Zeichen.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Konfigurieren der Optionen für die Unicode-Hervorhebung",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Entwickler",
"file": "Datei",
"help": "Hilfe",
"preferences": "Einstellungen",
"test": "Test",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Ein Befehl, der Informationen zu Kontextschlüsseln zurückgibt"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "schließende Klammer „)“",
"contextkey.parser.error.emptyString": "Leerer Kontextschlüsselausdruck",
"contextkey.parser.error.emptyString.hint": "Haben Sie vergessen, einen Ausdruck zu schreiben? Sie können auch „false“ oder „true“ festlegen, um immer auf „false“ oder „true“ auszuwerten.",
"contextkey.parser.error.expectedButGot": "Erwartet: {0}\r\nEmpfangen: „{1}“.",
"contextkey.parser.error.noInAfterNot": "„in“ nach „not“.",
"contextkey.parser.error.unexpectedEOF": "Unerwartetes Ende des Ausdrucks.",
"contextkey.parser.error.unexpectedEOF.hint": "Haben Sie vergessen, einen Kontextschlüssel zu setzen?",
"contextkey.parser.error.unexpectedToken": "Unerwartetes Token",
"contextkey.parser.error.unexpectedToken.hint": "Haben Sie vergessen, && oder || vor dem Token einzufügen?",
"contextkey.scanner.errorForLinter": "Unerwartetes Token.",
"contextkey.scanner.errorForLinterWithHint": "Unerwartetes Token. Hinweis: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Gibt an, ob sich der Tastaturfokus in einem Eingabefeld befindet.",
"isIOS": "Gibt an, ob iOS als Betriebssystem verwendet wird.",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Gibt an, ob Windows als Betriebssystem verwendet wird.",
"productQualityType": "Qualitätstyp des VS Codes"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Haben Sie vergessen, das Zeichen „/“ (Schrägstrich) zu escapen? Setzen Sie zwei Backslashes davor, um es zu escapen, z. B. „\\\\/“.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Haben Sie vergessen, das Anführungszeichen zu öffnen oder zu schließen?",
"contextkey.scanner.hint.didYouMean1": "Meinten Sie {0}?",
"contextkey.scanner.hint.didYouMean2": "Meinten Sie {0} oder {1}?",
"contextkey.scanner.hint.didYouMean3": "Meinten Sie {0}, {1} oder {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Abbrechen",
"moreFile": "...1 weitere Datei wird nicht angezeigt",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0}) wurde gedrückt. Es wird auf die zweite Taste in der Kombination gewartet...",
"missing.chord": "Die Tastenkombination ({0}, {1}) ist kein Befehl."
"missing.chord": "Die Tastenkombination ({0}, {1}) ist kein Befehl.",
"next.chord": "({0}) wurde gedrückt. Es wird auf die zweite Taste in der Kombination gewartet..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Multiplikator für Scrollgeschwindigkeit bei Drücken von ALT.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Rahmenfarbe von Editorwigdets. Die Farbe wird nur verwendet, wenn für das Widget ein Rahmen verwendet wird und die Farbe nicht von einem Widget überschrieben wird.",
"editorWidgetForeground": "Vordergrundfarbe für Editorwidgets wie Suchen/Ersetzen.",
"editorWidgetResizeBorder": "Rahmenfarbe der Größenanpassungsleiste von Editorwigdets. Die Farbe wird nur verwendet, wenn für das Widget ein Größenanpassungsrahmen verwendet wird und die Farbe nicht von einem Widget außer Kraft gesetzt wird.",
"errorBorder": "Randfarbe von Fehlerfeldern im Editor.",
"errorBorder": "Wenn festgelegt, wird die Farbe doppelter Unterstreichungen für Fehler im Editor angezeigt.",
"errorForeground": "Allgemeine Vordergrundfarbe für Fehlermeldungen. Diese Farbe wird nur verwendet, wenn sie nicht durch eine Komponente überschrieben wird.",
"findMatchHighlight": "Farbe der anderen Suchergebnisse. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
"findMatchHighlightBorder": "Randfarbe der anderen Suchtreffer.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Allgemeine Rahmenfarbe für fokussierte Elemente. Diese Farbe wird nur verwendet, wenn sie nicht durch eine Komponente überschrieben wird.",
"foreground": "Allgemeine Vordergrundfarbe. Diese Farbe wird nur verwendet, wenn sie nicht durch eine Komponente überschrieben wird.",
"highlight": "Vordergrundfarbe der Liste/Struktur zur Trefferhervorhebung beim Suchen innerhalb der Liste/Struktur.",
"hintBorder": "Randfarbe der Hinweisfelder im Editor.",
"hintBorder": "Wenn festgelegt, wird die Farbe doppelter Unterstreichungen für Hinweise im Editor angezeigt.",
"hoverBackground": "Hintergrundfarbe des Editor-Mauszeigers.",
"hoverBorder": "Rahmenfarbe des Editor-Mauszeigers.",
"hoverForeground": "Vordergrundfarbe des Editor-Mauszeigers",
"hoverHighlight": "Hervorhebung unterhalb des Worts, für das ein Hoverelement angezeigt wird. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
"iconForeground": "Die für Symbole in der Workbench verwendete Standardfarbe.",
"infoBorder": "Randfarbe der Infofelder im Editor.",
"infoBorder": "Wenn festgelegt, wird die Farbe doppelter Unterstreichungen für Infos im Editor angezeigt.",
"inputBoxActiveOptionBorder": "Rahmenfarbe für aktivierte Optionen in Eingabefeldern.",
"inputBoxBackground": "Hintergrund für Eingabefeld.",
"inputBoxBorder": "Rahmen für Eingabefeld.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Hintergrundfarbe des Typfilterwidgets in Listen und Strukturen.",
"listFilterWidgetNoMatchesOutline": "Konturfarbe des Typfilterwidgets in Listen und Strukturen, wenn es keine Übereinstimmungen gibt.",
"listFilterWidgetOutline": "Konturfarbe des Typfilterwidgets in Listen und Strukturen.",
"listFilterWidgetShadow": "Schattenfarbe des Typfilterwidgets in Listen und Strukturen.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Umrissfarbe der Liste/des Baums für das fokussierte Element, wenn die Liste/der Baum aktiv und ausgewählt ist. Eine aktive Liste/Baum hat Tastaturfokus, eine inaktive nicht.",
"listFocusBackground": "Hintergrundfarbe der Liste/Struktur für das fokussierte Element, wenn die Liste/Struktur aktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
"listFocusForeground": "Vordergrundfarbe der Liste/Struktur für das fokussierte Element, wenn die Liste/Struktur aktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Hintergrundfarbe des Schiebereglers, wenn darauf geklickt wird.",
"scrollbarSliderBackground": "Hintergrundfarbe vom Scrollbar-Schieber",
"scrollbarSliderHoverBackground": "Hintergrundfarbe des Schiebereglers, wenn darauf gezeigt wird.",
"search.resultsInfoForeground": "Farbe des Texts in der Abschlussmeldung des Such-Viewlets.",
"searchEditor.editorFindMatchBorder": "Rahmenfarbe der Abfrageübereinstimmungen des Such-Editors",
"searchEditor.queryMatch": "Farbe der Abfrageübereinstimmungen des Such-Editors",
"selectionBackground": "Hintergrundfarbe der Textauswahl in der Workbench (z.B. für Eingabefelder oder Textbereiche). Diese Farbe gilt nicht für die Auswahl im Editor.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Symbolleistengliederung beim Bewegen der Maus über Aktionen",
"treeInactiveIndentGuidesStroke": "Strukturstrichfarbe für die Einzugslinien, die nicht aktiv sind.",
"treeIndentGuidesStroke": "Strukturstrichfarbe für die Einzugsführungslinien.",
"warningBorder": "Randfarbe der Warnfelder im Editor.",
"warningBorder": "Wenn festgelegt, wird die Farbe doppelter Unterstreichungen für Warnungen im Editor angezeigt.",
"widgetBorder": "Die Rahmenfarbe von Widgets, z. B. Suchen/Ersetzen im Editor.",
"widgetShadow": "Schattenfarbe von Widgets wie zum Beispiel Suchen/Ersetzen innerhalb des Editors."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Error: {0}",
"alertInfoMessage": "Información: {0}",
"alertWarningMessage": "Advertencia: {0}",
"clearedInput": "Entrada borrada",
"history.inputbox.hint": "para el historial"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " usar Mayús + F7 para navegar por los cambios",
"diff.tooLarge": "Los archivos no se pueden comparar porque uno de ellos es demasiado grande.",
"diffInsertIcon": "Decoración de línea para las inserciones en el editor de diferencias.",
"diffRemoveIcon": "Decoración de línea para las eliminaciones en el editor de diferencias."
"diffRemoveIcon": "Decoración de línea para las eliminaciones en el editor de diferencias.",
"revertChangeHoverMessage": "Haga clic para revertir el cambio"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "vacío",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Controla si el editor muestra CodeLens.",
"detectIndentation": "Controla si {0} y {1} se detectan automáticamente al abrir un archivo en función del contenido de este.",
"diffAlgorithm.experimental": "Usa un algoritmo de comparación experimental.",
"diffAlgorithm.smart": "Usa el algoritmo de comparación predeterminado.",
"diffAlgorithm.advanced": "Usa el algoritmo de diferenciación avanzada.",
"diffAlgorithm.legacy": "Usa el algoritmo de diferenciación heredado.",
"editor.experimental.asyncTokenization": "Controla si la tokenización debe producirse de forma asincrónica en un rol de trabajo.",
"editor.experimental.asyncTokenizationLogging": "Controla si se debe registrar la tokenización asincrónica. Solo para depuración.",
"editor.experimental.asyncTokenizationVerification": "Controla si se debe comprobar la tokenización asincrónica con la tokenización en segundo plano heredada. Puede ralentizar la tokenización. Solo para depuración.",
"editorConfigurationTitle": "Editor",
"ignoreTrimWhitespace": "Cuando está habilitado, el editor de diferencias omite los cambios en los espacios en blanco iniciales o finales.",
"indentSize": "Número de espacios usados para la sangría o \"tabSize\" para usar el valor de \"#editor.tabSize#\". Esta configuración se invalida en función del contenido del archivo cuando \"#editor.detectIndentation#\" está activado.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "\"cursorSurroundingLines\" se aplica siempre.",
"cursorSurroundingLinesStyle.default": "Solo se aplica \"cursorSurroundingLines\" cuando se desencadena mediante el teclado o la API.",
"cursorWidth": "Controla el ancho del cursor cuando \"#editor.cursorStyle#\" se establece en \"line\".",
"defaultColorDecorators": "Controla si las decoraciones de color en línea deben mostrarse con el proveedor de colores del documento predeterminado.",
"definitionLinkOpensInPeek": "Controla si el gesto del mouse Ir a definición siempre abre el widget interactivo.",
"deprecated": "Esta configuración está en desuso. Use configuraciones separadas como \"editor.suggest.showKeyword\" o \"editor.suggest.showSnippets\" en su lugar.",
"dragAndDrop": "Controla si el editor debe permitir mover las selecciones mediante arrastrar y colocar.",
"dropIntoEditor.enabled": "Controla si puede arrastrar y colocar un archivo en un editor de texto manteniendo presionada la tecla `mayús` (en lugar de abrir el archivo en un editor).",
"dropIntoEditor.showDropSelector": "Controla si se muestra un widget al colocar archivos en el editor. Este widget le permite controlar cómo se coloca el archivo.",
"dropIntoEditor.showDropSelector.afterDrop": "Muestra el widget del selector de colocación después de colocar un archivo en el editor.",
"dropIntoEditor.showDropSelector.never": "No mostrar nunca el widget del selector de colocación. En su lugar, siempre se usa el proveedor de colocación predeterminado.",
"editor.autoClosingBrackets.beforeWhitespace": "Cerrar automáticamente los corchetes cuando el cursor esté a la izquierda de un espacio en blanco.",
"editor.autoClosingBrackets.languageDefined": "Utilizar las configuraciones del lenguaje para determinar cuándo cerrar los corchetes automáticamente.",
"editor.autoClosingDelete.auto": "Quite los corchetes o las comillas de cierre adyacentes solo si se insertaron automáticamente.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Las sugerencias de incrustación están ocultas de forma predeterminada y se muestran al mantener presionado {0}",
"editor.inlayHints.on": "Las sugerencias de incrustación están habilitadas",
"editor.inlayHints.onUnlessPressed": "Las sugerencias de incrustación se muestran de forma predeterminada y se ocultan cuando se mantiene presionado {0}",
"editor.stickyScroll": "Muestra los ámbitos actuales anidados durante el desplazamiento en la parte superior del editor.",
"editor.stickyScroll.": "Define el número máximo de líneas rápidas que se mostrarán.",
"editor.stickyScroll.defaultModel": "Define el modelo que se va a usar para determinar qué líneas se van a pegar. Si el modelo de esquema no existe, recurrirá al modelo del proveedor de plegado que recurre al modelo de sangría. Este orden se respeta en los tres casos.",
"editor.stickyScroll.enabled": "Muestra los ámbitos actuales anidados durante el desplazamiento en la parte superior del editor.",
"editor.stickyScroll.maxLineCount": "Define el número máximo de líneas rápidas que se mostrarán.",
"editor.suggest.matchOnWordStartOnly": "Cuando se activa el filtro IntelliSense se requiere que el primer carácter coincida con el inicio de una palabra. Por ejemplo, \"c\" en \"Consola\" o \"WebContext\" but _not_ on \"descripción\". Si se desactiva, IntelliSense mostrará más resultados, pero los ordenará según la calidad de la coincidencia.",
"editor.suggest.showClasss": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"class\".",
"editor.suggest.showColors": "Cuando está habilitado, IntelliSense muestra sugerencias de \"color\".",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Controla cuándo mostrar la barra de herramientas de sugerencias insertadas.",
"inlineSuggest.showToolbar.always": "Muestra la barra de herramientas de sugerencias insertadas cada vez que se muestra una sugerencia insertada.",
"inlineSuggest.showToolbar.onHover": "Muestra la barra de herramientas de sugerencias insertadas al mantener el puntero sobre una sugerencia insertada.",
"inlineSuggest.suppressSuggestions": "Controla cómo interactúan las sugerencias insertadas con el widget de sugerencias. Si se habilita, el widget de sugerencias no se muestra automáticamente cuando hay sugerencias insertadas disponibles.",
"letterSpacing": "Controla el espacio entre letras en píxeles.",
"lineHeight": "Controla el alto de línea. \r\n - Use 0 para calcular automáticamente el alto de línea a partir del tamaño de la fuente.\r\n - Los valores entre 0 y 8 se usarán como multiplicador con el tamaño de fuente.\r\n - Los valores mayores o igual que 8 se usarán como valores efectivos.",
"lineNumbers": "Controla la visualización de los números de línea.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Controla la cantidad de espacio entre el borde superior del editor y la primera línea.",
"parameterHints.cycle": "Controla si el menú de sugerencias de parámetros se cicla o se cierra al llegar al final de la lista.",
"parameterHints.enabled": "Habilita un elemento emergente que muestra documentación de los parámetros e información de los tipos mientras escribe.",
"pasteAs.enabled": "Controla si se puede pegar contenido de distintas formas.",
"pasteAs.showPasteSelector": "Controla si se muestra un widget al pegar contenido en el editor. Este widget le permite controlar cómo se pega el archivo.",
"pasteAs.showPasteSelector.afterPaste": "Muestra el widget del selector de pegado después de pegar contenido en el editor.",
"pasteAs.showPasteSelector.never": "No mostrar nunca el widget del selector de pegado. En su lugar, siempre se usa el comportamiento de pegado predeterminado.",
"peekWidgetDefaultFocus": "Controla si se debe enfocar el editor en línea o el árbol en el widget de vista.",
"peekWidgetDefaultFocus.editor": "Enfocar el editor al abrir la inspección",
"peekWidgetDefaultFocus.tree": "Enfocar el árbol al abrir la inspección",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Muestra reglas verticales después de un cierto número de caracteres monoespaciados. Usa múltiples valores para mostrar múltiples reglas. Si la matriz está vacía, no se muestran reglas.",
"rulers.color": "Color de esta regla del editor.",
"rulers.size": "Número de caracteres monoespaciales en los que se representará esta regla del editor.",
"screenReaderAnnounceInlineSuggestion": "Controla si un lector de pantalla anuncia sugerencias insertadas. Tenga en cuenta que esto no funciona en macOS con VoiceOver.",
"scrollBeyondLastColumn": "Controla el número de caracteres adicionales a partir del cual el editor se desplazará horizontalmente.",
"scrollBeyondLastLine": "Controla si el editor seguirá haciendo scroll después de la última línea.",
"scrollPredominantAxis": "Desplácese solo a lo largo del eje predominante cuando se desplace vertical y horizontalmente al mismo tiempo. Evita la deriva horizontal cuando se desplaza verticalmente en un trackpad.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Controla si mostrar u ocultar iconos en sugerencias.",
"suggest.showInlineDetails": "Controla si los detalles de sugerencia se muestran incorporados con la etiqueta o solo en el widget de detalles.",
"suggest.showStatusBar": "Controla la visibilidad de la barra de estado en la parte inferior del widget de sugerencias.",
"suggest.snippetsPreventQuickSuggestions": "Controla si un fragmento de código activo impide sugerencias rápidas.",
"suggestFontSize": "Tamaño de fuente del widget de sugerencias. Cuando se establece en {0}, se usa el valor de {1}.",
"suggestLineHeight": "Alto de línea para el widget de sugerencias. Cuando se establece en {0}, se usa el valor de {1}. El valor mínimo es 8.",
"suggestOnTriggerCharacters": "Controla si deben aparecer sugerencias de forma automática al escribir caracteres desencadenadores.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Si el editor tiene texto seleccionado",
"editorHasSignatureHelpProvider": "Si el editor tiene un proveedor de ayuda de signatura",
"editorHasTypeDefinitionProvider": "Si el editor tiene un proveedor de definiciones de tipo",
"editorHoverFocused": "Si se centra el desplazamiento del editor",
"editorHoverVisible": "Si el mantenimiento del puntero del editor es visible",
"editorLangId": "Identificador de idioma del editor",
"editorReadonly": "Si el editor es de solo lectura",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Si el texto del editor tiene el foco (el cursor parpadea)",
"inCompositeEditor": "Si el editor forma parte de otro más grande (por ejemplo, blocs de notas)",
"inDiffEditor": "Si el contexto es un editor de diferencias",
"isEmbeddedDiffEditor": "Si el contexto es un editor de diferencias incrustado",
"standaloneColorPickerFocused": "Si el selector de colores independiente está centrado",
"standaloneColorPickerVisible": "Si el selector de colores independiente está visible",
"stickyScrollFocused": "Si el desplazamiento permanente está centrado",
"stickyScrollVisible": "Si el desplazamiento permanente está visible",
"textInputFocus": "Si un editor o una entrada de texto enriquecido tienen el foco (el cursor parpadea)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Presione Alt+F1 para ver las opciones de accesibilidad.",
"accessibilityHelpTitle": "Ayuda de accesibilidad",
"auto_off": "El editor está configurado para que no se optimice nunca su uso con un lector de pantalla, que en este momento no es el caso.",
"auto_on": "El editor está configurado para optimizarse para su uso con un lector de pantalla.",
"bulkEditServiceSummary": "{0} ediciones realizadas en {1} archivos",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Ir al &&corchete",
"overviewRulerBracketMatchForeground": "Resumen color de marcador de regla para corchetes.",
"smartSelect.jumpBracket": "Ir al corchete",
"smartSelect.removeBrackets": "Quitar corchetes",
"smartSelect.selectToBracket": "Seleccionar para corchete"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Organizar Importaciones",
"quickfix.trigger.label": "Corrección Rápida",
"refactor.label": "Refactorizar...",
"refactor.preview.label": "Refactorizar con vista previa...",
"source.label": "Acción de código fuente..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Activar/desactivar la visualización de los encabezados de los grupos en el menú de Acción de código."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Ocultar deshabilitado",
"showMoreActions": "Mostrar elementos deshabilitados"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Reescribir...",
"codeAction.widget.id.extract": "Extraer...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Acción de origen...",
"codeAction.widget.id.surround": "Rodear con..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Ocultar deshabilitado",
"showMoreActions": "Mostrar elementos deshabilitados"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Mostrar acciones de código",
"codeActionWithKb": "Mostrar acciones de código ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Mostrar comandos de lente de código para la línea actual"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Haga clic para alternar las opciones de color (rgb/hsl/hex)"
"clickToToggleColorOptions": "Haga clic para alternar las opciones de color (rgb/hsl/hex)",
"closeIcon": "Icono para cerrar el selector de colores"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Ocultar la Selector de colores",
"insertColorWithStandaloneColorPicker": "Insertar color con Selector de colores independiente",
"mishowOrFocusStandaloneColorPicker": "&Mostrar o centrar Selector de colores independientes",
"showOrFocusStandaloneColorPicker": "Mostrar o centrar Selector de colores independientes"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Alternar comentario de bloque",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Siempre",
"context.minimap.slider.mouseover": "Pasar el mouse"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Habilita o deshabilita la ejecución de ediciones desde extensiones al pegar."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Ejecutando controladores de pegado..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Cursor Rehacer",
"cursor.undo": "Cursor Deshacer"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Ejecutando controladores de destino..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Indica si el editor ejecuta una operación que se puede cancelar como, por ejemplo, \"Inspeccionar referencias\""
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Ir a Coincidencia...",
"findMatchAction.inputPlaceHolder": "Escriba un número para ir a una coincidencia específica (entre 1 y {0})",
"findMatchAction.inputValidationMessage": "Escriba un número entre 1 y {0}",
"findMatchAction.noResults": "No hay coincidencias. Intente buscar otra cosa.",
"findNextMatchAction": "Buscar siguiente",
"findPreviousMatchAction": "Buscar anterior",
"miFind": "&&Buscar",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 símbolo en {0}, ruta de acceso completa {1}",
"aria.fileReferences.N": "{0} símbolos en {1}, ruta de acceso completa {2}",
"aria.oneReference": "símbolo en {0} linea {1} en la columna {2}",
"aria.oneReference.preview": "símbolo en {0} línea {1} en la columna {2}, {3}",
"aria.oneReference": "en {0} en la línea {1} en la columna {2}",
"aria.oneReference.preview": "{0} en {1} en la línea {2} en la columna {3}",
"aria.result.0": "No se encontraron resultados",
"aria.result.1": "Encontró 1 símbolo en {0}",
"aria.result.n1": "Encontró {0} símbolos en {1}",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Símbolo {0} de {1}, {2} para el siguiente"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Foco de escape al mantener el puntero",
"goToBottomHover": "Ir a la parte inferior al mantener el puntero",
"goToTopHover": "Ir al puntero superior",
"pageDownHover": "Desplazamiento de página hacia abajo",
"pageUpHover": "Desplazamiento de página hacia arriba",
"scrollDownHover": "Desplazar hacia abajo al mantener el puntero",
"scrollLeftHover": "Desplazar al mantener el puntero a la izquierda",
"scrollRightHover": "Desplazar al mantener el puntero a la derecha",
"scrollUpHover": "Desplazar hacia arriba al mantener el puntero",
"showDefinitionPreviewHover": "Mostrar vista previa de la definición que aparece al mover el puntero",
"showHover": "Mostrar al mantener el puntero"
"showOrFocusHover": "Mostrar o centrarse al mantener el puntero"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Cargando...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl + clic",
"links.navigate.kb.meta.mac": "cmd + clic"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Aceptar",
"acceptLine": "Aceptar línea",
"acceptWord": "Aceptar palabra",
"action.inlineSuggest.accept": "Aceptar la sugerencia insertada",
"action.inlineSuggest.acceptNextLine": "Aceptar la siguiente línea de sugerencia insertada",
"action.inlineSuggest.acceptNextWord": "Aceptar la siguiente palabra de sugerencia insertada",
"action.inlineSuggest.alwaysShowToolbar": "Mostrar siempre la barra de herramientas",
"action.inlineSuggest.hide": "Ocultar la sugerencia insertada",
"action.inlineSuggest.showNext": "Mostrar sugerencia alineada siguiente",
"action.inlineSuggest.showPrevious": "Mostrar sugerencia alineada anterior",
"action.inlineSuggest.trigger": "Desencadenar sugerencia alineada",
"action.inlineSuggest.undo": "Deshacer Aceptar palabra",
"action.inlineSuggest.trigger": "Desencadenar sugerencia alineada"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Sugerencia:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Indica si la barra de herramientas de sugerencias insertada debe estar siempre visible",
"canUndoInlineSuggestion": "Si deshacer desharía una sugerencia insertada",
"inlineSuggestionHasIndentation": "Si la sugerencia alineada comienza con un espacio en blanco",
"inlineSuggestionHasIndentationLessThanTabSize": "Si la sugerencia insertada comienza con un espacio en blanco menor que lo que se insertaría mediante tabulación",
"inlineSuggestionVisible": "Si una sugerencia alineada está visible",
"undoAcceptWord": "Deshacer Aceptar palabra"
"suppressSuggestions": "Si las sugerencias deben suprimirse para la sugerencia actual"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Sugerencia:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Siguiente",
"parameterHintsNextIcon": "Icono para mostrar la sugerencia de parámetro siguiente.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Mié"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Desplazamiento permanente de foco",
"goToFocusedStickyScrollLine.title": "Ir a la línea de desplazamiento rápida con foco",
"miStickyScroll": "&&Desplazamiento permanente",
"mifocusStickyScroll": "&&Desplazamiento permanente de foco",
"mitoggleStickyScroll": "&&Alternar desplazamiento permanente",
"selectEditor.title": "Seleccionar el Editor",
"selectNextStickyScrollLine.title": "Seleccionar la siguiente línea de desplazamiento rápida",
"selectPreviousStickyScrollLine.title": "Seleccionar la línea de desplazamiento rápida anterior",
"stickyScroll": "Desplazamiento permanente",
"toggleStickyScroll": "Alternar desplazamiento permanente"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Ajustar la configuración",
"unicodeHighlight.allowCommonCharactersInLanguage": "Permite caracteres Unicode más comunes en el idioma \"{0}\".",
"unicodeHighlight.characterIsAmbiguous": "El carácter {0} podría confundirse con el carácter {1}, que es más común en el código fuente.",
"unicodeHighlight.characterIsAmbiguousASCII": "El carácter {0} podría confundirse con el carácter ASCII {1}, que es más común en el código fuente.",
"unicodeHighlight.characterIsInvisible": "El carácter {0} es invisible.",
"unicodeHighlight.characterIsNonBasicAscii": "El carácter {0} no es un carácter ASCII básico.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Configurar opciones de resaltado Unicode",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Desarrollador",
"file": "archivo",
"help": "Ayuda",
"preferences": "Preferencias",
"test": "Probar",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Comando que devuelve información sobre las claves de contexto"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "paréntesis de cierre ')'",
"contextkey.parser.error.emptyString": "Expresión de clave de contexto vacía",
"contextkey.parser.error.emptyString.hint": "¿Ha olvidado escribir una expresión? también puede poner \"false\" o \"true\" para evaluar siempre como false o true, respectivamente.",
"contextkey.parser.error.expectedButGot": "Esperado: {0}\r\nrecibido: '{1}'.",
"contextkey.parser.error.noInAfterNot": "'in' después de 'not'.",
"contextkey.parser.error.unexpectedEOF": "Final de expresión inesperado",
"contextkey.parser.error.unexpectedEOF.hint": "¿Ha olvidado poner una clave de contexto?",
"contextkey.parser.error.unexpectedToken": "Token inesperado",
"contextkey.parser.error.unexpectedToken.hint": "¿Ha olvidado poner && o || antes del token?",
"contextkey.scanner.errorForLinter": "Token inesperado.",
"contextkey.scanner.errorForLinterWithHint": "Token inesperado. Pista: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Si el foco del teclado está dentro de un cuadro de entrada",
"isIOS": "Si el sistema operativo es IOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Si el sistema operativo es Windows",
"productQualityType": "Tipo de calidad de VS Code"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "¿Ha olvidado escapar el carácter \"/\" (barra diagonal)?Coloque dos barras diagonales inversas antes de que escape, por ejemplo, '\\\\/'.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "¿Ha olvidado abrir o cerrar la cita?",
"contextkey.scanner.hint.didYouMean1": "¿Quiso decir {0}?",
"contextkey.scanner.hint.didYouMean2": "¿Quiso decir {0} o {1}?",
"contextkey.scanner.hint.didYouMean3": "¿Quiso decir {0}, {1} o {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Cancelar",
"moreFile": "...1 archivo más que no se muestra",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "Se presionó ({0}). Esperando la siguiente tecla...",
"missing.chord": "La combinación de claves ({0}, {1}) no es un comando."
"missing.chord": "La combinación de claves ({0}, {1}) no es un comando.",
"next.chord": "Se ha presionado ({0}). Esperando la siguiente tecla..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Multiplicador de la velocidad de desplazamiento al presionar \"Alt\".",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Color de borde de los widgets del editor. El color solo se usa si el widget elige tener un borde y no invalida el color.",
"editorWidgetForeground": "Color de primer plano de los widgets del editor, como buscar y reemplazar.",
"editorWidgetResizeBorder": "Color del borde de la barra de cambio de tamaño de los widgets del editor. El color se utiliza solo si el widget elige tener un borde de cambio de tamaño y si un widget no invalida el color.",
"errorBorder": "Color del borde de los cuadros de error en el editor.",
"errorBorder": "Si se establece, color de subrayados dobles para errores en el editor.",
"errorForeground": "Color de primer plano general para los mensajes de erroe. Este color solo se usa si un componente no lo invalida.",
"findMatchHighlight": "Color de los otros resultados de la búsqueda. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
"findMatchHighlightBorder": "Color de borde de otra búsqueda que coincide.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Color de borde de los elementos con foco. Este color solo se usa si un componente no lo invalida.",
"foreground": "Color de primer plano general. Este color solo se usa si un componente no lo invalida.",
"highlight": "Color de primer plano de la lista o el árbol de las coincidencias resaltadas al buscar dentro de la lista o el ábol.",
"hintBorder": "Color del borde de los cuadros de sugerencia en el editor.",
"hintBorder": "Si se establece, color de subrayados dobles para sugerencias en el editor.",
"hoverBackground": "Color de fondo al mantener el puntero en el editor.",
"hoverBorder": "Color del borde al mantener el puntero en el editor.",
"hoverForeground": "Color de primer plano al mantener el puntero en el editor.",
"hoverHighlight": "Destacar debajo de la palabra para la que se muestra un mensaje al mantener el mouse. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
"iconForeground": "El color predeterminado para los iconos en el área de trabajo.",
"infoBorder": "Color del borde de los cuadros de información en el editor.",
"infoBorder": "Si se establece, color de subrayados dobles para informaciones en el editor.",
"inputBoxActiveOptionBorder": "Color de borde de opciones activadas en campos de entrada.",
"inputBoxBackground": "Fondo de cuadro de entrada.",
"inputBoxBorder": "Borde de cuadro de entrada.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Color de fondo del widget de filtro de tipo en listas y árboles.",
"listFilterWidgetNoMatchesOutline": "Color de contorno del widget de filtro de tipo en listas y árboles, cuando no hay coincidencias.",
"listFilterWidgetOutline": "Color de contorno del widget de filtro de tipo en listas y árboles.",
"listFilterWidgetShadow": "Color del sombreado del widget de filtrado de escritura en listas y árboles.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Color de contorno de la lista o el árbol del elemento con el foco cuando la lista o el árbol están activos y seleccionados. Una lista o un árbol tienen el foco del teclado cuando están activos, pero no cuando están inactivos.",
"listFocusBackground": "Color de fondo de la lista o el árbol del elemento con el foco cuando la lista o el árbol están activos. Una lista o un árbol tienen el foco del teclado cuando están activos, cuando están inactivos no.",
"listFocusForeground": "Color de primer plano de la lista o el árbol del elemento con el foco cuando la lista o el árbol están activos. Una lista o un árbol tienen el foco del teclado cuando están activos, cuando están inactivos no.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Color de fondo de la barra de desplazamiento al hacer clic.",
"scrollbarSliderBackground": "Color de fondo de control deslizante de barra de desplazamiento.",
"scrollbarSliderHoverBackground": "Color de fondo de barra de desplazamiento cursor cuando se pasar sobre el control.",
"search.resultsInfoForeground": "Color del texto en el mensaje de finalización del viewlet de búsqueda.",
"searchEditor.editorFindMatchBorder": "Color de borde de las consultas coincidentes del Editor de búsqueda.",
"searchEditor.queryMatch": "Color de las consultas coincidentes del Editor de búsqueda.",
"selectionBackground": "El color de fondo del texto seleccionado en el área de trabajo (por ejemplo, campos de entrada o áreas de texto). Esto no se aplica a las selecciones dentro del editor.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "La barra de herramientas se perfila al pasar por encima de las acciones con el mouse.",
"treeInactiveIndentGuidesStroke": "Color de trazo de árbol para las guías de sangría que no están activas.",
"treeIndentGuidesStroke": "Color de trazo de árbol para las guías de sangría.",
"warningBorder": "Color del borde de los cuadros de advertencia en el editor.",
"warningBorder": "Si se establece, color de subrayados dobles para advertencias en el editor.",
"widgetBorder": "Color de borde de los widgets dentro del editor, como buscar/reemplazar",
"widgetShadow": "Color de sombra de los widgets dentro del editor, como buscar/reemplazar"
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Erreur : {0}",
"alertInfoMessage": "Info : {0}",
"alertWarningMessage": "Avertissement : {0}",
"clearedInput": "Entrée effacée",
"history.inputbox.hint": "pour lhistorique"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " utiliser Maj + F7 pour parcourir les modifications",
"diff.tooLarge": "Impossible de comparer les fichiers car l'un d'eux est trop volumineux.",
"diffInsertIcon": "Élément décoratif de ligne pour les insertions dans l'éditeur de différences.",
"diffRemoveIcon": "Élément décoratif de ligne pour les suppressions dans l'éditeur de différences."
"diffRemoveIcon": "Élément décoratif de ligne pour les suppressions dans l'éditeur de différences.",
"revertChangeHoverMessage": "Cliquez pour rétablir la modification"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "vide",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Contrôle si l'éditeur affiche CodeLens.",
"detectIndentation": "Contrôle si {0} et {1} sont automatiquement détectés lors de louverture dun fichier en fonction de son contenu.",
"diffAlgorithm.experimental": "Utilise un algorithme de comparaison expérimental.",
"diffAlgorithm.smart": "Utilise lalgorithme de comparaison par défaut.",
"diffAlgorithm.advanced": "Utilise lalgorithme de comparaison avancé.",
"diffAlgorithm.legacy": "Utilise lalgorithme de comparaison hérité.",
"editor.experimental.asyncTokenization": "Contrôle si la création de jetons doit se produire de manière asynchrone sur un worker web.",
"editor.experimental.asyncTokenizationLogging": "Contrôle si la création de jetons asynchrones doit être journalisée. Pour le débogage uniquement.",
"editor.experimental.asyncTokenizationVerification": "Contrôle si la segmentation du texte en unités lexicales asynchrones doit être vérifiée par rapport à la segmentation du texte en unités lexicales en arrière-plan héritée. Peut ralentir la segmentation du texte en unités lexicales. Pour le débogage uniquement.",
"editorConfigurationTitle": "Éditeur",
"ignoreTrimWhitespace": "Quand il est activé, l'éditeur de différences ignore les changements d'espace blanc de début ou de fin.",
"indentSize": "Nombre despaces utilisés pour la mise en retrait ou `\"tabSize\"` pour utiliser la valeur de `#editor.tabSize#`. Ce paramètre est remplacé en fonction du contenu du fichier quand `#editor.detectIndentation#` est activé.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "'cursorSurroundingLines' est toujours appliqué.",
"cursorSurroundingLinesStyle.default": "'cursorSurroundingLines' est appliqué seulement s'il est déclenché via le clavier ou une API.",
"cursorWidth": "Détermine la largeur du curseur lorsque `#editor.cursorStyle#` est à `line`.",
"defaultColorDecorators": "Contrôle si les décorations de couleur inline doivent être affichées à laide du fournisseur de couleurs de document par défaut",
"definitionLinkOpensInPeek": "Contrôle si le geste de souris Accéder à la définition ouvre toujours le widget d'aperçu.",
"deprecated": "Ce paramètre est déprécié, veuillez utiliser des paramètres distincts comme 'editor.suggest.showKeywords' ou 'editor.suggest.showSnippets' à la place.",
"dragAndDrop": "Contrôle si léditeur autorise le déplacement de sélections par glisser-déplacer.",
"dropIntoEditor.enabled": "Contrôle si vous pouvez faire glisser et déposer un fichier dans un éditeur de texte en maintenant la touche Maj enfoncée (au lieu douvrir le fichier dans un éditeur).",
"dropIntoEditor.showDropSelector": "Contrôle si un widget est affiché lors de lannulation de fichiers dans léditeur. Ce widget vous permet de contrôler la façon dont le fichier est annulé.",
"dropIntoEditor.showDropSelector.afterDrop": "Afficher le widget du sélecteur de dépôt après la suppression dun fichier dans léditeur.",
"dropIntoEditor.showDropSelector.never": "Ne jamais afficher le widget du sélecteur de dépôt. À la place, le fournisseur de dépôt par défaut est toujours utilisé.",
"editor.autoClosingBrackets.beforeWhitespace": "Fermer automatiquement les parenthèses uniquement lorsque le curseur est à gauche de lespace.",
"editor.autoClosingBrackets.languageDefined": "Utilisez les configurations de langage pour déterminer quand fermer automatiquement les parenthèses.",
"editor.autoClosingDelete.auto": "Supprimez les guillemets ou crochets fermants adjacents uniquement s'ils ont été insérés automatiquement.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Les indicateurs dinlay sont masqués par défaut et saffichent lorsque vous maintenez {0}",
"editor.inlayHints.on": "Les indicateurs dinlay sont activés.",
"editor.inlayHints.onUnlessPressed": "Les indicateurs dinlay sont affichés par défaut et masqués lors de la conservation {0}",
"editor.stickyScroll": "Affiche les étendues actives imbriqués pendant le défilement en haut de léditeur.",
"editor.stickyScroll.": "Définit le nombre maximal de lignes rémanentes à afficher.",
"editor.stickyScroll.defaultModel": "Définit le modèle à utiliser pour déterminer les lignes à coller. Si le modèle hiérarchique nexiste pas, il revient au modèle de fournisseur de pliage qui revient au modèle de mise en retrait. Cette demande est respectée dans les trois cas.",
"editor.stickyScroll.enabled": "Affiche les étendues actives imbriqués pendant le défilement en haut de léditeur.",
"editor.stickyScroll.maxLineCount": "Définit le nombre maximal de lignes rémanentes à afficher.",
"editor.suggest.matchOnWordStartOnly": "Quand le filtrage IntelliSense est activé, le premier caractère correspond à un début de mot, par exemple 'c' sur 'Console' ou 'WebContext', mais _not_ sur 'description'. Si désactivé, IntelliSense affiche plus de résultats, mais les trie toujours par qualité de correspondance.",
"editor.suggest.showClasss": "Si activé, IntelliSense montre des suggestions de type 'class'.",
"editor.suggest.showColors": "Si activé, IntelliSense montre des suggestions de type 'color'.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Contrôle quand afficher la barre doutils de suggestion incluse.",
"inlineSuggest.showToolbar.always": "Afficher la barre doutils de suggestion en ligne chaque fois quune suggestion inline est affichée.",
"inlineSuggest.showToolbar.onHover": "Afficher la barre doutils de suggestion en ligne lorsque vous pointez sur une suggestion incluse.",
"inlineSuggest.suppressSuggestions": "Contrôle la façon dont les suggestions inline interagissent avec le widget de suggestion. Si cette option est activée, le widget de suggestion nest pas affiché automatiquement lorsque des suggestions inline sont disponibles.",
"letterSpacing": "Contrôle l'espacement des lettres en pixels.",
"lineHeight": "Contrôle la hauteur de ligne. \r\n - Utilisez 0 pour calculer automatiquement la hauteur de ligne à partir de la taille de police.\r\n : les valeurs comprises entre 0 et 8 sont utilisées comme multiplicateur avec la taille de police.\r\n : les valeurs supérieures ou égales à 8 seront utilisées comme valeurs effectives.",
"lineNumbers": "Contrôle l'affichage des numéros de ligne.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Contrôle la quantité despace entre le bord supérieur de léditeur et la première ligne.",
"parameterHints.cycle": "Détermine si le menu de suggestions de paramètres se ferme ou reviens au début lorsque la fin de la liste est atteinte.",
"parameterHints.enabled": "Active une fenêtre contextuelle qui affiche de la documentation sur les paramètres et des informations sur les types à mesure que vous tapez.",
"pasteAs.enabled": "Contrôle si vous pouvez coller le contenu de différentes manières.",
"pasteAs.showPasteSelector": "Contrôle laffichage dun widget lors du collage de contenu dans léditeur. Ce widget vous permet de contrôler la manière dont le fichier est collé.",
"pasteAs.showPasteSelector.afterPaste": "Afficher le widget du sélecteur de collage une fois le contenu collé dans léditeur.",
"pasteAs.showPasteSelector.never": "Ne jamais afficher le widget de sélection de collage. Au lieu de cela, le comportement de collage par défaut est toujours utilisé.",
"peekWidgetDefaultFocus": "Contrôle s'il faut mettre le focus sur l'éditeur inline ou sur l'arborescence dans le widget d'aperçu.",
"peekWidgetDefaultFocus.editor": "Placer le focus sur l'éditeur à l'ouverture de l'aperçu",
"peekWidgetDefaultFocus.tree": "Focus sur l'arborescence à l'ouverture de l'aperçu",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Rendre les règles verticales après un certain nombre de caractères à espacement fixe. Utiliser plusieurs valeurs pour plusieurs règles. Aucune règle n'est dessinée si le tableau est vide.",
"rulers.color": "Couleur de cette règle d'éditeur.",
"rulers.size": "Nombre de caractères monospace auxquels cette règle d'éditeur effectue le rendu.",
"screenReaderAnnounceInlineSuggestion": "Contrôlez si les suggestions inline sont annoncées par un lecteur décran. Notez que cela ne fonctionne pas sur macOS avec VoiceOver.",
"scrollBeyondLastColumn": "Contrôle le nombre de caractères supplémentaires, au-delà duquel léditeur défile horizontalement.",
"scrollBeyondLastLine": "Contrôle si léditeur défile au-delà de la dernière ligne.",
"scrollPredominantAxis": "Faites défiler uniquement le long de l'axe prédominant quand le défilement est à la fois vertical et horizontal. Empêche la dérive horizontale en cas de défilement vertical sur un pavé tactile.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Contrôle s'il faut montrer ou masquer les icônes dans les suggestions.",
"suggest.showInlineDetails": "Détermine si les détails du widget de suggestion sont inclus dans létiquette ou uniquement dans le widget de détails.",
"suggest.showStatusBar": "Contrôle la visibilité de la barre d'état en bas du widget de suggestion.",
"suggest.snippetsPreventQuickSuggestions": "Contrôle si un extrait de code actif empêche les suggestions rapides.",
"suggestFontSize": "Taille de police pour le widget suggest. Lorsquelle est définie sur {0}, la valeur de {1} est utilisée.",
"suggestLineHeight": "Hauteur de ligne pour le widget suggest. Lorsquelle est définie sur {0}, la valeur de {1} est utilisée. La valeur minimale est 8.",
"suggestOnTriggerCharacters": "Contrôle si les suggestions devraient automatiquement safficher lorsque vous tapez les caractères de déclencheur.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Indique si du texte est sélectionné dans l'éditeur",
"editorHasSignatureHelpProvider": "Indique si l'éditeur a un fournisseur d'aide sur les signatures",
"editorHasTypeDefinitionProvider": "Indique si l'éditeur a un fournisseur de définitions de type",
"editorHoverFocused": "Indique si le pointage de léditeur est ciblé",
"editorHoverVisible": "Indique si le pointage de l'éditeur est visible",
"editorLangId": "Identificateur de langage de l'éditeur",
"editorReadonly": "Indique si l'éditeur est en lecture seule",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Indique si le texte de l'éditeur a le focus (le curseur clignote)",
"inCompositeEditor": "Indique si l'éditeur fait partie d'un éditeur plus important (par exemple Notebooks)",
"inDiffEditor": "Indique si le contexte est celui d'un éditeur de différences",
"isEmbeddedDiffEditor": "Indique si le contexte est celui dun éditeur de différences intégré",
"standaloneColorPickerFocused": "Indique si le sélecteur de couleurs autonome est prioritaire",
"standaloneColorPickerVisible": "Indique si le sélecteur de couleurs autonome est visible",
"stickyScrollFocused": "Indique si le défilement du pense-bête a le focus",
"stickyScrollVisible": "Indique si le défilement du pense-bête est visible",
"textInputFocus": "Indique si un éditeur ou une entrée de texte mis en forme a le focus (le curseur clignote)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Appuyez sur Alt+F1 pour voir les options d'accessibilité.",
"accessibilityHelpTitle": "Aide sur laccessibilité",
"auto_off": "L'éditeur est configuré pour ne jamais être optimisé en cas d'utilisation avec un lecteur d'écran, ce qui n'est pas le cas pour le moment.",
"auto_on": "L'éditeur est configuré pour être optimisé en cas d'utilisation avec un lecteur d'écran.",
"bulkEditServiceSummary": "{0} modifications dans {1} fichiers",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Accéder au &&crochet",
"overviewRulerBracketMatchForeground": "Couleur du marqueur de la règle d'aperçu pour rechercher des parenthèses.",
"smartSelect.jumpBracket": "Atteindre le crochet",
"smartSelect.removeBrackets": "Supprimer les crochets",
"smartSelect.selectToBracket": "Sélectionner jusqu'au crochet"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Organiser les importations",
"quickfix.trigger.label": "Correction rapide...",
"refactor.label": "Remanier...",
"refactor.preview.label": "Refactoriser avec laperçu...",
"source.label": "Action de la source"
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Activez/désactivez laffichage des en-têtes de groupe dans le menu daction du code."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Masquer désactivé",
"showMoreActions": "Afficher les éléments désactivés"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Réécrire...",
"codeAction.widget.id.extract": "Extraire...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Action de la source...",
"codeAction.widget.id.surround": "Entourer de..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Masquer désactivé",
"showMoreActions": "Afficher les éléments désactivés"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Afficher les actions de code",
"codeActionWithKb": "Afficher les actions de code ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Afficher les commandes Code Lens de la ligne actuelle"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Cliquez pour activer/désactiver les options de couleur (rgb/hsl/hexadécimal)."
"clickToToggleColorOptions": "Cliquez pour activer/désactiver les options de couleur (rgb/hsl/hexadécimal).",
"closeIcon": "Icône pour fermer le sélecteur de couleurs"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Masquer le sélecteur de couleurs",
"insertColorWithStandaloneColorPicker": "Insérer une couleur avec un sélecteur de couleurs autonome",
"mishowOrFocusStandaloneColorPicker": "&&Afficher ou mettre le focus sur le sélecteur de couleurs autonome",
"showOrFocusStandaloneColorPicker": "Afficher ou mettre le focus sur le sélecteur de couleurs autonome"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Activer/désactiver le commentaire de bloc",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Toujours",
"context.minimap.slider.mouseover": "Pointer la souris"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Activez/désactivez lexécution des modifications à partir des extensions lors du collage."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Exécution des gestionnaires de collage..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Restauration du curseur",
"cursor.undo": "Annulation du curseur"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Exécution des gestionnaires de dépôt..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Indique si l'éditeur exécute une opération annulable, par exemple 'Avoir un aperçu des références'"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Accéder à la correspondance...",
"findMatchAction.inputPlaceHolder": "Tapez un nombre pour accéder à une correspondance spécifique (entre 1 et {0})",
"findMatchAction.inputValidationMessage": "Veuillez entrer un nombre compris entre 1 et {0}",
"findMatchAction.noResults": "Aucune correspondance. Essayez de rechercher autre chose.",
"findNextMatchAction": "Rechercher suivant",
"findPreviousMatchAction": "Rechercher précédent",
"miFind": "&&Rechercher",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 symbole dans {0}, chemin complet {1}",
"aria.fileReferences.N": "{0} symboles dans {1}, chemin complet {2}",
"aria.oneReference": "symbole dans {0} sur la ligne {1}, colonne {2}",
"aria.oneReference.preview": "symbole dans {0} à la ligne {1}, colonne {2}, {3}",
"aria.oneReference": "dans {0} à la ligne {1} à la colonne {2}",
"aria.oneReference.preview": "{0}dans {1} à la ligne {2} à la colonne {3}",
"aria.result.0": "Résultats introuvables",
"aria.result.1": "1 symbole dans {0}",
"aria.result.n1": "{0} symboles dans {1}",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Symbole {0} sur {1}, {2} pour le suivant"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Pointage du focus déchappement",
"goToBottomHover": "Pointer vers le bas",
"goToTopHover": "Atteindre le pointage supérieur",
"pageDownHover": "Pointer vers le bas de la page",
"pageUpHover": "Pointer vers le haut de la page",
"scrollDownHover": "Faire défiler le pointage vers le bas",
"scrollLeftHover": "Faire défiler vers la gauche au pointage",
"scrollRightHover": "Faire défiler le pointage vers la droite",
"scrollUpHover": "Faire défiler le pointage vers le haut",
"showDefinitionPreviewHover": "Afficher le pointeur de l'aperçu de définition",
"showHover": "Afficher par pointage"
"showOrFocusHover": "Afficher ou focus sur pointer"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Chargement en cours...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl + clic",
"links.navigate.kb.meta.mac": "cmd + clic"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Accepter",
"acceptLine": "Accepter la ligne",
"acceptWord": "Accepter le mot",
"action.inlineSuggest.accept": "Accepter la suggestion inline",
"action.inlineSuggest.acceptNextLine": "Accepter la ligne suivante dune suggestion en ligne",
"action.inlineSuggest.acceptNextWord": "Accepter le mot suivant de la suggestion inline",
"action.inlineSuggest.alwaysShowToolbar": "Toujours afficher la barre doutils",
"action.inlineSuggest.hide": "Masquer la suggestion inlined",
"action.inlineSuggest.showNext": "Afficher la suggestion en ligne suivante",
"action.inlineSuggest.showPrevious": "Afficher la suggestion en ligne précédente",
"action.inlineSuggest.trigger": "Déclencher la suggestion en ligne",
"action.inlineSuggest.undo": "Annuler lacceptation du mot",
"action.inlineSuggest.trigger": "Déclencher la suggestion en ligne"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Suggestion :"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Indique si la barre doutils de suggestion en ligne doit toujours être visible",
"canUndoInlineSuggestion": "Indique si lannulation annulerait une suggestion inline",
"inlineSuggestionHasIndentation": "Indique si la suggestion en ligne commence par un espace blanc",
"inlineSuggestionHasIndentationLessThanTabSize": "Indique si la suggestion incluse commence par un espace blanc inférieur à ce qui serait inséré par longlet.",
"inlineSuggestionVisible": "Indique si une suggestion en ligne est visible",
"undoAcceptWord": "Annuler lacceptation du mot"
"suppressSuggestions": "Indique si les suggestions doivent être supprimées pour la suggestion actuelle"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Suggestion :"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Suivant",
"parameterHintsNextIcon": "Icône d'affichage du prochain conseil de paramètre.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Mer"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Focus sur le défilement du pense-bête",
"goToFocusedStickyScrollLine.title": "Atteindre la ligne de défilement pense-bête prioritaire",
"miStickyScroll": "&&Défilement épinglé",
"mifocusStickyScroll": "&&Focus sur le défilement du pense-bête",
"mitoggleStickyScroll": "&&Activer/désactiver le défilement épinglé",
"selectEditor.title": "Sélectionner l'éditeur",
"selectNextStickyScrollLine.title": "Sélectionner la ligne de défilement du pense-bête suivante",
"selectPreviousStickyScrollLine.title": "Sélectionner la ligne de défilement du pense-bête précédente",
"stickyScroll": "Défilement épinglé",
"toggleStickyScroll": "Activer/désactiver le défilement épinglé"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Ajuster les paramètres",
"unicodeHighlight.allowCommonCharactersInLanguage": "Autoriser les caractères Unicode plus courants dans le langage \"{0}\"",
"unicodeHighlight.characterIsAmbiguous": "Le caractère {0} peut être confus avec le caractère {1}, ce qui est plus courant dans le code source.",
"unicodeHighlight.characterIsAmbiguousASCII": "Le caractère {0} peut être confondu avec le caractère ASCII {1}, qui est plus courant dans le code source.",
"unicodeHighlight.characterIsInvisible": "Le caractère {0} est invisible.",
"unicodeHighlight.characterIsNonBasicAscii": "Le caractère {0} nest pas un caractère ASCII de base.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Configurer les options de surlignage Unicode",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Développeur",
"file": "fichier",
"help": "Aide",
"preferences": "Préférences",
"test": "Test",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Commande qui retourne des informations sur les clés de contexte"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "parenthèse fermante ')'",
"contextkey.parser.error.emptyString": "Expression de clé de contexte vide",
"contextkey.parser.error.emptyString.hint": "Avez-vous oublié décrire une expression ? Vous pouvez également placer 'false' ou 'true' pour toujours donner la valeur false ou true, respectivement.",
"contextkey.parser.error.expectedButGot": "Attendu : {0}\r\nReçu : '{1}'.",
"contextkey.parser.error.noInAfterNot": "'in' après 'not'.",
"contextkey.parser.error.unexpectedEOF": "Fin dexpression inattendue",
"contextkey.parser.error.unexpectedEOF.hint": "Avez-vous oublié de placer une clé de contexte ?",
"contextkey.parser.error.unexpectedToken": "Jeton inattendu",
"contextkey.parser.error.unexpectedToken.hint": "Avez-vous oublié de placer && ou || avant le jeton ?",
"contextkey.scanner.errorForLinter": "Jeton inattendu.",
"contextkey.scanner.errorForLinterWithHint": "Jeton inattendu. Conseil : {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Indique si le focus clavier se trouve dans une zone d'entrée",
"isIOS": "Indique si le système dexploitation est Linux",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Indique si le système d'exploitation est Windows",
"productQualityType": "Type de qualité de VS Code"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Avez-vous oublié déchapper le caractère « / » (barre oblique) ? Placez deux barre obliques inverses avant dy échapper, par ex., « \\\\/ ».",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Avez-vous oublié douvrir ou de fermer le devis ?",
"contextkey.scanner.hint.didYouMean1": "Voulez-vous dire {0}?",
"contextkey.scanner.hint.didYouMean2": "Voulez-vous dire {0} ou {1}?",
"contextkey.scanner.hint.didYouMean3": "Voulez-vous dire {0}, {1} ou {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Annuler",
"moreFile": "...1 fichier supplémentaire non affiché",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "Touche ({0}) utilisée. En attente d'une seconde touche...",
"missing.chord": "La combinaison de touches ({0}, {1}) nest pas une commande."
"missing.chord": "La combinaison de touches ({0}, {1}) nest pas une commande.",
"next.chord": "({0}) a été enfoncé. En attente de la touche suivante de la pression..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Multiplicateur de vitesse de défilement quand vous appuyez sur 'Alt'.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Couleur de bordure des widgets de l'éditeur. La couleur est utilisée uniquement si le widget choisit d'avoir une bordure et si la couleur n'est pas remplacée par un widget.",
"editorWidgetForeground": "Couleur de premier plan des widgets de l'éditeur, notamment Rechercher/remplacer.",
"editorWidgetResizeBorder": "Couleur de bordure de la barre de redimensionnement des widgets de l'éditeur. La couleur est utilisée uniquement si le widget choisit une bordure de redimensionnement et si la couleur n'est pas remplacée par un widget.",
"errorBorder": "Couleur de bordure des zones d'erreur dans l'éditeur.",
"errorBorder": "Si cette option est définie, couleur des doubles soulignements pour les erreurs dans léditeur.",
"errorForeground": "Couleur principale de premier plan pour les messages d'erreur. Cette couleur est utilisée uniquement si elle n'est pas redéfinie par un composant.",
"findMatchHighlight": "Couleur des autres correspondances de recherche. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
"findMatchHighlightBorder": "Couleur de bordure des autres résultats de recherche.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Couleur de bordure globale des éléments ayant le focus. Cette couleur est utilisée si elle n'est pas remplacée par un composant.",
"foreground": "Couleur de premier plan globale. Cette couleur est utilisée si elle n'est pas remplacée par un composant.",
"highlight": "Couleur de premier plan dans la liste/l'arborescence pour la surbrillance des correspondances pendant la recherche dans une liste/arborescence.",
"hintBorder": "Couleur de bordure des zones d'indication dans l'éditeur.",
"hintBorder": "Si cette option est définie, couleur des doubles soulignements pour les conseils dans léditeur.",
"hoverBackground": "Couleur d'arrière-plan du pointage de l'éditeur.",
"hoverBorder": "Couleur de bordure du pointage de l'éditeur.",
"hoverForeground": "Couleur de premier plan du pointage de l'éditeur.",
"hoverHighlight": "Surlignage sous le mot sélectionné par pointage. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
"iconForeground": "Couleur par défaut des icônes du banc d'essai.",
"infoBorder": "Couleur de bordure des zones d'informations dans l'éditeur.",
"infoBorder": "Si cette option est définie, couleur des doubles soulignements pour les informations dans léditeur.",
"inputBoxActiveOptionBorder": "Couleur de la bordure des options activées dans les champs d'entrée.",
"inputBoxBackground": "Arrière-plan de la zone d'entrée.",
"inputBoxBorder": "Bordure de la zone d'entrée.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Couleur d'arrière-plan du widget de filtre de type dans les listes et les arborescences.",
"listFilterWidgetNoMatchesOutline": "Couleur de contour du widget de filtre de type dans les listes et les arborescences, en l'absence de correspondance.",
"listFilterWidgetOutline": "Couleur de contour du widget de filtre de type dans les listes et les arborescences.",
"listFilterWidgetShadow": "Appliquez une ombre à la couleur du widget filtre de type dans les listes et les arborescences.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Couleur de contour de liste/arborescence pour lélément ciblé lorsque la liste/larborescence est active et sélectionnée. Une liste/arborescence active dispose dun focus clavier, ce qui nest pas le cas dune arborescence inactive.",
"listFocusBackground": "Couleur d'arrière-plan de la liste/l'arborescence pour l'élément ayant le focus quand la liste/l'arborescence est active. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
"listFocusForeground": "Couleur de premier plan de la liste/l'arborescence pour l'élément ayant le focus quand la liste/l'arborescence est active. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Couleur darrière-plan de la barre de défilement lorsqu'on clique dessus.",
"scrollbarSliderBackground": "Couleur de fond du curseur de la barre de défilement.",
"scrollbarSliderHoverBackground": "Couleur de fond du curseur de la barre de défilement lors du survol.",
"search.resultsInfoForeground": "Couleur du texte dans le message dachèvement de la viewlet de recherche.",
"searchEditor.editorFindMatchBorder": "Couleur de bordure des correspondances de requête de l'éditeur de recherche.",
"searchEditor.queryMatch": "Couleur des correspondances de requête de l'éditeur de recherche.",
"selectionBackground": "La couleur d'arrière-plan des sélections de texte dans le banc d'essai (par ex., pour les champs d'entrée ou les zones de texte). Notez que cette couleur ne s'applique pas aux sélections dans l'éditeur et le terminal.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Contour de la barre doutils lors du survol des actions à laide de la souris",
"treeInactiveIndentGuidesStroke": "Couleur de trait darborescence pour les repères de mise en retrait qui ne sont pas actifs.",
"treeIndentGuidesStroke": "Couleur de trait de l'arborescence pour les repères de mise en retrait.",
"warningBorder": "Couleur de bordure des zones d'avertissement dans l'éditeur.",
"warningBorder": "Si cette option est définie, couleur des doubles soulignements pour les avertissements dans léditeur.",
"widgetBorder": "Couleur de bordure des widgets, comme rechercher/remplacer au sein de l'éditeur.",
"widgetShadow": "Couleur de l'ombre des widgets, comme rechercher/remplacer, au sein de l'éditeur."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Errore: {0}",
"alertInfoMessage": "Info: {0}",
"alertWarningMessage": "Avviso: {0}",
"clearedInput": "Input cancellato",
"history.inputbox.hint": "per la cronologia"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " usa MAIUSC +F7 per esplorare le modifiche",
"diff.tooLarge": "Non è possibile confrontare i file perché uno è troppo grande.",
"diffInsertIcon": "Effetto di riga per gli inserimenti nell'editor diff.",
"diffRemoveIcon": "Effetto di riga per le rimozioni nell'editor diff."
"diffRemoveIcon": "Effetto di riga per le rimozioni nell'editor diff.",
"revertChangeHoverMessage": "Fare clic per annullare la modifica"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "vuota",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Controlla se l'editor visualizza CodeLens.",
"detectIndentation": "Controlla se {0} e {1} verranno rilevati automaticamente quando un file viene aperto in base al contenuto del file.",
"diffAlgorithm.experimental": "Usa un algoritmo diffing sperimentale.",
"diffAlgorithm.smart": "Usa l'algoritmo diffing predefinito.",
"diffAlgorithm.advanced": "Usare l'algoritmo diffing avanzato.",
"diffAlgorithm.legacy": "Usare l'algoritmo diffing legacy.",
"editor.experimental.asyncTokenization": "Controlla se la tokenizzazione deve essere eseguita in modo asincrono in un web worker.",
"editor.experimental.asyncTokenizationLogging": "Controlla se deve essere registrata la tokenizzazione asincrona. Solo per il debug.",
"editor.experimental.asyncTokenizationVerification": "Controlla se la tokenizzazione asincrona deve essere verificata rispetto alla tokenizzazione legacy in background. Potrebbe rallentare la tokenizzazione. Solo per il debug.",
"editorConfigurationTitle": "Editor",
"ignoreTrimWhitespace": "Se abilitato, l'editor differenze ignora le modifiche relative a spazi vuoti iniziali e finali.",
"indentSize": "Numero di spazi utilizzati per il rientro o `\"tabSize\"` per usare il valore di `#editor.tabSize#`. Questa impostazione viene sostituita in base al contenuto del file quando `#editor.detectIndentation#` è attivo.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` viene sempre applicato.",
"cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` viene applicato solo quando è attivato tramite la tastiera o l'API.",
"cursorWidth": "Controlla la larghezza del cursore quando `#editor.cursorStyle#` è impostato su `line`.",
"defaultColorDecorators": "Controllare se visualizzare le decorazioni colori incorporate usando il provider colori predefinito del documento",
"definitionLinkOpensInPeek": "Controlla se il movimento del mouse Vai alla definizione consente sempre di aprire il widget di anteprima.",
"deprecated": "Questa impostazione è deprecata. In alternativa, usare impostazioni diverse, come 'editor.suggest.showKeywords' o 'editor.suggest.showSnippets'.",
"dragAndDrop": "Controlla se l'editor deve consentire lo spostamento di selezioni tramite trascinamento della selezione.",
"dropIntoEditor.enabled": "Controlla se è possibile trascinare un file in un editor di testo tenendo premuto MAIUSC (invece di aprire il file in un editor).",
"dropIntoEditor.showDropSelector": "Controlla se viene visualizzato un widget quando si rilasciano file nell'editor. Questo widget consente di controllare la modalità di rilascio del file.",
"dropIntoEditor.showDropSelector.afterDrop": "Mostra il widget del selettore di rilascio dopo il rilascio di un file nell'editor.",
"dropIntoEditor.showDropSelector.never": "Non visualizzare mai il widget del selettore di rilascio. Usare sempre il provider di rilascio predefinito.",
"editor.autoClosingBrackets.beforeWhitespace": "Chiudi automaticamente le parentesi solo quando il cursore si trova alla sinistra di uno spazio vuoto.",
"editor.autoClosingBrackets.languageDefined": "Usa le configurazioni del linguaggio per determinare la chiusura automatica delle parentesi.",
"editor.autoClosingDelete.auto": "Rimuove le virgolette o le parentesi quadre di chiusura adiacenti solo se sono state inserite automaticamente.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Gli hint di inlay sono nascosti per impostazione predefinita e vengono visualizzati solo quando si tiene premuto {0}",
"editor.inlayHints.on": "Gli hint di inlay sono abilitati",
"editor.inlayHints.onUnlessPressed": "Gli hint di inlay vengono visualizzati per impostazione predefinita e vengono nascosti quando si tiene premuto {0}",
"editor.stickyScroll": "Mostra gli ambiti correnti annidati durante lo scorrimento nella parte superiore dell'editor.",
"editor.stickyScroll.": "Definisce il numero massimo di righe permanenti da mostrare.",
"editor.stickyScroll.defaultModel": "Definisce il modello da utilizzare per determinare quali linee applicare. Se il modello di struttura non esiste, verrà eseguito il fallback sul modello del provider di riduzione che rientra nel modello di rientro. Questo ordine viene rispettato in tutti e tre i casi.",
"editor.stickyScroll.enabled": "Mostra gli ambiti correnti annidati durante lo scorrimento nella parte superiore dell'editor.",
"editor.stickyScroll.maxLineCount": "Definisce il numero massimo di righe permanenti da mostrare.",
"editor.suggest.matchOnWordStartOnly": "Quando è abilitato, il filtro IntelliSense richiede che il primo carattere corrisponda all'inizio di una parola, ad esempio 'c' per 'Console' o 'WebContext' ma _non_ per 'description'. Quando è disabilitato, IntelliSense mostra più risultati, ma li ordina comunque in base alla qualità della corrispondenza.",
"editor.suggest.showClasss": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `class`.",
"editor.suggest.showColors": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `color`.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Controlla quando mostrare la barra dei suggerimenti in linea.",
"inlineSuggest.showToolbar.always": "Mostra la barra degli strumenti dei suggerimenti in linea ogni volta che viene visualizzato un suggerimento in linea.",
"inlineSuggest.showToolbar.onHover": "Mostra la barra degli strumenti dei suggerimenti in linea quando al passaggio del mouse su un suggerimento in linea.",
"inlineSuggest.suppressSuggestions": "Controlla la modalità di interazione dei suggerimenti inline con il widget dei suggerimenti. Se questa opzione è abilitata, il widget dei suggerimenti non viene visualizzato automaticamente quando sono disponibili suggerimenti inline.",
"letterSpacing": "Controlla la spaziatura tra le lettere in pixel.",
"lineHeight": "Controlla l'altezza della riga. \r\n - Usare 0 per calcolare automaticamente l'altezza della riga dalle dimensioni del carattere.\r\n - I valori compresi tra 0 e 8 verranno usati come moltiplicatore con le dimensioni del carattere.\r\n - I valori maggiori o uguali a 8 verranno usati come valori effettivi.",
"lineNumbers": "Controlla la visualizzazione dei numeri di riga.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Controlla la quantità di spazio tra il bordo superiore dell'editor e la prima riga.",
"parameterHints.cycle": "Controlla se il menu dei suggerimenti per i parametri esegue un ciclo o si chiude quando viene raggiunta la fine dell'elenco.",
"parameterHints.enabled": "Abilita un popup che mostra documentazione sui parametri e informazioni sui tipi mentre si digita.",
"pasteAs.enabled": "Controlla se è possibile incollare il contenuto in modi diversi.",
"pasteAs.showPasteSelector": "Controlla se viene visualizzato un widget quando si incolla il contenuto nell'editor. Questo widget consente di controllare il modo in cui il file viene incollato.",
"pasteAs.showPasteSelector.afterPaste": "Mostra il widget del selettore dell'operazione Incolla dopo che il contenuto è stato incollato nell'editor.",
"pasteAs.showPasteSelector.never": "Non visualizzare mai il widget del selettore dell'operazione Incolla. Usare sempre il comportamento dell'operazione Incolla predefinito.",
"peekWidgetDefaultFocus": "Controlla se spostare lo stato attivo sull'editor inline o sull'albero nel widget di anteprima.",
"peekWidgetDefaultFocus.editor": "Sposta lo stato attivo sull'editor quando si apre l'anteprima",
"peekWidgetDefaultFocus.tree": "Sposta lo stato attivo sull'albero quando si apre l'anteprima",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Esegue il rendering dei righelli verticali dopo un certo numero di caratteri a spaziatura fissa. Usare più valori per più righelli. Se la matrice è vuota, non viene disegnato alcun righello.",
"rulers.color": "Colore di questo righello dell'editor.",
"rulers.size": "Numero di caratteri a spaziatura fissa in corrispondenza del quale verrà eseguito il rendering di questo righello dell'editor.",
"screenReaderAnnounceInlineSuggestion": "Controlla se i suggerimenti inline vengono annunciati da un'utilità per la lettura dello schermo. Si noti che questo non funziona in macOS con VoiceOver.",
"scrollBeyondLastColumn": "Controlla il numero di caratteri aggiuntivi oltre i quali l'editor scorrerà orizzontalmente.",
"scrollBeyondLastLine": "Controlla se l'editor scorrerà oltre l'ultima riga.",
"scrollPredominantAxis": "Scorre solo lungo l'asse predominante durante lo scorrimento verticale e orizzontale simultaneo. Impedisce la deviazione orizzontale quando si scorre in verticale su un trackpad.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Controlla se mostrare o nascondere le icone nei suggerimenti.",
"suggest.showInlineDetails": "Controlla se i dettagli del suggerimento vengono visualizzati inline con l'etichetta o solo nel widget dei dettagli.",
"suggest.showStatusBar": "Controlla la visibilità della barra di stato nella parte inferiore del widget dei suggerimenti.",
"suggest.snippetsPreventQuickSuggestions": "Controlla se un frammento attivo impedisce i suggerimenti rapidi.",
"suggestFontSize": "Dimensioni del carattere per il widget dei suggerimenti. Se impostato su {0}, viene usato il valore di {1}.",
"suggestLineHeight": "Altezza della riga per il widget dei suggerimenti. Se impostato su {0}, viene usato il valore {1}. Il valore minimo è 8.",
"suggestOnTriggerCharacters": "Controlla se i suggerimenti devono essere visualizzati automaticamente durante la digitazione dei caratteri trigger.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Indica se per l'editor esiste testo selezionato",
"editorHasSignatureHelpProvider": "Indica se per l'editor esiste un provider della guida per la firma",
"editorHasTypeDefinitionProvider": "Indica se per l'editor esiste un provider di definizioni di tipo",
"editorHoverFocused": "Indica se l'area sensibile al passaggio del mouse dell'edito è attivata",
"editorHoverVisible": "Indica se il passaggio del puntatore nell'editor è visibile",
"editorLangId": "Identificatore lingua dell'editor",
"editorReadonly": "Indica se l'editor è di sola lettura",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Indica se il testo dell'editor ha lo stato attivo (il cursore lampeggia)",
"inCompositeEditor": "Indica se l'editor fa parte di un editor più esteso (ad esempio notebook)",
"inDiffEditor": "Indica se il contesto è un editor diff",
"isEmbeddedDiffEditor": "Indica se il contesto è un editor diff incorporato",
"standaloneColorPickerFocused": "Indicare se la selezione colori autonoma è evidenziata",
"standaloneColorPickerVisible": "Indicare se la selezione colori autonoma è visibile",
"stickyScrollFocused": "Indica se lo scorrimento permanente è attivo",
"stickyScrollVisible": "Indica se lo scorrimento permanente è visibile",
"textInputFocus": "Indica se un editor o un input RTF ha lo stato attivo (il cursore lampeggia)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Premere ALT+F1 per le opzioni di accessibilità.",
"accessibilityHelpTitle": "Guida sull'accessibilità",
"auto_off": "L'editor è configurato per non essere ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo, che non viene usata in questo momento.",
"auto_on": "L'editor è configurato per essere ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo.",
"bulkEditServiceSummary": "Effettuate {0} modifiche in {1} file",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Vai alla parentesi &&quadra",
"overviewRulerBracketMatchForeground": "Colore del marcatore del righello delle annotazioni per la corrispondenza delle parentesi.",
"smartSelect.jumpBracket": "Vai alla parentesi quadra",
"smartSelect.removeBrackets": "Rimuovi parentesi quadre",
"smartSelect.selectToBracket": "Seleziona fino alla parentesi"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Organizza import",
"quickfix.trigger.label": "Correzione rapida...",
"refactor.label": "Effettua refactoring...",
"refactor.preview.label": "Refactoring con anteprima...",
"source.label": "Azione origine..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Abilita/disabilita la visualizzazione delle intestazioni gruppo nel menu Azione codice."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Nascondi elementi disabilitati",
"showMoreActions": "Mostra elementi disabilitati"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Riscrivi...",
"codeAction.widget.id.extract": "Estrai...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Azione di origine...",
"codeAction.widget.id.surround": "Racchiudi con..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Nascondi elementi disabilitati",
"showMoreActions": "Mostra elementi disabilitati"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Mostra Azioni codice",
"codeActionWithKb": "Mostra Azioni codice ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Mostra comandi di CodeLens per la riga corrente"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Fare clic per attivare/disattivare le opzioni di colore (rgb/hsl/hex)"
"clickToToggleColorOptions": "Fare clic per attivare/disattivare le opzioni di colore (rgb/hsl/hex)",
"closeIcon": "Icona per chiudere la selezione colori"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Nascondere la Selezione colori",
"insertColorWithStandaloneColorPicker": "Inserire colore con Selezione colori autonomo",
"mishowOrFocusStandaloneColorPicker": "&&Mostra o sposta lo stato attivo su Selezione colori autonomo",
"showOrFocusStandaloneColorPicker": "Mostra o sposta lo stato attivo su Selezione colori autonomo"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Attiva/Disattiva commento per il blocco",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Sempre",
"context.minimap.slider.mouseover": "Passaggio del mouse"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Abilita/disabilita l'esecuzione delle modifiche dalle estensioni quando si incolla."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Esecuzione dei gestori Incolla in corso..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Cursore - Ripeti",
"cursor.undo": "Cursore - Annulla"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Esecuzione dei gestori di rilascio in corso..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Indica se l'editor esegue un'operazione annullabile, ad esempio 'Anteprima riferimenti'"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Andare a Corrispondenza...",
"findMatchAction.inputPlaceHolder": "Digitare un numero per passare a una corrispondenza specifica (tra 1 e {0})",
"findMatchAction.inputValidationMessage": "Digitare un numero compreso tra 1 e {0}",
"findMatchAction.noResults": "Nessuna corrispondenza. Provare a cercare qualcos'altro.",
"findNextMatchAction": "Trova successivo",
"findPreviousMatchAction": "Trova precedente",
"miFind": "&&Trova",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 simbolo in {0}, percorso completo {1}",
"aria.fileReferences.N": "{0} simboli in {1}, percorso completo {2}",
"aria.oneReference": "simbolo in {0} alla riga {1} colonna {2}",
"aria.oneReference.preview": "simbolo in {0} alla riga {1} colonna {2}, {3}",
"aria.oneReference": "in {0} alla riga {1} della colonna {2}",
"aria.oneReference.preview": "{0} in {1} alla riga {2} della colonna {3}",
"aria.result.0": "Non sono stati trovati risultati",
"aria.result.1": "Trovato 1 simbolo in {0}",
"aria.result.n1": "Trovati {0} simboli in {1}",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Simbolo {0} di {1}, {2} per il successivo"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Esci dallo stato attivo al passaggio del mouse",
"goToBottomHover": "Vai in basso al passaggio del mouse",
"goToTopHover": "Vai in alto al passaggio del mouse",
"pageDownHover": "Vai alla pagina successiva al passaggio del mouse",
"pageUpHover": "Vai alla pagina precedente al passaggio del mouse",
"scrollDownHover": "Scorri verso il basso al passaggio del mouse",
"scrollLeftHover": "Scorri a sinistra al passaggio del mouse",
"scrollRightHover": "Scorri a destra al passaggio del mouse",
"scrollUpHover": "Scorri verso l'alto al passaggio del mouse",
"showDefinitionPreviewHover": "Mostra anteprima definizione al passaggio del mouse",
"showHover": "Visualizza passaggio del mouse"
"showOrFocusHover": "Mostra o sposta lo stato attivo al passaggio del mouse"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Caricamento...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "CTRL+clic",
"links.navigate.kb.meta.mac": "CMD+clic"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Accetta",
"acceptLine": "Accetta riga",
"acceptWord": "Accetta parola",
"action.inlineSuggest.accept": "Accetta il suggerimento in linea",
"action.inlineSuggest.acceptNextLine": "Accetta la riga successiva del suggerimento in linea",
"action.inlineSuggest.acceptNextWord": "Accettare suggerimento inline per la parola successiva",
"action.inlineSuggest.alwaysShowToolbar": "Mostra sempre la barra degli strumenti",
"action.inlineSuggest.hide": "Nascondi suggerimento inline",
"action.inlineSuggest.showNext": "Mostrare suggerimento inline successivo",
"action.inlineSuggest.showPrevious": "Mostrare suggerimento inline precedente",
"action.inlineSuggest.trigger": "Trigger del suggerimento inline",
"action.inlineSuggest.undo": "Annullare Accetta parola",
"action.inlineSuggest.trigger": "Trigger del suggerimento inline"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Suggerimento:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Indica se la barra degli strumenti dei suggerimenti in linea deve essere sempre visibile",
"canUndoInlineSuggestion": "Indica se l'annullamento annullerebbe un suggerimento inline",
"inlineSuggestionHasIndentation": "Se il suggerimento in linea inizia con spazi vuoti",
"inlineSuggestionHasIndentationLessThanTabSize": "Indica se il suggerimento inline inizia con uno spazio vuoto minore di quello che verrebbe inserito dalla tabulazione",
"inlineSuggestionVisible": "Se è visibile un suggerimento inline",
"undoAcceptWord": "Annulla Accetta parola"
"suppressSuggestions": "Indica se i suggerimenti devono essere eliminati per il suggerimento corrente"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Suggerimento:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Avanti",
"parameterHintsNextIcon": "Icona per visualizzare il suggerimento del parametro successivo.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Mer"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Sposta stato attivo su Scorrimento permanente",
"goToFocusedStickyScrollLine.title": "Vai alla linea di scorrimento permanente attiva",
"miStickyScroll": "&&Scorrimento permanente",
"mifocusStickyScroll": "&&Sposta stato attivo su Scorrimento permanente",
"mitoggleStickyScroll": "&&Alternanza scorrimento permanente",
"selectEditor.title": "Selezionare l'editor",
"selectNextStickyScrollLine.title": "Seleziona la riga di scorrimento permanente successiva",
"selectPreviousStickyScrollLine.title": "Seleziona riga di scorrimento permanente precedente",
"stickyScroll": "Scorrimento permanente",
"toggleStickyScroll": "Alternanza scorrimento permanente"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Modificare impostazioni",
"unicodeHighlight.allowCommonCharactersInLanguage": "Consentire i caratteri Unicode più comuni nel linguaggio \"{0}\".",
"unicodeHighlight.characterIsAmbiguous": "Il carattere {0} potrebbe essere confuso con il carattere {1}, che è più comune nel codice sorgente.",
"unicodeHighlight.characterIsAmbiguousASCII": "Il carattere {0} potrebbe essere confuso con il carattere ASCII {1}, che è più comune nel codice sorgente.",
"unicodeHighlight.characterIsInvisible": "Il carattere {0} è invisibile.",
"unicodeHighlight.characterIsNonBasicAscii": "Il carattere {0} non è un carattere ASCII di base.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Configurare opzioni evidenziazione Unicode",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Sviluppatore",
"file": "FILE",
"help": "Guida",
"preferences": "Preferenze",
"test": "Test",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Comando che restituisce informazioni sulle chiavi di contesto"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "Parentesi chiusa ')'",
"contextkey.parser.error.emptyString": "Espressione chiave di contesto vuota",
"contextkey.parser.error.emptyString.hint": "Si è dimenticato di scrivere un'espressione? È anche possibile inserire 'false' o 'true' per restituire sempre rispettivamente false o true.",
"contextkey.parser.error.expectedButGot": "Previsto: {0}\r\nRicevuto: '{1}'.",
"contextkey.parser.error.noInAfterNot": "'in' dopo 'not'.",
"contextkey.parser.error.unexpectedEOF": "Fine imprevista dell'espressione",
"contextkey.parser.error.unexpectedEOF.hint": "Si è dimenticato di inserire una chiave di contesto?",
"contextkey.parser.error.unexpectedToken": "Token imprevisto",
"contextkey.parser.error.unexpectedToken.hint": "Si è dimenticato di inserire && o || prima del token?",
"contextkey.scanner.errorForLinter": "Token imprevisto.",
"contextkey.scanner.errorForLinterWithHint": "Token imprevisto. Suggerimento: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Indica se lo stato attivo della tastiera si trova all'interno di una casella di input",
"isIOS": "Indica se il sistema operativo è iOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Indica se il sistema operativo è Windows",
"productQualityType": "Tipo di qualità del VS Code"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Si è dimenticato di eseguire il carattere di escape '/' (slash)? Inserire due barre rovesciate prima del carattere di escape, ad esempio '\\\\/'.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Si è dimenticato di aprire o chiudere la citazione?",
"contextkey.scanner.hint.didYouMean1": "Si intendeva {0}?",
"contextkey.scanner.hint.didYouMean2": "Si intendeva {0} o {1}?",
"contextkey.scanner.hint.didYouMean3": "Si intendeva {0}, {1} o {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Annulla",
"moreFile": "...1 altro file non visualizzato",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "È stato premuto ({0}). In attesa del secondo tasto...",
"missing.chord": "La combinazione di tasti ({0}, {1}) non è un comando."
"missing.chord": "La combinazione di tasti ({0}, {1}) non è un comando.",
"next.chord": "È stato premuto ({0}). In attesa del prossimo tasto..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Moltiplicatore della velocità di scorrimento quando si preme `Alt`.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Colore del bordo dei widget dell'editor. Il colore viene usato solo se il widget sceglie di avere un bordo e se il colore non è sottoposto a override da un widget.",
"editorWidgetForeground": "Colore primo piano dei widget dell'editor, ad esempio Trova/Sostituisci.",
"editorWidgetResizeBorder": "Colore del bordo della barra di ridimensionamento dei widget dell'editor. Il colore viene usato solo se il widget sceglie di avere un bordo di ridimensionamento e se il colore non è sostituito da quello di un widget.",
"errorBorder": "Colore del bordo delle caselle di errore nell'editor.",
"errorBorder": "Se impostato, colore delle doppie sottolineature per gli errori nell'editor.",
"errorForeground": "Colore primo piano globale per i messaggi di errore. Questo colore viene usato solo se non è sostituito da quello di un componente.",
"findMatchHighlight": "Colore degli altri risultati della ricerca. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
"findMatchHighlightBorder": "Colore del bordo delle altre corrispondenze della ricerca.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Colore del bordo globale per gli elementi evidenziati. Questo colore viene usato solo se non è sostituito da quello di un componente.",
"foreground": "Colore primo piano generale. Questo colore viene usato solo se non è sostituito da quello di un componente.",
"highlight": "Colore primo piano Elenco/Struttura ad albero delle occorrenze trovate durante la ricerca nell'Elenco/Struttura ad albero.",
"hintBorder": "Colore del bordo delle caselle dei suggerimenti nell'editor.",
"hintBorder": "Se impostato, colore delle doppie sottolineature per i suggerimenti nell'editor.",
"hoverBackground": "Colore di sfondo dell'area sensibile al passaggio del mouse dell'editor.",
"hoverBorder": "Colore del bordo dell'area sensibile al passaggio del mouse dell'editor.",
"hoverForeground": "Colore primo piano dell'area sensibile al passaggio del mouse dell'editor.",
"hoverHighlight": "Evidenziazione sotto la parola per cui è visualizzata un'area sensibile al passaggio del mouse. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
"iconForeground": "Colore predefinito per le icone nel workbench.",
"infoBorder": "Colore del bordo delle caselle informative nell'editor.",
"infoBorder": "Se impostato, colore delle doppie sottolineature per i messaggi informativi nell'editor.",
"inputBoxActiveOptionBorder": "Colore del bordo di opzioni attivate nei campi di input.",
"inputBoxBackground": "Sfondo della casella di input.",
"inputBoxBorder": "Bordo della casella di input.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Colore di sfondo del widget del filtro per tipo in elenchi e alberi.",
"listFilterWidgetNoMatchesOutline": "Colore del contorno del widget del filtro per tipo in elenchi e alberi quando non sono presenti corrispondenze.",
"listFilterWidgetOutline": "Colore del contorno del widget del filtro per tipo in elenchi e alberi.",
"listFilterWidgetShadow": "Colore ombreggiatura del widget del filtro in elenchi e alberi.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Colore del contorno dell'elenco/albero per l'elemento con lo stato attivo quando l'elenco/albero è attivo e selezionato. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
"listFocusBackground": "Colore di sfondo dell'elenco/albero per l'elemento con lo stato attivo quando l'elenco/albero è attivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
"listFocusForeground": "Colore primo piano dell'elenco/albero per l'elemento con lo stato attivo quando l'elenco/albero è attivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Colore di sfondo del cursore della barra di scorrimento quando si fa clic con il mouse.",
"scrollbarSliderBackground": "Colore di sfondo del cursore della barra di scorrimento.",
"scrollbarSliderHoverBackground": "Colore di sfondo del cursore della barra di scorrimento al passaggio del mouse.",
"search.resultsInfoForeground": "Colore del testo nel messaggio di completamento del viewlet di ricerca.",
"searchEditor.editorFindMatchBorder": "Colore del bordo delle corrispondenze query dell'editor della ricerca.",
"searchEditor.queryMatch": "Colore delle corrispondenze query dell'editor della ricerca.",
"selectionBackground": "Il colore di sfondo delle selezioni di testo in workbench (ad esempio per i campi di input o aree di testo). Si noti che questo non si applica alle selezioni all'interno dell'editor.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Contorno della barra degli strumenti al passaggio del mouse sulle azioni",
"treeInactiveIndentGuidesStroke": "Colore del tratto dell'albero per le guide di rientro non attive.",
"treeIndentGuidesStroke": "Colore del tratto dell'albero per le guide per i rientri.",
"warningBorder": "Colore del bordo delle caselle di avviso nell'editor.",
"warningBorder": "Se impostato, colore delle doppie sottolineature per gli avvisi nell'editor.",
"widgetBorder": "Colore del bordo dei widget, ad es. Trova/Sostituisci all'interno dell'editor.",
"widgetShadow": "Colore ombreggiatura dei widget, ad es. Trova/Sostituisci all'interno dell'editor."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "エラー: {0}",
"alertInfoMessage": "情報: {0}",
"alertWarningMessage": "警告: {0}",
"clearedInput": "クリアされた入力",
"history.inputbox.hint": "履歴対象"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " Shift + F7 を使用して変更を移動する",
"diff.tooLarge": "一方のファイルが大きすぎるため、ファイルを比較できません。",
"diffInsertIcon": "差分エディターで挿入を示す行の装飾。",
"diffRemoveIcon": "差分エディターで削除を示す行の装飾。"
"diffRemoveIcon": "差分エディターで削除を示す行の装飾。",
"revertChangeHoverMessage": "クリックして変更を元に戻す"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "空白",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "エディターで CodeLens を表示するかどうかを制御します。",
"detectIndentation": "ファイルがファイルの内容に基づいて開かれる場合、{0} と {1} を自動的に検出するかどうかを制御します。",
"diffAlgorithm.experimental": "試験的な差分アルゴリズムを使用します。",
"diffAlgorithm.smart": "既定の差分アルゴリズムを使用します。",
"diffAlgorithm.advanced": "高度な差分アルゴリズムを使用します。",
"diffAlgorithm.legacy": "従来の差分アルゴリズムを使用します。",
"editor.experimental.asyncTokenization": "Web ワーカーでトークン化を非同期的に行うかどうかを制御します。",
"editor.experimental.asyncTokenizationLogging": "非同期トークン化をログに記録するかどうかを制御します。デバッグ用のみ。",
"editor.experimental.asyncTokenizationVerification": "従来のバックグラウンド トークン化に対して非同期トークン化を検証するかどうかを制御します。トークン化が遅くなる可能性があります。デバッグ専用です。",
"editorConfigurationTitle": "エディター",
"ignoreTrimWhitespace": "有効にすると、差分エディターは先頭または末尾の空白文字の変更を無視します。",
"indentSize": "インデントまたは `\"tabSize\"` で `#editor.tabSize#` の値を使用するために使用されるスペースの数。この設定は、 `#editor.detectIndentation#` がオンの場合、ファイルの内容に基づいてオーバーライドされます。",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` は常に適用されます。",
"cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` は、キーボードまたは API でトリガーされた場合にのみ強制されます。",
"cursorWidth": "`#editor.cursorStyle#` が `line` に設定されている場合、カーソルの幅を制御します。",
"defaultColorDecorators": "既定のドキュメント カラー プロバイダーを使用してインラインの色の装飾を表示するかどうかを制御します",
"definitionLinkOpensInPeek": "[定義へ移動] マウス ジェスチャーで、常にピーク ウィジェットを開くかどうかを制御します。",
"deprecated": "この設定は非推奨です。代わりに、'editor.suggest.showKeywords' や 'editor.suggest.showSnippets' などの個別の設定を使用してください。",
"dragAndDrop": "ドラッグ アンド ドロップによる選択範囲の移動をエディターが許可するかどうかを制御します。",
"dropIntoEditor.enabled": "(エディターでファイルを開く代わりに) 'shift' を押しながらテキスト エディターにファイルをドラッグ アンド ドロップできるかどうかを制御します。",
"dropIntoEditor.showDropSelector": "エディターにファイルをドロップするときにウィジェットを表示するかどうかを制御します。このウィジェットでは、ファイルのドロップ方法を制御できます。",
"dropIntoEditor.showDropSelector.afterDrop": "ファイルがエディターにドロップされた後に、ドロップ セレクター ウィジェットを表示します。",
"dropIntoEditor.showDropSelector.never": "ドロップ セレクター ウィジェットを表示しません。代わりに、既定のドロップ プロバイダーが常に使用されます。",
"editor.autoClosingBrackets.beforeWhitespace": "カーソルが空白文字の左にあるときだけ、かっこを自動クローズします。",
"editor.autoClosingBrackets.languageDefined": "言語設定を使用して、いつかっこを自動クローズするか決定します。",
"editor.autoClosingDelete.auto": "隣接する終わり引用符または括弧が自動的に挿入された場合にのみ、それらを削除します。",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "インレイ ヒントは既定では非表示になり、{0} を押したままにすると表示されます",
"editor.inlayHints.on": "インレイ ヒントが有効になっています",
"editor.inlayHints.onUnlessPressed": "インレイ ヒントは既定で表示され、{0} を押したままにすると非表示になります",
"editor.stickyScroll": "スクロール中にエディターの上部に入れ子になった現在のスコープを表示します。",
"editor.stickyScroll.": "表示する追従行の最大数を定義します。",
"editor.stickyScroll.defaultModel": "固定する行を決定するために使用するモデルを定義します。アウトライン モデルが存在しない場合、インデント モデルにフォールバックする折りたたみプロバイダー モデルにフォールバックします。この順序は、3 つのケースすべてで優先されます。",
"editor.stickyScroll.enabled": "スクロール中にエディターの上部に入れ子になった現在のスコープを表示します。",
"editor.stickyScroll.maxLineCount": "表示する追従行の最大数を定義します。",
"editor.suggest.matchOnWordStartOnly": "有効にすると、IntelliSense のフィルター処理では、単語の先頭で最初の文字が一致する必要があります。たとえば、`Console` や `WebContext` の場合は `c`、`description` の場合は _not_ です。無効にすると、IntelliSense はより多くの結果を表示しますが、一致品質で並べ替えられます。",
"editor.suggest.showClasss": "有効にすると、IntelliSense に 'クラス' 候補が表示されます。",
"editor.suggest.showColors": "有効にすると、IntelliSense に `色` 候補が表示されます。",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "インライン候補ツール バーを表示するタイミングを制御します。",
"inlineSuggest.showToolbar.always": "インライン候補が表示されるたびに、インライン候補ツール バーを表示します。",
"inlineSuggest.showToolbar.onHover": "インライン候補にカーソルを合わせるたびに、インライン候補ツール バーを表示します。",
"inlineSuggest.suppressSuggestions": "インライン提案と提案ウィジェットの相互作用の方法を制御します。有効すると、インライン候補が使用可能な場合は、提案ウィジェットが自動的に表示されません。",
"letterSpacing": "文字間隔 (ピクセル単位) を制御します。",
"lineHeight": "行の高さを制御します。\r\n - 0 を使用してフォント サイズから行の高さを自動的に計算します。\r\n - 0 から 8 までの値は、フォント サイズの乗数として使用されます。\r\n - 8 以上の値は有効値として使用されます。",
"lineNumbers": "行番号の表示を制御します。",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "エディターの上端と最初の行の間の余白の大きさを制御します。",
"parameterHints.cycle": "パラメーター ヒント メニューを周回するか、リストの最後で閉じるかどうかを制御します。",
"parameterHints.enabled": "入力時にパラメーター ドキュメントと型情報を表示するポップアップを有効にします。",
"pasteAs.enabled": "さまざまな方法でコンテンツを貼り付けることができるかどうかを制御します。",
"pasteAs.showPasteSelector": "エディターにコンテンツを貼り付けるときにウィジェットを表示するかどうかを制御します。このウィジェットを使用すると、ファイルの貼り付け方法を制御できます。",
"pasteAs.showPasteSelector.afterPaste": "コンテンツをエディターに貼り付けた後、貼り付けセレクター ウィジェットを表示します。",
"pasteAs.showPasteSelector.never": "貼り付けセレクター ウィジェットを表示しないでください。代わりに、既定の貼り付け動作が常に使用されます。",
"peekWidgetDefaultFocus": "ピーク ウィジェットのインライン エディターまたはツリーをフォーカスするかどうかを制御します。",
"peekWidgetDefaultFocus.editor": "ピークを開くときにエディターにフォーカスする",
"peekWidgetDefaultFocus.tree": "ピークを開くときにツリーにフォーカスする",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "特定の等幅文字数の後に垂直ルーラーを表示します。複数のルーラーには複数の値を使用します。配列が空の場合はルーラーを表示しません。",
"rulers.color": "このエディターのルーラーの色です。",
"rulers.size": "このエディターのルーラーがレンダリングする単一領域の文字数。",
"screenReaderAnnounceInlineSuggestion": "スクリーン リーダーでインライン候補が通知されるかどうかを制御します。VoiceOver を使用した macOS では動作しないことに注意してください。",
"scrollBeyondLastColumn": "エディターが水平方向に余分にスクロールする文字数を制御します。",
"scrollBeyondLastLine": "エディターが最後の行を越えてスクロールするかどうかを制御します。",
"scrollPredominantAxis": "垂直および水平方向の両方に同時にスクロールする場合は、主要な軸に沿ってスクロールします。トラックパッド上で垂直方向にスクロールする場合は、水平ドリフトを防止します。",
@ -425,7 +440,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"selectionClipboard": "Linux の PRIMARY クリップボードをサポートするかどうかを制御します。",
"selectionHighlight": "エディターが選択項目と類似の一致項目を強調表示するかどうかを制御します。",
"showDeprecated": "非推奨の変数の取り消し線を制御します。",
"showFoldingControls": "とじしろの折りたたみコントロールを表示するタイミングを制御します。",
"showFoldingControls": "とじしろの折りたたみコントロールを表示するタイミングを制御します。",
"showFoldingControls.always": "常に折りたたみコントロールを表示します。",
"showFoldingControls.mouseover": "マウスがとじしろの上にあるときにのみ、折りたたみコントロールを表示します。",
"showFoldingControls.never": "折りたたみコントロールを表示せず、余白のサイズを小さくします。",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "提案のアイコンを表示するか、非表示にするかを制御します。",
"suggest.showInlineDetails": "候補の詳細をラベル付きのインラインで表示するか、詳細ウィジェットにのみ表示するかを制御します。",
"suggest.showStatusBar": "候補ウィジェットの下部にあるステータス バーの表示を制御します。",
"suggest.snippetsPreventQuickSuggestions": "アクティブ スニペットがクイック候補を防止するかどうかを制御します。",
"suggestFontSize": "候補ウィジェットのフォント サイズ。{0} に設定すると、値 {1} が使用されます。",
"suggestLineHeight": "候補ウィジェットの行の高さ。{0} に設定すると、{1} の値が使用されます。最小値は 8 です。",
"suggestOnTriggerCharacters": "トリガー文字の入力時に候補が自動的に表示されるようにするかどうかを制御します。",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "エディターでテキストが選択されているかどうか",
"editorHasSignatureHelpProvider": "エディターにシグネチャ ヘルプ プロバイダーがあるかどうか",
"editorHasTypeDefinitionProvider": "エディターに型定義プロバイダーがあるかどうか",
"editorHoverFocused": "エディターのホバーがフォーカスされているかどうか",
"editorHoverVisible": "エディターのホバーが表示されているかどうか",
"editorLangId": "エディターの言語識別子",
"editorReadonly": "エディターが読み取り専用かどうか",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "エディターのテキストにフォーカスがある (カーソルが点滅している) かどうか",
"inCompositeEditor": "エディターがより大きなエディター (例: Notebooks) の一部であるかどうか",
"inDiffEditor": "コンテキストが差分エディターであるかどうか",
"isEmbeddedDiffEditor": "コンテキストが埋め込み差分エディターであるかどうか",
"standaloneColorPickerFocused": "スタンドアロン カラー ピッカーがフォーカスされているかどうか",
"standaloneColorPickerVisible": "スタンドアロン カラー ピッカーを表示するかどうか",
"stickyScrollFocused": "固定スクロールがフォーカスされているかどうか",
"stickyScrollVisible": "固定スクロールが表示されているかどうか",
"textInputFocus": "エディターまたはリッチ テキスト入力にフォーカスがある (カーソルが点滅している) かどうか"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "アクティビティ オプションを表示するには、Alt+F1 キーを押します。",
"accessibilityHelpTitle": "アクセシビリティのヘルプ",
"auto_off": "エディターは、スクリーン リーダーで使用するよう最適化されないように構成されていますが、現時点でこの設定は当てはまりません。",
"auto_on": "エディターは、スクリーン リーダーで使用するよう最適化されるように構成されています。",
"bulkEditServiceSummary": "{1} 個のファイルに {0} 個の編集が行われました",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "ブラケットに移動(&&B)",
"overviewRulerBracketMatchForeground": "一致するブラケットを示す概要ルーラーのマーカー色。",
"smartSelect.jumpBracket": "ブラケットへ移動",
"smartSelect.removeBrackets": "かっこを外す",
"smartSelect.selectToBracket": "ブラケットに選択"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "インポートを整理",
"quickfix.trigger.label": "クイック フィックス...",
"refactor.label": "リファクター...",
"refactor.preview.label": "プレビューを使用したリファクター...",
"source.label": "ソース アクション..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "コード アクション メニューでのグループ ヘッダーの表示の有効/無効を切り替えます。"
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "無効なものを非表示",
"showMoreActions": "無効を表示"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "再書き込みします...",
"codeAction.widget.id.extract": "抽出します...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "ソース アクション...",
"codeAction.widget.id.surround": "ブロックの挿入..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "無効なものを非表示",
"showMoreActions": "無効を表示"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "コード アクションの表示",
"codeActionWithKb": "コード アクションの表示 ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "現在の行のコード レンズ コマンドを表示"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "クリックして色オプションを切り替えます (rgb/hsl/hex)"
"clickToToggleColorOptions": "クリックして色オプションを切り替えます (rgb/hsl/hex)",
"closeIcon": "カラー ピッカーを閉じるアイコン"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "カラー ピッカーを非表示にする",
"insertColorWithStandaloneColorPicker": "スタンドアロン カラー ピッカーで色を挿入",
"mishowOrFocusStandaloneColorPicker": "スタンドアロン カラー ピッカーの表示またはフォーカス(&S)",
"showOrFocusStandaloneColorPicker": "スタンドアロン カラー ピッカーの表示またはフォーカス"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "ブロック コメントの切り替え",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "常に",
"context.minimap.slider.mouseover": "マウス オーバー"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "貼り付け時に拡張機能からの編集の実行を有効化/無効化してください。"
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "貼り付けハンドラーを実行しています..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "カーソルのやり直し",
"cursor.undo": "カーソルを元に戻す"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "ドロップ ハンドラーを実行しています..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "エディターで取り消し可能な操作 ('参照をここに表示' など) を実行するかどうか"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "[一致] に移動...",
"findMatchAction.inputPlaceHolder": "特定の一致に移動する数値を入力します (1 から {0})",
"findMatchAction.inputValidationMessage": "1 ~ {0} の数を入力してください。",
"findMatchAction.noResults": "一致しません。他の項目を検索してみてください。",
"findNextMatchAction": "次を検索",
"findPreviousMatchAction": "前を検索",
"miFind": "検索(&&F)",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "{0} に 1 個のシンボル、完全なパス {1}",
"aria.fileReferences.N": "{1} に {0} 個のシンボル、完全なパス {2}",
"aria.oneReference": "列 {2} の {1} 行目に {0} つのシンボル",
"aria.oneReference.preview": "列 {2}、{3} の {1} 行目の {0} にある記号",
"aria.oneReference": "列 {2} の行 {1} の {0}",
"aria.oneReference.preview": "列 {3} の行 {2} の {1} に {0}",
"aria.result.0": "一致する項目はありません",
"aria.result.1": "{0} に 1 個のシンボルが見つかりました",
"aria.result.n1": "{1} に {0} 個のシンボルが見つかりました",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "{1} のシンボル {0}、次に {2}"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "[フォーカスのエスケープ] ホバー",
"goToBottomHover": "[下に移動] ホバー",
"goToTopHover": "[上に移動] ホバー",
"pageDownHover": "[ページを下に] ホバー",
"pageUpHover": "[ページを上に] ホバー",
"scrollDownHover": "[下にスクロール] ホバー",
"scrollLeftHover": "[左にスクロール] ホバー",
"scrollRightHover": "[右にスクロール] ホバー",
"scrollUpHover": "[上にスクロール] ホバー",
"showDefinitionPreviewHover": "定義プレビューのホバーを表示する",
"showHover": "ホバーの表示"
"showOrFocusHover": "[表示またはフォーカス] ホバー"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "読み込んでいます...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl キーを押しながら クリック",
"links.navigate.kb.meta.mac": "cmd キーを押しながらクリック"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "承諾する",
"acceptLine": "行を承諾する",
"acceptWord": "ワードを承諾する",
"action.inlineSuggest.accept": "インライン候補を承諾する",
"action.inlineSuggest.acceptNextLine": "インライン提案の次の行を承諾する",
"action.inlineSuggest.acceptNextWord": "インライン提案の次の単語を承諾する",
"action.inlineSuggest.alwaysShowToolbar": "常にツール バーを表示する",
"action.inlineSuggest.hide": "インライン候補を非表示にする",
"action.inlineSuggest.showNext": "次のインライン候補を表示する",
"action.inlineSuggest.showPrevious": "前のインライン候補を表示する",
"action.inlineSuggest.trigger": "インライン候補をトリガーする",
"action.inlineSuggest.undo": "ワードの承認を元に戻す",
"action.inlineSuggest.trigger": "インライン候補をトリガーする"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "おすすめ:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "インライン提案ツール バーを常に表示するかどうか",
"canUndoInlineSuggestion": "元に戻す場合にインライン候補を元に戻すかどうか",
"inlineSuggestionHasIndentation": "インライン候補がスペースで始まるかどうか",
"inlineSuggestionHasIndentationLessThanTabSize": "インライン候補が、タブで挿入されるものよりも小さいスペースで始まるかどうか",
"inlineSuggestionVisible": "インライン候補を表示するかどうか",
"undoAcceptWord": "ワードの承諾を元に戻す"
"suppressSuggestions": "現在の候補について候補表示を止めるかどうか"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "おすすめ:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "次へ",
"parameterHintsNextIcon": "次のパラメーター ヒントを表示するためのアイコン。",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "水"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "固定スクロールへのフォーカス",
"goToFocusedStickyScrollLine.title": "フォーカスされた固定スクロール行に移動",
"miStickyScroll": "固定スクロール(&&)",
"mifocusStickyScroll": "固定スクロールへのフォーカス(&F)",
"mitoggleStickyScroll": "固定スクロールの切り替え(&&T)",
"selectEditor.title": "エディターを選択",
"selectNextStickyScrollLine.title": "次の固定スクロール行を選択",
"selectPreviousStickyScrollLine.title": "前の固定スクロール行を選択",
"stickyScroll": "固定スクロール",
"toggleStickyScroll": "固定スクロールの切り替え"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "設定の調整",
"unicodeHighlight.allowCommonCharactersInLanguage": "言語 \"{0}\" でより一般的な Unicode 文字を許可します。",
"unicodeHighlight.characterIsAmbiguous": "文字 {0}は、ソース コードでより一般的な文字{1}と混同される可能性があります。",
"unicodeHighlight.characterIsAmbiguousASCII": "文字 {0} は、ソース コードでより一般的な ASCII 文字 {1} と混同される可能性があります。",
"unicodeHighlight.characterIsInvisible": "文字 {0}は非表示です。",
"unicodeHighlight.characterIsNonBasicAscii": "文字 {0} は基本 ASCII 文字ではありません。",
"unicodeHighlight.configureUnicodeHighlightOptions": "Unicode の強調表示オプションを構成する",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "開発者",
"file": "ファイル",
"help": "ヘルプ",
"preferences": "基本設定",
"test": "テスト",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "コンテキスト キーに関する情報を返すコマンド"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "終わりかっこ ')'",
"contextkey.parser.error.emptyString": "空のコンテキスト キー式",
"contextkey.parser.error.emptyString.hint": "式を書き忘れましたか? 'false' または 'true' を指定すると、それぞれ常に false または true と評価できます。",
"contextkey.parser.error.expectedButGot": "期待値: {0}\r\n受取済み: '{1}'。",
"contextkey.parser.error.noInAfterNot": "'not' の後に 'in' があります。",
"contextkey.parser.error.unexpectedEOF": "予期しない式の終わり",
"contextkey.parser.error.unexpectedEOF.hint": "コンテキスト キーを指定し忘れましたか?",
"contextkey.parser.error.unexpectedToken": "予期しないトークン",
"contextkey.parser.error.unexpectedToken.hint": "トークンの前に && または || を指定し忘れましたか?",
"contextkey.scanner.errorForLinter": "予期しないトークンです。",
"contextkey.scanner.errorForLinterWithHint": "予期しないトークン。ヒント: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "キーボードのフォーカスが入力ボックス内にあるかどうか",
"isIOS": "オペレーティング システムが iOS であるかどうか",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "オペレーティング システムが Windows であるかどうか",
"productQualityType": "VS Code の品質の種類"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "'/' (スラッシュ) 文字をエスケープし忘れましたか? エスケープする前に '\\\\/' などの 2 つの円記号を指定してください。",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "見積もりを開いたり閉じたりし忘れましたか?",
"contextkey.scanner.hint.didYouMean1": "{0} を意図していましたか?",
"contextkey.scanner.hint.didYouMean2": "{0} または {1} を意図していましたか?",
"contextkey.scanner.hint.didYouMean3": "{0}、{1}、または {2} を意図していましたか?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "キャンセル",
"moreFile": "...1 つの追加ファイルが表示されていません",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0}) が渡されました。2 番目のキーを待っています...",
"missing.chord": "キーの組み合わせ ({0}、{1}) はコマンドではありません。"
"missing.chord": "キーの組み合わせ ({0}、{1}) はコマンドではありません。",
"next.chord": "({0}) が渡されました。次のキーを待っています..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "`Alt` を押すと、スクロール速度が倍増します。",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "エディター ウィジェットの境界線色。ウィジェットに境界線があり、ウィジェットによって配色を上書きされていない場合でのみこの配色は使用されます。",
"editorWidgetForeground": "検索/置換などを行うエディター ウィジェットの前景色。",
"editorWidgetResizeBorder": "エディター ウィジェットのサイズ変更バーの境界線色。ウィジェットにサイズ変更の境界線があり、ウィジェットによって配色を上書きされていない場合でのみこの配色は使用されます。",
"errorBorder": "エディター内のエラー ボックスの境界線の色です。",
"errorBorder": "設定されている場合、エディター内のエラーの二重下線の色。",
"errorForeground": "エラー メッセージ全体の前景色。この色は、コンポーネントによって上書きされていない場合にのみ使用されます。",
"findMatchHighlight": "その他の検索条件に一致する項目の色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
"findMatchHighlightBorder": "他の検索一致項目の境界線の色。",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "フォーカスされた要素の境界線全体の色。この色はコンポーネントによって上書きされていない場合にのみ使用されます。",
"foreground": "全体の前景色。この色は、コンポーネントによってオーバーライドされていない場合にのみ使用されます。",
"highlight": "ツリーリスト内を検索しているとき、一致した強調のツリーリスト前景色。",
"hintBorder": "エディター内のヒント ボックスの境界線の色。",
"hintBorder": "設定されている場合、エディター内のヒントの二重下線の色。",
"hoverBackground": "エディター ホバーの背景色。",
"hoverBorder": "エディター ホバーの境界線の色。",
"hoverForeground": "エディター ホバーの前景色。",
"hoverHighlight": "ホバーが表示されている語の下を強調表示します。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
"iconForeground": "ワークベンチのアイコンの既定の色。",
"infoBorder": "エディター内の情報ボックスの境界線の色です。",
"infoBorder": "設定されている場合、エディター内の情報の二重下線の色。",
"inputBoxActiveOptionBorder": "入力フィールドのアクティブ オプションの境界線の色。",
"inputBoxBackground": "入力ボックスの背景。",
"inputBoxBorder": "入力ボックスの境界線。",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "リストおよびツリーの型フィルター ウェジェットの背景色。",
"listFilterWidgetNoMatchesOutline": "一致項目がない場合の、リストおよびツリーの型フィルター ウィジェットのアウトライン色。",
"listFilterWidgetOutline": "リストおよびツリーの型フィルター ウィジェットのアウトライン色。",
"listFilterWidgetShadow": "リストおよびツリーの型フィルター ウィジェットのシャドウ色。",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "リスト/ツリーがアクティブで選択されている場合の、フォーカスされたアイテムのリスト/ツリー アウトラインの色。アクティブなリスト/ツリーにはキーボード フォーカスがあり、非アクティブな場合はありません。",
"listFocusBackground": "ツリーリストがアクティブのとき、フォーカスされた項目のツリーリスト背景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
"listFocusForeground": "ツリーリストがアクティブのとき、フォーカスされた項目のツリーリスト前景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "クリック時のスクロール バー スライダー背景色。",
"scrollbarSliderBackground": "スクロール バーのスライダーの背景色。",
"scrollbarSliderHoverBackground": "ホバー時のスクロール バー スライダー背景色。",
"search.resultsInfoForeground": "検索ビューレットの完了メッセージ内のテキストの色。",
"searchEditor.editorFindMatchBorder": "検索エディター クエリの境界線の色が一致します。",
"searchEditor.queryMatch": "検索エディターのクエリの色が一致します。",
"selectionBackground": "ワークベンチ内のテキスト選択の背景色 (例: 入力フィールドやテキストエリア)。エディター内の選択には適用されないことに注意してください。",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "アクションの上にマウス ポインターを合わせたときのツール バーのアウトライン",
"treeInactiveIndentGuidesStroke": "アクティブでないインデント ガイドのツリー ストロークの色。",
"treeIndentGuidesStroke": "インデント ガイドのツリー ストロークの色。",
"warningBorder": "エディターでの警告ボックスの境界線の色です。",
"warningBorder": "設定されている場合、エディター内の警告の二重下線の色。",
"widgetBorder": "エディター内の検索/置換窓など、エディター ウィジェットの境界線の色。",
"widgetShadow": "エディター内の検索/置換窓など、エディター ウィジェットの影の色。"
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "오류: {0}",
"alertInfoMessage": "정보: {0}",
"alertWarningMessage": "경고: {0}",
"clearedInput": "입력이 지워짐",
"history.inputbox.hint": "기록용"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " Shift + F7을 사용하여 변경 내용 탐색",
"diff.tooLarge": "파일 1개가 너무 커서 파일을 비교할 수 없습니다.",
"diffInsertIcon": "diff 편집기의 삽입에 대한 줄 데코레이션입니다.",
"diffRemoveIcon": "diff 편집기의 제거에 대한 줄 데코레이션입니다."
"diffRemoveIcon": "diff 편집기의 제거에 대한 줄 데코레이션입니다.",
"revertChangeHoverMessage": "변경 내용을 되돌리려면 클릭"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "비어 있음",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "편집기에서 CodeLens를 표시할 것인지 여부를 제어합니다.",
"detectIndentation": "파일 내용을 기반으로 파일을 열 때 {0} 및 {1}을(를) 자동으로 감지할지 여부를 제어합니다.",
"diffAlgorithm.experimental": "실험적 차이 알고리즘을 사용합니다.",
"diffAlgorithm.smart": "기본 차이 알고리즘을 사용합니다.",
"diffAlgorithm.advanced": "고급 비교 알고리즘을 사용합니다.",
"diffAlgorithm.legacy": "레거시 비교 알고리즘을 사용합니다.",
"editor.experimental.asyncTokenization": "웹 작업자에서 토큰화가 비동기적으로 수행되어야 하는지 여부를 제어합니다.",
"editor.experimental.asyncTokenizationLogging": "비동기 토큰화가 기록되어야 하는지 여부를 제어합니다. 디버깅 전용입니다.",
"editor.experimental.asyncTokenizationVerification": "레거시 백그라운드 토큰화에 대해 비동기 토큰화를 확인해야 하는지 여부를 제어합니다. 토큰화 속도가 느려질 수 있습니다. 디버깅 전용입니다.",
"editorConfigurationTitle": "편집기",
"ignoreTrimWhitespace": "사용하도록 설정하면 Diff 편집기가 선행 또는 후행 공백의 변경 내용을 무시합니다.",
"indentSize": "들여쓰기 또는 `\"tabSize\"에서 '#editor.tabSize#'의 값을 사용하는 데 사용되는 공백 수입니다. 이 설정은 '#editor.detectIndentation#'이 켜져 있는 경우 파일 내용에 따라 재정의됩니다.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "`cursorSurroundingLines`는 항상 적용됩니다.",
"cursorSurroundingLinesStyle.default": "'cursorSurroundingLines'는 키보드 나 API를 통해 트리거될 때만 적용됩니다.",
"cursorWidth": "`#editor.cursorStyle#` 설정이 'line'으로 설정되어 있을 때 커서의 넓이를 제어합니다.",
"defaultColorDecorators": "기본 문서 색 공급자를 사용하여 인라인 색 장식을 표시할지 여부를 제어합니다.",
"definitionLinkOpensInPeek": "이동 정의 마우스 제스처가 항상 미리 보기 위젯을 열지 여부를 제어합니다.",
"deprecated": "이 설정은 더 이상 사용되지 않습니다. 대신 'editor.suggest.showKeywords'또는 'editor.suggest.showSnippets'와 같은 별도의 설정을 사용하세요.",
"dragAndDrop": "편집기에서 끌어서 놓기로 선택 영역을 이동할 수 있는지 여부를 제어합니다.",
"dropIntoEditor.enabled": "편집기에서 파일을 여는 대신 `shift`를 누른 채 파일을 텍스트 편집기로 끌어서 놓을 수 있는지 여부를 제어합니다.",
"dropIntoEditor.showDropSelector": "편집기에 파일을 끌어 놓을 때 위젯을 표시할지 여부를 제어합니다. 이 위젯을 사용하면 파일을 드롭하는 방법을 제어할 수 있습니다.",
"dropIntoEditor.showDropSelector.afterDrop": "파일이 편집기에 드롭된 후 드롭 선택기 위젯을 표시합니다.",
"dropIntoEditor.showDropSelector.never": "드롭 선택기 위젯을 표시하지 않습니다. 대신 기본 드롭 공급자가 항상 사용됩니다.",
"editor.autoClosingBrackets.beforeWhitespace": "커서가 공백의 왼쪽에 있는 경우에만 대괄호를 자동으로 닫습니다.",
"editor.autoClosingBrackets.languageDefined": "언어 구성을 사용하여 대괄호를 자동으로 닫을 경우를 결정합니다.",
"editor.autoClosingDelete.auto": "인접한 닫는 따옴표 또는 대괄호가 자동으로 삽입된 경우에만 제거합니다.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "인레이 힌트는 기본값으로 숨겨져 있으며 {0}을(를) 길게 누르면 표시됩니다.",
"editor.inlayHints.on": "인레이 힌트를 사용할 수 있음",
"editor.inlayHints.onUnlessPressed": "인레이 힌트는 기본적으로 표시되고 {0}을(를) 길게 누를 때 숨겨집니다.",
"editor.stickyScroll": "편집기 위쪽에서 스크롤하는 동안 중첩된 현재 범위를 표시합니다.",
"editor.stickyScroll.": "표시할 최대 고정 선 수를 정의합니다.",
"editor.stickyScroll.defaultModel": "고정할 줄을 결정하는 데 사용할 모델을 정의합니다. 개요 모델이 없으면 들여쓰기 모델에 해당하는 접기 공급자 모델에서 대체됩니다. 이 순서는 세 가지 경우 모두 적용됩니다.",
"editor.stickyScroll.enabled": "편집기 위쪽에서 스크롤하는 동안 중첩된 현재 범위를 표시합니다.",
"editor.stickyScroll.maxLineCount": "표시할 최대 고정 선 수를 정의합니다.",
"editor.suggest.matchOnWordStartOnly": "IntelliSense 필터링을 활성화하면 첫 번째 문자가 단어 시작 부분과 일치해야 합니다(예: `c`의 경우 `Console` 또는 `WebContext`가 될 수 있으며 `description`은 _안 됨_). 비활성화하면 IntelliSense가 더 많은 결과를 표시하지만 여전히 일치 품질을 기준으로 정렬합니다.",
"editor.suggest.showClasss": "사용하도록 설정되면 IntelliSense에 '클래스' 제안이 표시됩니다.",
"editor.suggest.showColors": "사용하도록 설정되면 IntelliSense에 '색' 제안이 표시됩니다.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "인라인 추천 도구 모음을 표시할 시기를 제어합니다.",
"inlineSuggest.showToolbar.always": "인라인 추천을 표시힐 때마다 인라인 추천 도구 모음을 표시합니다.",
"inlineSuggest.showToolbar.onHover": "인라인 추천을 마우스로 가리키면 인라인 추천 도구 모음을 표시합니다.",
"inlineSuggest.suppressSuggestions": "인라인 제안이 제안 위젯과 상호 작용하는 방법을 제어합니다. 사용하도록 설정하면 인라인 제안을 사용할 수 있을 때 제안 위젯이 자동으로 표시되지 않습니다.",
"letterSpacing": "문자 간격(픽셀)을 제어합니다.",
"lineHeight": "선 높이를 제어합니다. \r\n - 0을 사용하여 글꼴 크기에서 줄 높이를 자동으로 계산합니다.\r\n - 0에서 8 사이의 값은 글꼴 크기의 승수로 사용됩니다.\r\n - 8보다 크거나 같은 값이 유효 값으로 사용됩니다.",
"lineNumbers": "줄 번호의 표시 여부를 제어합니다.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "편집기의 위쪽 가장자리와 첫 번째 줄 사이의 공백을 제어합니다.",
"parameterHints.cycle": "매개변수 힌트 메뉴의 주기 혹은 목록의 끝에 도달하였을때 종료할 것인지 여부를 결정합니다.",
"parameterHints.enabled": "입력과 동시에 매개변수 문서와 유형 정보를 표시하는 팝업을 사용하도록 설정합니다.",
"pasteAs.enabled": "콘텐츠를 다른 방법으로 붙여넣을 수 있는지 여부를 제어합니다.",
"pasteAs.showPasteSelector": "콘텐츠를 편집기에 붙여넣을 때 위젯을 표시할지 여부를 제어합니다. 이 위젯을 사용하여 파일을 붙여넣는 방법을 제어할 수 있습니다.",
"pasteAs.showPasteSelector.afterPaste": "콘텐츠를 편집기에 붙여넣은 후 붙여넣기 선택기 위젯을 표시합니다.",
"pasteAs.showPasteSelector.never": "붙여넣기 선택기 위젯을 표시하지 않습니다. 대신 기본 붙여넣기 동작이 항상 사용됩니다.",
"peekWidgetDefaultFocus": "미리 보기 위젯에서 인라인 편집기에 포커스를 둘지 또는 트리에 포커스를 둘지를 제어합니다.",
"peekWidgetDefaultFocus.editor": "미리 보기를 열 때 편집기에 포커스",
"peekWidgetDefaultFocus.tree": "Peek를 여는 동안 트리에 포커스",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "특정 수의 고정 폭 문자 뒤에 세로 눈금자를 렌더링합니다. 여러 눈금자의 경우 여러 값을 사용합니다. 배열이 비어 있는 경우 눈금자가 그려지지 않습니다.",
"rulers.color": "이 편집기 눈금자의 색입니다.",
"rulers.size": "이 편집기 눈금자에서 렌더링할 고정 폭 문자 수입니다.",
"screenReaderAnnounceInlineSuggestion": "화면 판독기에서 인라인 제안을 발표할지 여부를 제어합니다. VoiceOver가 있는 macOS에서는 작동하지 않습니다.",
"scrollBeyondLastColumn": "편집기에서 가로로 스크롤되는 범위를 벗어나는 추가 문자의 수를 제어합니다.",
"scrollBeyondLastLine": "편집기에서 마지막 줄 이후로 스크롤할지 여부를 제어합니다.",
"scrollPredominantAxis": "세로와 가로로 동시에 스크롤할 때에만 주축을 따라서 스크롤합니다. 트랙패드에서 세로로 스크롤할 때 가로 드리프트를 방지합니다.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "제안의 아이콘을 표시할지 여부를 제어합니다.",
"suggest.showInlineDetails": "제안 세부 정보가 레이블과 함께 인라인에 표시되는지 아니면 세부 정보 위젯에만 표시되는지를 제어합니다.",
"suggest.showStatusBar": "제안 위젯 하단의 상태 표시줄 가시성을 제어합니다.",
"suggest.snippetsPreventQuickSuggestions": "활성 코드 조각이 빠른 제안을 방지하는지 여부를 제어합니다.",
"suggestFontSize": "제안 위젯의 글꼴 크기입니다. {0}(으)로 설정하면 {1} 값이 사용됩니다.",
"suggestLineHeight": "제안 위젯의 줄 높이입니다. {0}(으)로 설정하면 {1} 값이 사용됩니다. 최소값은 8입니다.",
"suggestOnTriggerCharacters": "트리거 문자를 입력할 때 제안을 자동으로 표시할지 여부를 제어합니다.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "편집기에 선택된 텍스트가 있는지 여부",
"editorHasSignatureHelpProvider": "편집기에 시그니처 도움말 공급자가 있는지 여부",
"editorHasTypeDefinitionProvider": "편집기에 형식 정의 공급자가 있는지 여부",
"editorHoverFocused": "편집기 가리키기에 포커스가 있는지 여부",
"editorHoverVisible": "편집기 호버가 표시되는지 여부",
"editorLangId": "편집기의 언어 식별자",
"editorReadonly": "편집기가 읽기 전용인지 여부",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "편집기 텍스트에 포커스가 있는지 여부(커서가 깜박임)",
"inCompositeEditor": "편집기가 더 큰 편집기(예: 전자 필기장)에 속해 있는지 여부",
"inDiffEditor": "컨텍스트가 diff 편집기인지 여부",
"isEmbeddedDiffEditor": "컨텍스트가 포함된 diff 편집기인지 여부",
"standaloneColorPickerFocused": "독립 실행형 색 편집기가 포커스되는지 여부",
"standaloneColorPickerVisible": "독립 실행형 색 편집기가 표시되는지 여부",
"stickyScrollFocused": "스티키 스크롤의 포커스 여부",
"stickyScrollVisible": "스티키 스크롤의 가시성 여부",
"textInputFocus": "편집기 또는 서식 있는 텍스트 입력에 포커스가 있는지 여부(커서가 깜박임)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "접근성 옵션은 Alt+F1을 눌러여 합니다.",
"accessibilityHelpTitle": "접근성 도움말",
"auto_off": "편집기는 화면 판독기 사용을 위해 절대로 최적화되지 않도록 구성됩니다. 현재로서는 그렇지 않습니다.",
"auto_on": "에디터를 화면 판독기와 함께 사용하기에 적합하도록 구성했습니다.",
"bulkEditServiceSummary": "{1} 파일에서 편집을 {0}개 했습니다.",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "대괄호로 이동(&&B)",
"overviewRulerBracketMatchForeground": "괄호에 해당하는 영역을 표시자에 채색하여 표시합니다.",
"smartSelect.jumpBracket": "대괄호로 이동",
"smartSelect.removeBrackets": "대괄호 제거",
"smartSelect.selectToBracket": "괄호까지 선택"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "가져오기 구성",
"quickfix.trigger.label": "빠른 수정...",
"refactor.label": "리팩터링...",
"refactor.preview.label": "미리 보기로 리팩터링...",
"source.label": "소스 작업..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "코드 작업 메뉴에 그룹 헤더 표시를 활성화/비활성화합니다."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "사용하지 않는 항목 숨기기",
"showMoreActions": "비활성화된 항목 표시"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "다시 쓰기",
"codeAction.widget.id.extract": "추출...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "소스 작업...",
"codeAction.widget.id.surround": "코드 감싸기..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "사용하지 않는 항목 숨기기",
"showMoreActions": "비활성화된 항목 표시"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "코드 작업 표시",
"codeActionWithKb": "코드 작업 표시({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "현재 줄에 대한 코드 렌즈 명령 표시"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "색 옵션을 토글하려면 클릭하세요(rgb/hsl/hex)."
"clickToToggleColorOptions": "색 옵션을 토글하려면 클릭하세요(rgb/hsl/hex).",
"closeIcon": "색 편집기를 닫는 아이콘"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "색 편집기 숨기기",
"insertColorWithStandaloneColorPicker": "독립 실행형 색 편집기로 색 삽입",
"mishowOrFocusStandaloneColorPicker": "독립 실행형 색 편집기 표시 또는 포커스(&&S)",
"showOrFocusStandaloneColorPicker": "독립 실행형 색 편집기 표시 또는 포커스"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "블록 주석 설정/해제",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "항상",
"context.minimap.slider.mouseover": "마우스 위로"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "붙여넣을 때 확장에서 편집 실행을 사용하거나 사용하지 않도록 설정합니다."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "붙여넣기 처리기를 실행하는 중..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "커서 다시 실행",
"cursor.undo": "커서 실행 취소"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "드롭 처리기를 실행하는 중..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "편집기에서 취소 가능한 작업(예: '참조 피킹')을 실행하는지 여부"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "일치 항목으로 이동...",
"findMatchAction.inputPlaceHolder": "특정 일치 항목으로 이동하려면 숫자를 입력하세요(1~{0} 사이).",
"findMatchAction.inputValidationMessage": "1에서 {0} 사이의 숫자를 입력하세요",
"findMatchAction.noResults": "일치하는 항목이 없습니다. 다른 내용으로 검색해 보세요.",
"findNextMatchAction": "다음 찾기",
"findPreviousMatchAction": "이전 찾기",
"miFind": "찾기(&&F)",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "{0}의 기호 1개, 전체 경로 {1}",
"aria.fileReferences.N": "{1}의 기호 {0}개, 전체 경로 {2}",
"aria.oneReference": "{2}열, {1}줄, {0}의 기호",
"aria.oneReference.preview": "열 {2}, {3}의 줄 {1}에 있는 {0}의 기호",
"aria.oneReference": "{2} 열에 있는 {1} 행의 {0}에",
"aria.oneReference.preview": "{3} 열에서 {2} 행의 {1}에 {0}",
"aria.result.0": "결과 없음",
"aria.result.1": "{0}에서 기호 1개를 찾았습니다.",
"aria.result.n1": "{1}에서 기호 {0}개를 찾았습니다.",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "{1}의 {0} 기호, 다음의 경우 {2}"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "포커스 가리키기 이스케이프",
"goToBottomHover": "아래쪽 가리키기로 이동",
"goToTopHover": "위쪽 가리키기로 이동",
"pageDownHover": "페이지 아래쪽 가리키기",
"pageUpHover": "페이지 위로 가리키기",
"scrollDownHover": "아래로 스크롤 가리키기",
"scrollLeftHover": "왼쪽으로 스크롤 가리키기",
"scrollRightHover": "오른쪽으로 스크롤 가리키기",
"scrollUpHover": "위로 스크롤 가리키기",
"showDefinitionPreviewHover": "정의 미리 보기 가리킨 항목 표시",
"showHover": "가리키기 표시"
"showOrFocusHover": "가리키기 또는 포커스 표시"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "로드 중...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "Ctrl+클릭",
"links.navigate.kb.meta.mac": "Cmd+클릭"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "수락",
"acceptLine": "줄 수락",
"acceptWord": "단어 수락",
"action.inlineSuggest.accept": "인라인 추천 수락",
"action.inlineSuggest.acceptNextLine": "인라인 제안의 다음 줄 수락",
"action.inlineSuggest.acceptNextWord": "인라인 제안의 다음 단어 수락",
"action.inlineSuggest.alwaysShowToolbar": "항상 도구 모음 표시",
"action.inlineSuggest.hide": "인라인 제안 숨기기",
"action.inlineSuggest.showNext": "다음 인라인 제안 표시",
"action.inlineSuggest.showPrevious": "이전 인라인 제안 표시",
"action.inlineSuggest.trigger": "인라인 제안 트리거",
"action.inlineSuggest.undo": "Word 수락 취소",
"action.inlineSuggest.trigger": "인라인 제안 트리거"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "제안:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "인라인 추천 도구 모음을 항상 표시할지 여부",
"canUndoInlineSuggestion": "실행 취소가 인라인 제안을 실행 취소할지 여부",
"inlineSuggestionHasIndentation": "인라인 제안이 공백으로 시작하는지 여부",
"inlineSuggestionHasIndentationLessThanTabSize": "인라인 제안이 탭에 의해 삽입되는 것보다 작은 공백으로 시작하는지 여부",
"inlineSuggestionVisible": "인라인 제안 표시 여부",
"undoAcceptWord": "단어 수락 취소"
"suppressSuggestions": "현재 제안에 대한 제안 표시 여부"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "제안:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0}({1})",
"next": "다음",
"parameterHintsNextIcon": "다음 매개 변수 힌트 표시의 아이콘입니다.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "수"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "고정 스크롤 포커스",
"goToFocusedStickyScrollLine.title": "포커스가 있는 고정 스크롤 선으로 이동",
"miStickyScroll": "고정 스크롤(&&S)",
"mifocusStickyScroll": "고정 스크롤 포커스(&&F)",
"mitoggleStickyScroll": "고정 스크롤 토글(&&T)",
"selectEditor.title": "편집기 선택",
"selectNextStickyScrollLine.title": "다음 고정 스크롤 선 선택",
"selectPreviousStickyScrollLine.title": "이전 고정 스크롤 선 선택",
"stickyScroll": "고정 스크롤",
"toggleStickyScroll": "고정 스크롤 토글"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "설정 조정",
"unicodeHighlight.allowCommonCharactersInLanguage": "언어 \"{0}\"에서 더 일반적인 유니코드 문자를 허용합니다.",
"unicodeHighlight.characterIsAmbiguous": "{0} 문자는 소스 코드에서 더 일반적인 {1} 문자와 혼동될 수 있습니다.",
"unicodeHighlight.characterIsAmbiguousASCII": "문자 {0}은(는) 소스 코드에서 더 일반적인 ASCII 문자 {1}과(와) 혼동될 수 있습니다.",
"unicodeHighlight.characterIsInvisible": "{0} 문자가 보이지 않습니다.",
"unicodeHighlight.characterIsNonBasicAscii": "{0} 문자는 기본 ASCII 문자가 아닙니다.",
"unicodeHighlight.configureUnicodeHighlightOptions": "유니코드 강조 표시 옵션 구성",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "개발자",
"file": "파일",
"help": "도움말",
"preferences": "기본 설정",
"test": "테스트",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "컨텍스트 키에 대한 정보를 반환하는 명령"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "닫는 괄호 ')'",
"contextkey.parser.error.emptyString": "빈 컨텍스트 키 식",
"contextkey.parser.error.emptyString.hint": "식 쓰는 것을 잊으셨나요? 항상 'false' 또는 'true'를 넣어 각각 false 또는 true로 평가할 수도 있습니다.",
"contextkey.parser.error.expectedButGot": "예상: {0}\r\n수신됨: '{1}'.",
"contextkey.parser.error.noInAfterNot": "'not' 뒤에 'in'이 있습니다.",
"contextkey.parser.error.unexpectedEOF": "필요하지 않은 식의 끝",
"contextkey.parser.error.unexpectedEOF.hint": "컨텍스트 키를 입력하는 것을 잊으셨나요?",
"contextkey.parser.error.unexpectedToken": "예기치 않은 토큰",
"contextkey.parser.error.unexpectedToken.hint": "토큰 앞에 && 또는 ||를 입력하는 것을 잊으셨나요?",
"contextkey.scanner.errorForLinter": "예기치 않은 토큰입니다.",
"contextkey.scanner.errorForLinterWithHint": "예기치 않은 토큰입니다. 힌트: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "키보드 포커스가 입력 상자 내에 있는지 여부",
"isIOS": "운영 체제가 iOS인지 여부",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "운영 체제가 Windows인지 여부",
"productQualityType": "VS 코드의 품질 유형"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "'/'(슬래시) 문자를 이스케이프하는 것을 잊으셨나요? 이스케이프하려면 앞에 백슬라시 두 개(예: '\\\\/')를 넣습니다.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "견적을 열거나 닫는 것을 잊으셨나요?",
"contextkey.scanner.hint.didYouMean1": "{0}을(를) 사용하시겠습니까?",
"contextkey.scanner.hint.didYouMean2": "{0} 또는 {1}을(를) 사용하시겠습니까?",
"contextkey.scanner.hint.didYouMean3": "{0}, {1} 또는 {2}을(를) 사용하시겠습니까?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "취소",
"moreFile": "...1개의 추가 파일이 표시되지 않음",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0})을(를) 눌렀습니다. 둘째 키는 잠시 기다렸다가 누르십시오...",
"missing.chord": "키 조합({0}, {1})은 명령이 아닙니다."
"missing.chord": "키 조합({0}, {1})은 명령이 아닙니다.",
"next.chord": "({0})을(를) 눌렀습니다. 코드의 다음 키를 기다리는 중..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "'Alt' 키를 누를 때 스크롤 속도 승수입니다.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "편집기 위젯의 테두리 색입니다. 위젯에 테두리가 있고 위젯이 색상을 무시하지 않을 때만 사용됩니다.",
"editorWidgetForeground": "찾기/바꾸기와 같은 편집기 위젯의 전경색입니다.",
"editorWidgetResizeBorder": "편집기 위젯 크기 조정 막대의 테두리 색입니다. 이 색은 위젯에서 크기 조정 막대를 표시하도록 선택하고 위젯에서 색을 재지정하지 않는 경우에만 사용됩니다.",
"errorBorder": "편집기에서 오류 상자의 테두리 색입니다.",
"errorBorder": "설정된 경우 편집기에서 오류를 나타내는 이중 밑줄의 색입니다.",
"errorForeground": "오류 메시지에 대한 전체 전경색입니다. 이 색은 구성 요소에서 재정의하지 않은 경우에만 사용됩니다.",
"findMatchHighlight": "기타 검색 일치 항목의 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
"findMatchHighlightBorder": "다른 검색과 일치하는 테두리 색입니다.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "포커스가 있는 요소의 전체 테두리 색입니다. 이 색은 구성 요소에서 재정의하지 않은 경우에만 사용됩니다.",
"foreground": "전체 전경색입니다. 이 색은 구성 요소에서 재정의하지 않은 경우에만 사용됩니다.",
"highlight": "목록/트리 내에서 검색할 때 일치 항목 강조 표시의 목록/트리 전경색입니다.",
"hintBorder": "편집기에서 힌트 상자의 테두리 색입니다.",
"hintBorder": "설정된 경우 편집기에서 힌트를 나타내는 이중 밑줄 색입니다.",
"hoverBackground": "편집기 호버의 배경색.",
"hoverBorder": "편집기 호버의 테두리 색입니다.",
"hoverForeground": "편집기 호버의 전경색입니다.",
"hoverHighlight": "호버가 표시된 단어 아래를 강조 표시합니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
"iconForeground": "워크벤치 아이콘의 기본 색상입니다.",
"infoBorder": "편집기에서 정보 상자의 테두리 색입니다.",
"infoBorder": "설정된 경우 편집기에서 정보를 나타내는 이중 밑줄 색입니다.",
"inputBoxActiveOptionBorder": "입력 필드에서 활성화된 옵션의 테두리 색입니다.",
"inputBoxBackground": "입력 상자 배경입니다.",
"inputBoxBorder": "입력 상자 테두리입니다.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "목록 및 트리에서 형식 필터 위젯의 배경색입니다.",
"listFilterWidgetNoMatchesOutline": "일치하는 항목이 없을 때 목록 및 트리에서 표시되는 형식 필터 위젯의 윤곽선 색입니다.",
"listFilterWidgetOutline": "목록 및 트리에서 형식 필터 위젯의 윤곽선 색입니다.",
"listFilterWidgetShadow": "목록 및 트리에 있는 유형 필터 위젯의 그림자 색상입니다.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "목록/트리가 활성화되고 선택되었을 때 초점이 맞춰진 항목의 목록/트리 윤곽선 색상입니다. 활성 목록/트리에는 키보드 포커스가 있고 비활성에는 그렇지 않습니다.",
"listFocusBackground": "목록/트리가 활성 상태인 경우 포커스가 있는 항목의 목록/트리 배경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
"listFocusForeground": "목록/트리가 활성 상태인 경우 포커스가 있는 항목의 목록/트리 전경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "클릭된 상태일 때 스크롤 막대 슬라이더 배경색입니다.",
"scrollbarSliderBackground": "스크롤 막대 슬라이버 배경색입니다.",
"scrollbarSliderHoverBackground": "마우스로 가리킬 때 스크롤 막대 슬라이더 배경색입니다.",
"search.resultsInfoForeground": "검색 뷰렛 완료 메시지의 텍스트 색입니다.",
"searchEditor.editorFindMatchBorder": "검색 편집기 쿼리의 테두리 색상이 일치합니다.",
"searchEditor.queryMatch": "검색 편집기 쿼리의 색상이 일치합니다.",
"selectionBackground": "워크벤치의 텍스트 선택(예: 입력 필드 또는 텍스트 영역) 전경색입니다. 편집기 내의 선택에는 적용되지 않습니다.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "마우스를 사용하여 작업 위로 마우스를 가져가는 경우 도구 모음 윤곽선",
"treeInactiveIndentGuidesStroke": "활성 상태가 아닌 들여쓰기 안내선의 트리 스트로크 색입니다.",
"treeIndentGuidesStroke": "들여쓰기 가이드의 트리 스트로크 색입니다.",
"warningBorder": "편집기에서 경고 상자의 테두리 색입니다.",
"warningBorder": "설정된 경우 편집기에서 경고를 나타내는 이중 밑줄의 색입니다.",
"widgetBorder": "편집기 내에서 찾기/바꾸기와 같은 위젯의 테두리 색입니다.",
"widgetShadow": "편집기 내에서 찾기/바꾸기 같은 위젯의 그림자 색입니다."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Błąd: {0}",
"alertInfoMessage": "Informacje: {0}",
"alertWarningMessage": "Ostrzeżenie: {0}",
"clearedInput": "Wyczyszczone dane wejściowe",
"history.inputbox.hint": "historia"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " użyj klawiszy Shift + F7, aby nawigować po zmianach",
"diff.tooLarge": "Nie można porównać plików, ponieważ jeden plik jest zbyt duży.",
"diffInsertIcon": "Dekoracje wierszy dla wstawień w edytorze różnic.",
"diffRemoveIcon": "Dekoracje wierszy dla usunięć w edytorze różnic."
"diffRemoveIcon": "Dekoracje wierszy dla usunięć w edytorze różnic.",
"revertChangeHoverMessage": "Kliknij, aby przywrócić zmianę"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "puste",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Określa, czy w edytorze są wyświetlane wskaźniki CodeLens.",
"detectIndentation": "Określa, czy {0} i {1} będą automatycznie wykrywane po otwarciu pliku na podstawie zawartości pliku.",
"diffAlgorithm.experimental": "Używa eksperymentalnego algorytmu porównywania.",
"diffAlgorithm.smart": "Używa domyślnego algorytmu porównywania.",
"diffAlgorithm.advanced": "Używa zaawansowanego algorytmu różnicowania.",
"diffAlgorithm.legacy": "Używa starszego algorytmu różnicowania.",
"editor.experimental.asyncTokenization": "Określa, czy tokenizacja ma być wykonywana asynchronicznie w internetowym procesie roboczym.",
"editor.experimental.asyncTokenizationLogging": "Określa, czy tokenizacja asynchronicznych ma być rejestrowana. Tylko do debugowania.",
"editor.experimental.asyncTokenizationVerification": "Określa, czy tokenizacja asynchroniczna ma być weryfikowana względem starszej tokenizacji w tle. Może to spowolnić tokenizację. Tylko na potrzeby debugowania.",
"editorConfigurationTitle": "Edytor",
"ignoreTrimWhitespace": "Po włączeniu tej opcji edytor różnic ignoruje zmiany w wiodącym lub końcowym białym znaku.",
"indentSize": "Liczba spacji używanych w przypadku wcięcia lub „tabSize” na potrzeby użycia wartości z „#editor.tabSize#”. To ustawienie jest zastępowane na podstawie zawartości pliku, gdy „#editor.detectIndentation#” jest włączony.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "element „cursorSurroundingLines” jest wymuszany zawsze.",
"cursorSurroundingLinesStyle.default": "element „cursorSurroundingLines” jest wymuszany tylko wtedy, gdy jest wyzwalany za pomocą klawiatury lub interfejsu API.",
"cursorWidth": "Steruje szerokością kursora, gdy ustawienie „#editor.cursorStyle#” ma wartość „line”.",
"defaultColorDecorators": "Określa, czy śródwierszowe dekoracje kolorystyczne powinny być wyświetlane przy użyciu domyślnego dostawcy kolorów dokumentów",
"definitionLinkOpensInPeek": "Określa, czy gest myszy Przejdź do definicji zawsze powoduje otwarcie widżetu wglądu.",
"deprecated": "To ustawienie jest przestarzałe, zamiast tego użyj oddzielnych ustawień, takich jak „editor.suggest.showKeywords” lub „editor.suggest.showSnippets”.",
"dragAndDrop": "Określa, czy edytor powinien zezwalać na przenoszenie zaznaczeń za pomocą przeciągania i upuszczania.",
"dropIntoEditor.enabled": "Określa, czy można przeciągać i upuszczać plik do edytora, przytrzymując naciśnięty klawisz Shift (zamiast otwierać plik w edytorze).",
"dropIntoEditor.showDropSelector": "Określa, czy widżet jest wyświetlany podczas upuszczania plików w edytorze. Ten widżet umożliwia kontrolę nad sposobem upuszczania pliku.",
"dropIntoEditor.showDropSelector.afterDrop": "Pokaż widżet selektora upuszczania po upuszczeniu pliku do edytora.",
"dropIntoEditor.showDropSelector.never": "Nigdy nie pokazuj widżetu selektora upuszczania. Zamiast tego zawsze używaj domyślnego dostawcy upuszczania.",
"editor.autoClosingBrackets.beforeWhitespace": "Automatycznie zamykaj nawiasy tylko wtedy, gdy kursor znajduje się po lewej stronie białego znaku.",
"editor.autoClosingBrackets.languageDefined": "Użyj konfiguracji języka, aby określić, kiedy automatycznie zamykać nawiasy.",
"editor.autoClosingDelete.auto": "Usuń sąsiadujące zamykające cudzysłowy lub nawiasy kwadratowe tylko wtedy, gdy zostały wstawione automatycznie.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Wskazówki śródwierszowe są domyślnie ukryte i są wyświetlane podczas przytrzymywania klawiszy {0}",
"editor.inlayHints.on": "Wskazówki śródwierszowe są włączone",
"editor.inlayHints.onUnlessPressed": "Wskazówki śródwierszowe są wyświetlane domyślnie i ukrywane podczas przytrzymywania klawiszy {0}",
"editor.stickyScroll": "Pokazuje zagnieżdżone bieżące zakresy podczas przewijania w górnej części edytora.",
"editor.stickyScroll.": "Definiuje maksymalną liczbę linii przyklejonych do pokazania.",
"editor.stickyScroll.defaultModel": "Definiuje model, który ma być używany do określania linii, które mają być przyklejone. Jeśli model konspektu nie istnieje, powróci do modelu dostawcy składania, który powraca do modelu wcięcia. Kolejność jest przestrzegana we wszystkich trzech przypadkach.",
"editor.stickyScroll.enabled": "Pokazuje zagnieżdżone bieżące zakresy podczas przewijania w górnej części edytora.",
"editor.stickyScroll.maxLineCount": "Definiuje maksymalną liczbę linii przyklejonych do pokazania.",
"editor.suggest.matchOnWordStartOnly": "Po włączeniu filtrowania funkcji IntelliSense pierwszy znak musi być zgodny na początku wyrazu, np. „c” w „Console” lub „WebContext”, ale _nie_ w „description”. Po wyłączeniu funkcja IntelliSense będzie wyświetlać więcej wyników, ale nadal sortuje je według jakości dopasowania.",
"editor.suggest.showClasss": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „class”.",
"editor.suggest.showColors": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „color”.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Określa, kiedy ma być wyświetlany wbudowany pasek narzędzi sugestii.",
"inlineSuggest.showToolbar.always": "Pokaż wbudowany pasek narzędzi sugestii za każdym razem, gdy jest wyświetlana wbudowana sugestia.",
"inlineSuggest.showToolbar.onHover": "Pokaż wbudowany pasek narzędzi sugestii po umieszczeniu wskaźnika myszy na wbudowanej sugestii.",
"inlineSuggest.suppressSuggestions": "Steruje interakcją wbudowanych sugestii z widżetem sugestii. Jeśli ta opcja jest włączona, widżet sugestii nie jest wyświetlany automatycznie, gdy są dostępne sugestie wbudowane.",
"letterSpacing": "Określa odstępy liter w pikselach.",
"lineHeight": "Kontroluje wysokość linii. \r\n — użyj wartości 0, aby automatycznie obliczyć wysokość linii na podstawie rozmiaru czcionki.\r\n — wartości w przedziale od 0 do 8 będą używane jako mnożnik z rozmiarem czcionki.\r\n — wartości większe lub równe 8 będą używane jako wartości rzeczywiste.",
"lineNumbers": "Steruje wyświetlaniem numerów wierszy.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Kontroluje ilość miejsca między górną krawędzią edytora a pierwszym wierszem.",
"parameterHints.cycle": "Określa, czy menu podpowiedzi dotyczących parametrów ma być przewijane, czy zamykane po osiągnięciu końca listy.",
"parameterHints.enabled": "Włącza wyskakujące okienko, które pokazuje dokumentację parametrów i informacje o typie podczas pisania.",
"pasteAs.enabled": "Określa, czy można wkleić zawartość na różne sposoby.",
"pasteAs.showPasteSelector": "Określa, czy widżet jest wyświetlany podczas wklejania zawartości do edytora. Ten widżet umożliwia kontrolowanie sposobu wklejania pliku.",
"pasteAs.showPasteSelector.afterPaste": "Pokaż widżet selektora wklejania po wklejeniu zawartości do edytora.",
"pasteAs.showPasteSelector.never": "Nigdy nie wyświetlaj widżetu selektora wklejania. Zamiast tego zawsze używane jest domyślne zachowanie wklejania.",
"peekWidgetDefaultFocus": "Określa, czy w widżecie wglądu przenieść fokus do wbudowanego edytora, czy do drzewa.",
"peekWidgetDefaultFocus.editor": "Przenieś fokus do edytora podczas otwierania wglądu",
"peekWidgetDefaultFocus.tree": "Przenieś fokus do drzewa podczas otwierania wglądu",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Renderowanie linijek pionowych po określonej liczbie znaków monotypowych. Używanie wielu wartości dla wielu linijek. Żadne linijki nie są rysowane, jeśli tablica jest pusta.",
"rulers.color": "Kolor tej linijki edytora.",
"rulers.size": "Liczba znaków o stałej szerokości, przy których będzie renderowana ta linijka edytora.",
"screenReaderAnnounceInlineSuggestion": "Określ, czy wbudowane sugestie są odczytywane przez czytnik zawartości ekranu. Należy pamiętać, że nie działa to w systemie macOS z funkcją VoiceOver.",
"scrollBeyondLastColumn": "Określa liczbę dodatkowych znaków, po których edytor będzie przewijany w poziomie.",
"scrollBeyondLastLine": "Określa, czy edytor umożliwia przewijanie poza ostatni wiersz.",
"scrollPredominantAxis": "Przewijanie tylko wzdłuż dominującej osi, gdy przewijasz jednocześnie w pionie i w poziomie. Zapobiega poziomemu dryfowi podczas przewijania pionowego na gładziku.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Określa, czy ikony mają być pokazywane, czy ukrywane w sugestiach.",
"suggest.showInlineDetails": "Określa, czy szczegóły sugestii mają być wyświetlane śródwierszowo z etykietą, czy tylko w widżecie szczegółów.",
"suggest.showStatusBar": "Steruje widocznością paska stanu u dołu widżetu sugestii.",
"suggest.snippetsPreventQuickSuggestions": "Określa, czy aktywny fragment kodu uniemożliwia szybkie sugestie.",
"suggestFontSize": "Rozmiar czcionki dla widżetu sugestii. W przypadku ustawienia na wartość {0} używana jest wartość {1}.",
"suggestLineHeight": "Wysokość wiersza dla widżetu sugestii. W przypadku ustawienia na wartość {0} używana jest wartość {1}. Wartość minimalna to 8.",
"suggestOnTriggerCharacters": "Określa, czy sugestie powinny być automatycznie wyświetlane podczas wpisywania znaków wyzwalacza.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Określa, czy w edytorze wybrano tekst",
"editorHasSignatureHelpProvider": "Określa, czy edytor ma dostawcę pomocy dotyczącej sygnatur",
"editorHasTypeDefinitionProvider": "Określa, czy edytor ma dostawcę definicji typów",
"editorHoverFocused": "Określa, czy wskaźnik myszy edytora ma fokus",
"editorHoverVisible": "Określa, czy jest widoczny obszar aktywny edytora",
"editorLangId": "Identyfikator języka edytora",
"editorReadonly": "Określa, czy edytor jest tylko do odczytu",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Określa, czy tekst edytora ma fokus (kursor miga)",
"inCompositeEditor": "Określa, czy edytor jest częścią większego edytora (np. w notesach)",
"inDiffEditor": "Określa, czy kontekst jest edytorem różnicowym",
"isEmbeddedDiffEditor": "Czy kontekst jest wbudowanym Diff Editor",
"standaloneColorPickerFocused": "Określa, czy autonomiczny selektor kolorów ma fokus",
"standaloneColorPickerVisible": "Określa, czy autonomiczny selektor kolorów jest widoczny",
"stickyScrollFocused": "Określa, czy fokus jest skoncentrowany na przewijaniu przylepnym",
"stickyScrollVisible": "Czy przewijanie przylepne jest widoczne",
"textInputFocus": "Określa, czy edytor lub pole wejściowe tekstu sformatowanego ma fokus (kursor miga)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Naciśnij klawisze Alt+F1, aby uzyskać opcje ułatwień dostępu.",
"accessibilityHelpTitle": "Pomoc dotycząca ułatwień dostępu",
"auto_off": "Edytor jest skonfigurowany tak, aby nigdy nie był optymalizowany pod kątem użycia z czytnikiem zawartości ekranu, co nie ma miejsca w tej chwili.",
"auto_on": "Edytor jest skonfigurowany tak, aby był optymalizowany pod kątem użycia z czytnikiem zawartości ekranu.",
"bulkEditServiceSummary": "Dokonano {0} edycji w {1} plikach",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Przejdź do &&nawiasu",
"overviewRulerBracketMatchForeground": "Kolor znacznika linijki przeglądu dla pasujących nawiasów.",
"smartSelect.jumpBracket": "Przejdź do nawiasu",
"smartSelect.removeBrackets": "Usuń nawiasy kwadratowe",
"smartSelect.selectToBracket": "Zaznacz do nawiasu"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Organizuj importy",
"quickfix.trigger.label": "Szybka poprawka...",
"refactor.label": "Refaktoryzuj...",
"refactor.preview.label": "Refaktoryzacja z podglądem...",
"source.label": "Akcja źródłowa..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Włącz/wyłącz wyświetlanie nagłówków grup w menu akcji kodu."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Ukryj wyłączone",
"showMoreActions": "Pokaż wyłączone"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Przepisać...",
"codeAction.widget.id.extract": "Wyodrębnij...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Akcja źródłowa...",
"codeAction.widget.id.surround": "Otocz za pomocą..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Ukryj wyłączone",
"showMoreActions": "Pokaż wyłączone"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Pokaż akcje kodu",
"codeActionWithKb": "Pokaż akcje kodu ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Pokaż polecenia CodeLens dla bieżącego wiersza"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Kliknij, aby przełączyć opcje kolorów (rgb/hsl/hex)"
"clickToToggleColorOptions": "Kliknij, aby przełączyć opcje kolorów (rgb/hsl/hex)",
"closeIcon": "Ikona umożliwiająca zamknięcie selektora kolorów"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Ukryj selektor kolorów",
"insertColorWithStandaloneColorPicker": "Wstaw kolor z autonomicznym selektorem kolorów",
"mishowOrFocusStandaloneColorPicker": "&&Pokaż lub ustaw fokus na selektorze kolorów autonomicznych",
"showOrFocusStandaloneColorPicker": "Pokaż lub ustaw fokus na selektorze kolorów autonomicznych"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Przełącz komentarz blokowy",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Zawsze",
"context.minimap.slider.mouseover": "Mysz nad"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Włącz/wyłącz uruchamianie edycji z rozszerzeń przy wklejeniu."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Trwa uruchamianie procedur obsługi wklejania..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Wykonaj ponownie kursor",
"cursor.undo": "Cofnij kursor"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Trwa uruchamianie procedur obsługi upuszczania..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Czy w edytorze jest uruchamiana operacja możliwa do anulowania, na przykład „Wgląd w odwołania”"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Przejdź do pozycji Dopasuj...",
"findMatchAction.inputPlaceHolder": "Wpisz liczbę, aby przejść do określonego dopasowania (od 1 do {0})",
"findMatchAction.inputValidationMessage": "Wpisz liczbę z zakresu od 1 do {0}",
"findMatchAction.noResults": "Brak dopasowań. Spróbuj wyszukać coś innego.",
"findNextMatchAction": "Znajdź następny",
"findPreviousMatchAction": "Znajdź poprzedni",
"miFind": "&&Znajdź",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 symbol w {0}, pełna ścieżka {1}",
"aria.fileReferences.N": "Symbole w liczbie {0} w elemencie {1}, pełna ścieżka {2}",
"aria.oneReference": "symbol w elemencie {0} w wierszu {1} i kolumnie {2}",
"aria.oneReference.preview": "symbol w elemencie {0} w wierszu {1} i kolumnie {2}, {3}",
"aria.oneReference": "w {0} w wierszu {1} w kolumnie {2}",
"aria.oneReference.preview": "{0}w {1} w wierszu {2} w kolumnie {3}",
"aria.result.0": "Nie znaleziono wyników",
"aria.result.1": "Znaleziono 1 symbol w {0}",
"aria.result.n1": "Znaleziono {0} symbole w {1}",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Symbol {0} z {1}, {2} dla następnego"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Ustaw wskaźnik myszy na klawiszu Escape",
"goToBottomHover": "Przejdź do dolnego wskaźnika myszy",
"goToTopHover": "Przejdź do górnego wskaźnika myszy",
"pageDownHover": "Wskaźnik myszy na stronie w dół",
"pageUpHover": "Ustaw wskaźnik myszy na klawiszu Strona w górę",
"scrollDownHover": "Przewiń wskaźnik myszy w dół",
"scrollLeftHover": "Przewiń wskaźnik myszy w lewo",
"scrollRightHover": "Przewiń wskaźnik myszy w prawo",
"scrollUpHover": "Przewiń wskaźnik myszy w górę",
"showDefinitionPreviewHover": "Pokaż podgląd definicji po najechaniu kursorem",
"showHover": "Pokaż informacje po najechaniu kursorem"
"showOrFocusHover": "Pokaż lub ustaw fokus na wskaźniku myszy"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Trwa ładowanie...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "CTRL + kliknięcie",
"links.navigate.kb.meta.mac": "CMD + kliknięcie"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Akceptuj",
"acceptLine": "Zaakceptuj wiersz",
"acceptWord": "Zaakceptuj słowo",
"action.inlineSuggest.accept": "Zaakceptuj wbudowaną sugestię",
"action.inlineSuggest.acceptNextLine": "Zaakceptuj następny wiersz sugestii wbudowanej",
"action.inlineSuggest.acceptNextWord": "Zaakceptuj następny wyraz sugestii wbudowanej",
"action.inlineSuggest.alwaysShowToolbar": "Zawsze pokazuj pasek narzędzi",
"action.inlineSuggest.hide": "Ukryj sugestię wbudowaną",
"action.inlineSuggest.showNext": "Pokaż następną wbudowaną sugestię",
"action.inlineSuggest.showPrevious": "Pokaż poprzednią wbudowaną sugestię",
"action.inlineSuggest.trigger": "Wyzwól sugestię wbudowaną",
"action.inlineSuggest.undo": "Cofnij Zaakceptuj słowo",
"action.inlineSuggest.trigger": "Wyzwól sugestię wbudowaną"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Sugestia:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Czy wbudowany pasek narzędzi sugestii powinien być zawsze widoczny",
"canUndoInlineSuggestion": "Czy cofnięcie spowoduje cofnięcie sugestii wbudowanej",
"inlineSuggestionHasIndentation": "Czy wbudowana sugestia zaczyna się od białych znaków",
"inlineSuggestionHasIndentationLessThanTabSize": "Czy wbudowana sugestia zaczyna się od białych znaków, która jest mniejsza niż to, co zostałoby wstawione przez tabulator",
"inlineSuggestionVisible": "Czy wbudowana sugestia jest widoczna",
"undoAcceptWord": "Cofnij Zaakceptuj słowo"
"suppressSuggestions": "Czy sugestie powinny być pomijane dla bieżącej sugestii"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Sugestia:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Następne",
"parameterHintsNextIcon": "Ikona do pokazywania następnej wskazówki dotyczącą parametru.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Śro"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Ustaw fokus na przewijanie przylepne",
"goToFocusedStickyScrollLine.title": "Przejdź do linii przewijania przylepnego w fokusie",
"miStickyScroll": "&&Przewijanie przylepne",
"mifocusStickyScroll": "&&Ustaw fokus na przewijanie przylepne",
"mitoggleStickyScroll": "&&Przełącz przewijanie przylepne",
"selectEditor.title": "Wybierz edytor",
"selectNextStickyScrollLine.title": "Wybierz następną linię przewijania przylepnego",
"selectPreviousStickyScrollLine.title": "Wybierz poprzednią linię przewijania przylepnego",
"stickyScroll": "Przewijanie przylepne",
"toggleStickyScroll": "Przełącz przewijanie przylepne"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Dostosuj ustawienia",
"unicodeHighlight.allowCommonCharactersInLanguage": "Zezwalaj na znaki Unicode, które są bardziej typowe w języku „{0}\".",
"unicodeHighlight.characterIsAmbiguous": "Znak {0} można pomylić ze znakiem {1}, co jest częstsze w kodzie źródłowym.",
"unicodeHighlight.characterIsAmbiguousASCII": "Znak {0} można pomylić ze znakiem {1} formatu ASCII, co jest częstsze w kodzie źródłowym.",
"unicodeHighlight.characterIsInvisible": "Znak {0} jest niewidoczny.",
"unicodeHighlight.characterIsNonBasicAscii": "Znak {0} nie jest podstawowym znakiem ASCII.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Konfiguruj opcje wyróżniania Unicode",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Deweloper",
"file": "Plik",
"help": "Pomoc",
"preferences": "Preferencje",
"test": "Test",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Polecenie, które zwraca informacje o kluczach kontekstu"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "nawias zamykający „)”",
"contextkey.parser.error.emptyString": "Puste wyrażenie klucza kontekstu",
"contextkey.parser.error.emptyString.hint": "Czy zapomniano napisać wyrażenie? Można również ustawić wartość „false” lub „true”, aby zawsze oceniać odpowiednio wartość false lub true.",
"contextkey.parser.error.expectedButGot": "Oczekiwano: {0}\r\nOdebrano: „{1}”.",
"contextkey.parser.error.noInAfterNot": "„in” po „not”.",
"contextkey.parser.error.unexpectedEOF": "Nieoczekiwany koniec wyrażenia",
"contextkey.parser.error.unexpectedEOF.hint": "Czy zapomniano umieścić klucz kontekstu?",
"contextkey.parser.error.unexpectedToken": "Nieoczekiwany token",
"contextkey.parser.error.unexpectedToken.hint": "Czy zapomniano umieścić element && lub || przed tokenem?",
"contextkey.scanner.errorForLinter": "Nieoczekiwany token.",
"contextkey.scanner.errorForLinterWithHint": "Nieoczekiwany token. Wskazówka: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Określa, czy fokus klawiatury znajduje się wewnątrz pola wejściowego",
"isIOS": "Czy system operacyjny to iOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Określa, czy system operacyjny to Windows",
"productQualityType": "Typ jakości edytora VS Code"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Czy zapomniano zastosować znak ucieczki „/” (ukośnik)? Umieść przed nim dwa ukośniki odwrotne w celu ucieczki, na przykład „\\\\/”.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Czy zapomniano otworzyć lub zamknąć ofertę?",
"contextkey.scanner.hint.didYouMean1": "Czy chodziło Ci o {0}?",
"contextkey.scanner.hint.didYouMean2": "Czy chodziło Ci o {0}, czy {1}?",
"contextkey.scanner.hint.didYouMean3": "Czy chodziło Ci o {0}, {1} czy {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Anuluj",
"moreFile": "...1 dodatkowy plik nie jest wyświetlony",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0}) został naciśnięty. Oczekiwanie na drugi klawisz akordu...",
"missing.chord": "Kombinacja klawiszy ({0}, {1}) nie jest poleceniem."
"missing.chord": "Kombinacja klawiszy ({0}, {1}) nie jest poleceniem.",
"next.chord": "Naciśnięto ({0}). Trwa oczekiwanie na następny klucz elementu chord..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Mnożnik szybkości przewijania podczas naciskania klawisza „Alt”.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Kolor obramowania widżetów edytora. Kolor jest używany tylko wtedy, gdy widżet używa obramowania i kolor nie jest zastąpiony przez widżet.",
"editorWidgetForeground": "Kolor pierwszego planu widżetów edytora, takich jak wyszukiwania/zamiany.",
"editorWidgetResizeBorder": "Kolor obramowania paska zmiany rozmiaru widżetów edytora. Kolor jest używany tylko wtedy, gdy widżet używa obramowania i kolor nie jest zastąpiony przez widżet.",
"errorBorder": "Kolor obramowania pól błędów w edytorze.",
"errorBorder": "Jeśli ustawiono, kolor podwójnego podkreślenia dla błędów w edytorze.",
"errorForeground": "Ogólny kolor pierwszego planu dla komunikatów o błędach. Ten kolor jest używany tylko wtedy, gdy nie został zastąpiony przez składnik.",
"findMatchHighlight": "Kolor innych dopasowań wyszukiwania. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
"findMatchHighlightBorder": "Kolor obramowania innych dopasowań wyszukiwania.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Ogólny kolor obramowania elementów mających fokus. Ten kolor jest używany tylko wtedy, gdy nie został zastąpiony przez składnik.",
"foreground": "Ogólny kolor pierwszego planu. Ten kolor jest używany tylko wtedy, gdy nie został zastąpiony przez składnik.",
"highlight": "Kolor pierwszego planu listy/drzewa dla wyróżnień dopasowania podczas wyszukiwania wewnątrz listy/drzewa.",
"hintBorder": "Kolor obramowania pól wskazówek w edytorze.",
"hintBorder": "Jeśli ustawiono, kolor podwójnego podkreślenia dla wskazówek w edytorze.",
"hoverBackground": "Kolor tła informacji wyświetlonych w edytorze po najechaniu kursorem.",
"hoverBorder": "Kolor obramowania informacji wyświetlonych po najechaniu kursorem w edytorze.",
"hoverForeground": "Kolor pierwszego planu informacji wyświetlonych w edytorze po najechaniu kursorem.",
"hoverHighlight": "Wyróżnij poniżej słowo, dla którego są wyświetlanie informacje po najechaniu kursorem. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
"iconForeground": "Domyślny kolor ikon w środowisku roboczym.",
"infoBorder": "Kolor obramowania pól informacji w edytorze.",
"infoBorder": "Jeśli ustawiono, kolor podwójnego podkreślenia dla informacji w edytorze.",
"inputBoxActiveOptionBorder": "Kolor obramowania aktywowanych opcji w polach danych wejściowych.",
"inputBoxBackground": "Tło pola wejściowego.",
"inputBoxBorder": "Obramowanie pola wejściowego.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Kolor tła widżetu filtru typu w listach i drzewach.",
"listFilterWidgetNoMatchesOutline": "Kolor konturu widżetu filtra typów na listach i w drzewach, gdy nie ma dopasowań.",
"listFilterWidgetOutline": "Kolor konturu widżetu filtra typów na listach i w drzewach.",
"listFilterWidgetShadow": "Kolor cienia widżetu filtru typu na listach i drzewach.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Kolor konturu listy/drzewa dla elementu priorytetowego, gdy lista/drzewo jest aktywne i zaznaczone. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna nie ma.",
"listFocusBackground": "Kolor tła listy/drzewa dla elementu z fokusem, gdy lista/drzewo jest aktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
"listFocusForeground": "Kolor pierwszego planu listy/drzewa dla elementu z fokusem, gdy lista/drzewo jest aktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Kolor tła suwaka paska przewijania po kliknięciu.",
"scrollbarSliderBackground": "Kolor tła suwaka paska przewijania.",
"scrollbarSliderHoverBackground": "Kolor tła suwaka paska przewijania podczas aktywowania.",
"search.resultsInfoForeground": "Kolor tekstu w komunikacie uzupełniania obszaru wyświetlania wyszukiwania.",
"searchEditor.editorFindMatchBorder": "Kolor obramowania dopasowań zapytania w edytorze wyszukiwania.",
"searchEditor.queryMatch": "Kolor dopasowań zapytania w edytorze wyszukiwania.",
"selectionBackground": "Kolor tła zaznaczonych fragmentów tekstu w obszarze roboczym (np. w polach wejściowych lub obszarach tekstowych). Zauważ, że nie dotyczy to zaznaczeń w edytorze.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Kontur paska narzędzi przy aktywowaniu akcji za pomocą myszy",
"treeInactiveIndentGuidesStroke": "Kolor pociągnięcia drzewa dla prowadnic wcięć, które nie są aktywne.",
"treeIndentGuidesStroke": "Kolor obrysu drzewa dla prowadnic wcięć.",
"warningBorder": "Kolor obramowania dla pól ostrzeżeń w edytorze.",
"warningBorder": "Jeśli ustawiono, kolor podwójnego podkreślenia dla ostrzeżeń w edytorze.",
"widgetBorder": "Kolor obramowania widżetów, takich jak znajdowanie/zamienianie w edytorze.",
"widgetShadow": "Kolor cienia widżetów takich jak znajdź/zamień wewnątrz edytora."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Erro: {0}",
"alertInfoMessage": "Informações: {0}",
"alertWarningMessage": "Aviso: {0}",
"clearedInput": "Entrada Desmarcada",
"history.inputbox.hint": "para o histórico"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " usar Shift + F7 para navegar pelas alterações",
"diff.tooLarge": "Não é possível comparar arquivos porque um arquivo é muito grande.",
"diffInsertIcon": "Decoração de linha para inserções no editor de comparação.",
"diffRemoveIcon": "Decoração de linha para remoções no editor de comparação."
"diffRemoveIcon": "Decoração de linha para remoções no editor de comparação.",
"revertChangeHoverMessage": "Clique para reverter alteração"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "espaço em branco",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Controla se o editor mostra CodeLens.",
"detectIndentation": "Controla se {0} e {1} serão detectados automaticamente quando um arquivo for aberto com base no conteúdo do arquivo.",
"diffAlgorithm.experimental": "Usa um algoritmo de comparação experimental.",
"diffAlgorithm.smart": "Usa o algoritmo de comparação padrão.",
"diffAlgorithm.advanced": "Usa o algoritmo de comparação avançada.",
"diffAlgorithm.legacy": "Usa o algoritmo de comparação herdado.",
"editor.experimental.asyncTokenization": "Controla se a geração de tokens deve ocorrer de forma assíncrona em uma função de trabalho.",
"editor.experimental.asyncTokenizationLogging": "Controla se a geração de tokens assíncronos deve ser registrada. Somente para depuração.",
"editor.experimental.asyncTokenizationVerification": "Controla se a tokenização assíncrona deve ser verificada em relação à tokenização em segundo plano herdada. Pode desacelerar a tokenização. Apenas para depuração.",
"editorConfigurationTitle": "Editor",
"ignoreTrimWhitespace": "Quando habilitado, o editor de comparação ignora as alterações no espaço em branco à esquerda ou à direita.",
"indentSize": "O número de espaços usados para recuo ou `\"tabSize\"` para usar o valor de '#editor.tabSize#'. Essa configuração é substituída com base no conteúdo do arquivo quando '#editor.detectIndentation#' estiver ativado.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` é sempre imposto.",
"cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` é imposto somente quando disparado via teclado ou API.",
"cursorWidth": "Controla a largura do cursor quando `#editor.cursorStyle#` está definido como `line`.",
"defaultColorDecorators": "Controla se as decorações de cores embutidas devem ser mostradas usando o provedor de cores de documento padrão",
"definitionLinkOpensInPeek": "Controla se o gesto do mouse Ir para Definição sempre abre o widget de espiada.",
"deprecated": "Esta configuração foi preterida. Use configurações separadas como 'editor.suggest.showKeywords' ou 'editor.suggest.showSnippets'.",
"dragAndDrop": "Controla se o editor deve permitir a movimentação de seleções por meio de arrastar e soltar.",
"dropIntoEditor.enabled": "Controla se você pode arrastar e soltar um arquivo em um editor de texto mantendo pressionada a tecla `shift` (em vez de abrir o arquivo em um editor).",
"dropIntoEditor.showDropSelector": "Controla se um widget é mostrado ao soltar arquivos no editor. Este widget permite controlar como o arquivo é descartado.",
"dropIntoEditor.showDropSelector.afterDrop": "Mostra o widget seletor de soltar depois que um arquivo é solto no editor.",
"dropIntoEditor.showDropSelector.never": "Nunca mostre o widget seletor de soltar. Em vez disso, o provedor drop padrão é sempre usado.",
"editor.autoClosingBrackets.beforeWhitespace": "Fechar automaticamente os colchetes somente quando o cursor estiver à esquerda do espaço em branco.",
"editor.autoClosingBrackets.languageDefined": "Usar as configurações de linguagem para determinar quando fechar automaticamente os colchetes.",
"editor.autoClosingDelete.auto": "Remover as aspas ou os colchetes de fechamento adjacentes somente se eles foram inseridos automaticamente.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "As dicas de embutimento ficam ocultas por padrão e são exibidas ao segurar {0}",
"editor.inlayHints.on": "As dicas embutidas estão habilitadas",
"editor.inlayHints.onUnlessPressed": "As dicas de incrustação são exibidas por padrão e ocultadas ao segurar {0}",
"editor.stickyScroll": "Mostra os escopos atuais aninhados durante a rolagem na parte superior do editor.",
"editor.stickyScroll.": "Define o número máximo de linhas autoadesivas a serem mostradas.",
"editor.stickyScroll.defaultModel": "Define o modelo a ser usado para determinar quais linhas fixar. Se o modelo de estrutura de tópicos não existir, ele fará fallback no modelo de provedor de dobragem, que faz fallback no modelo de recuo. Essa ordem é respeitada em todos os três casos.",
"editor.stickyScroll.enabled": "Mostra os escopos atuais aninhados durante a rolagem na parte superior do editor.",
"editor.stickyScroll.maxLineCount": "Define o número máximo de linhas autoadesivas a serem mostradas.",
"editor.suggest.matchOnWordStartOnly": "Quando ativado, a filtragem IntelliSense requer que o primeiro caractere corresponda a uma palavra inicial, por exemplo, `c` no `Console` ou `WebContext`, mas _não_ na `descrição`. Quando desativado, o IntelliSense mostrará mais resultados, mas ainda os classificará por qualidade de correspondência.",
"editor.suggest.showClasss": "Quando habilitado, o IntelliSense mostra sugestões de `class`.",
"editor.suggest.showColors": "Quando habilitado, o IntelliSense mostra sugestões de `color`.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Controla quando mostrar a barra de ferramentas de sugestão embutida.",
"inlineSuggest.showToolbar.always": "Mostrar a barra de ferramentas de sugestão embutida sempre que uma sugestão embutida for mostrada.",
"inlineSuggest.showToolbar.onHover": "Mostrar a barra de ferramentas de sugestão embutida ao passar o mouse sobre uma sugestão embutida.",
"inlineSuggest.suppressSuggestions": "Controla como as sugestões embutidas interagem com o widget de sugestão. Se habilitado, o widget de sugestão não é mostrado automaticamente quando sugestões embutidas estão disponíveis.",
"letterSpacing": "Controla o espaçamento de letras em pixels.",
"lineHeight": "Controla a altura da linha. \r\n - Use 0 para calcular automaticamente a altura da linha do tamanho da fonte.\r\n - Os valores entre 0 e 8 serão usados como um multiplicador com o tamanho da fonte.\r\n - Valores maiores ou iguais a 8 serão usados como valores efetivos.",
"lineNumbers": "Controla a exibição de números de linha.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Controla a quantidade de espaço entre a borda superior do editor e a primeira linha.",
"parameterHints.cycle": "Controla se o parâmetro sugere ciclos de menu ou fecha ao chegar ao final da lista.",
"parameterHints.enabled": "Habilita um pop-up que mostra a documentação do parâmetro e as informações de tipo conforme você digita.",
"pasteAs.enabled": "Controla se você pode colar conteúdo de maneiras diferentes.",
"pasteAs.showPasteSelector": "Controla se um widget é mostrado ao colar conteúdo no editor. Este widget permite controlar como o arquivo é colado.",
"pasteAs.showPasteSelector.afterPaste": "Mostra o widget do seletor de colagem depois que o conteúdo é colado no editor.",
"pasteAs.showPasteSelector.never": "Nunca mostre o widget seletor de colagem. Em vez disso, o comportamento de colagem padrão é sempre usado.",
"peekWidgetDefaultFocus": "Controla se deve focar o editor embutido ou a árvore no widget de espiada.",
"peekWidgetDefaultFocus.editor": "Focalizar o editor ao abrir a espiada",
"peekWidgetDefaultFocus.tree": "Focalizar a árvore ao abrir a espiada",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Renderizar réguas verticais após um determinado número de caracteres com espaçamento uniforme. Usar vários valores para várias réguas. Nenhuma régua será desenhada se a matriz estiver vazia.",
"rulers.color": "Cor desta régua do editor.",
"rulers.size": "Número de caracteres com espaçamento uniforme em que esta régua do editor será renderizada.",
"screenReaderAnnounceInlineSuggestion": "Controla se as sugestões embutidas são anunciadas por um leitor de tela. Observe que isso não funciona no macOS com o VoiceOver.",
"scrollBeyondLastColumn": "Controla o número de caracteres extras acima do qual o editor será rolado horizontalmente.",
"scrollBeyondLastLine": "Controla se o editor será rolado para além da última linha.",
"scrollPredominantAxis": "Rolar apenas ao longo do eixo predominante ao rolar vertical e horizontalmente ao mesmo tempo. Evita o descompasso horizontal ao rolar verticalmente em um trackpad.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Controla se os ícones em sugestões devem ser mostrados ou ocultados.",
"suggest.showInlineDetails": "Controla se os detalhes da sugestão são mostrados embutidos com o rótulo ou somente no widget de detalhes.",
"suggest.showStatusBar": "Controla a visibilidade da barra de status na parte inferior do widget de sugestão.",
"suggest.snippetsPreventQuickSuggestions": "Controla se um snippet ativo impede sugestões rápidas.",
"suggestFontSize": "Tamanho da fonte para o widget sugerido. Quando definido como {0}, o valor de {1} é usado.",
"suggestLineHeight": "Altura da linha para o widget de sugestão. Quando definido como {0}, o valor de {1} é usado. O valor mínimo é 8.",
"suggestOnTriggerCharacters": "Controla se as sugestões devem ser exibidas automaticamente ao digitar caracteres de gatilho.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Se o editor tem um texto selecionado",
"editorHasSignatureHelpProvider": "Se o editor tem um provedor de ajuda da assinatura",
"editorHasTypeDefinitionProvider": "Se o editor tem um provedor de definição de tipo",
"editorHoverFocused": "Se o foco do editor está visível",
"editorHoverVisible": "Se o foco do editor está visível",
"editorLangId": "O identificador de linguagem do editor",
"editorReadonly": "Se o editor é somente leitura",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Se o texto do editor tem o foco (o cursor está piscando)",
"inCompositeEditor": "Se o editor faz parte de um editor maior (por exemplo, notebooks)",
"inDiffEditor": "Se o contexto é um editor de comparação",
"isEmbeddedDiffEditor": "Se o contexto é um editor de diferenças incorporado",
"standaloneColorPickerFocused": "Se o seletor de cor autônomo está focado",
"standaloneColorPickerVisible": "Se o seletor de cor autônomo está visível",
"stickyScrollFocused": "Se a rolagem fixa está focada",
"stickyScrollVisible": "Se a rolagem fixa está visível",
"textInputFocus": "Se um editor ou uma entrada de rich text tem o foco (o cursor está piscando)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Pressione Alt+F1 para obter Opções de Acessibilidade.",
"accessibilityHelpTitle": "Ajuda de Acessibilidade",
"auto_off": "O editor está configurado para nunca ser otimizado para uso com um Leitor de Tela, o que não é o caso neste momento.",
"auto_on": "O editor está configurado para ser otimizado para uso com um Leitor de Tela.",
"bulkEditServiceSummary": "Foram feitas {0} edições em {1} arquivos",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Ir para &&Colchetes",
"overviewRulerBracketMatchForeground": "Cor do marcador da régua de visão geral para os colchetes correspondentes.",
"smartSelect.jumpBracket": "Ir para Colchetes",
"smartSelect.removeBrackets": "Remover Colchetes",
"smartSelect.selectToBracket": "Selecionar para Colchete"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Organizar as Importações",
"quickfix.trigger.label": "Correção Rápida...",
"refactor.label": "Refatorar...",
"refactor.preview.label": "Refatorar com Visualização...",
"source.label": "Ação de Origem..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Habilitar/desabilitar a exibição de cabeçalhos de grupo no menu de ação de código."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Ocultar Desabilitados",
"showMoreActions": "Mostrar Desabilitado"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Reescrever...",
"codeAction.widget.id.extract": "Extrair...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Ação de Origem...",
"codeAction.widget.id.surround": "Envolver com..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Ocultar Desabilitados",
"showMoreActions": "Mostrar Desabilitado"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Mostrar as Ações do Código",
"codeActionWithKb": "Mostrar as Ações do Código ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Mostrar Comandos do CodeLens para a Linha Atual"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Clique para alterar as opções de cores (rgb/hsl/hex)"
"clickToToggleColorOptions": "Clique para alterar as opções de cores (rgb/hsl/hex)",
"closeIcon": "Ícone para fechar o seletor de cores"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Ocultar o Seletor de Cor",
"insertColorWithStandaloneColorPicker": "Inserir Cor com Seletor de Cor em Modo Autônomo",
"mishowOrFocusStandaloneColorPicker": "&&Mostrar ou Focar no Seletor de Cor em Modo Autônomo",
"showOrFocusStandaloneColorPicker": "Mostrar ou Focar no Seletor de Cor no Modo Autônomo"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Ativar/Desativar Comentário de Bloco",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Sempre",
"context.minimap.slider.mouseover": "Passar o mouse"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Habilitar/desabilitar a execução de edições de extensões ao colar."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Executando manipuladores de pasta..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Refazer Cursor",
"cursor.undo": "Desfazer Cursor"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Executando manipuladores de soltar..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Se o editor executa uma operação que pode ser cancelada, como 'Espiar Referências'"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Ir para Correspondência...",
"findMatchAction.inputPlaceHolder": "Digite um número para ir para uma correspondência específica (entre 1 e {0})",
"findMatchAction.inputValidationMessage": "Inserir um número entre 1 e {0}",
"findMatchAction.noResults": "Sem combinações. Tente procurar por outra coisa.",
"findNextMatchAction": "Localizar Próximo",
"findPreviousMatchAction": "Localizar Anterior",
"miFind": "&&Localizar",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "Um símbolo em {0}, caminho completo {1}",
"aria.fileReferences.N": "{0} símbolos em {1}, caminho completo {2}",
"aria.oneReference": "símbolo em {0} na linha {1} na coluna {2}",
"aria.oneReference.preview": "símbolo em {0} na linha {1} na coluna {2}, {3}",
"aria.oneReference": "em {0} na linha {1} na coluna {2}",
"aria.oneReference.preview": "{0} em {1} na linha {2} na coluna {3}",
"aria.result.0": "Nenhum resultado encontrado",
"aria.result.1": "Encontrado 1 símbolo em {0}",
"aria.result.n1": "Foram encontrados {0} símbolos em {1}",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Símbolo {0} de {1}, {2} para o próximo"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Focalização de Escape",
"goToBottomHover": "Ir para Foco Inferior",
"goToTopHover": "Ir para Foco Superior",
"pageDownHover": "Focalização da Página Para Baixo",
"pageUpHover": "Focalização da Página Para Cima",
"scrollDownHover": "Rolar Foco para Baixo",
"scrollLeftHover": "Rolar Foco para a Esquerda",
"scrollRightHover": "Rolar Foco para a Direita",
"scrollUpHover": "Rolar Foco para Cima",
"showDefinitionPreviewHover": "Mostrar Foco de Visualização da Definição",
"showHover": "Mostrar Foco"
"showOrFocusHover": "Mostrar Foco ou Focalizar"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Carregando...",
@ -967,8 +996,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"currentTabSize": "Tamanho da Guia Atual",
"defaultTabSize": "Tamanho da Guia Padrão",
"detectIndentation": "Detectar Recuo do Conteúdo",
"editor.reindentlines": "Rerecuar Linhas",
"editor.reindentselectedlines": "Rerecuar Linhas Selecionadas",
"editor.reindentlines": "Recuar Linhas",
"editor.reindentselectedlines": "Recuar Linhas Selecionadas",
"indentUsingSpaces": "Recuar Usando Espaços",
"indentUsingTabs": "Recuar Usando Tabulações",
"indentationToSpaces": "Converter Recuo em Espaços",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl + clique",
"links.navigate.kb.meta.mac": "cmd + clique"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Aceitar",
"acceptLine": "Aceitar Linha",
"acceptWord": "Aceitar Palavra",
"action.inlineSuggest.accept": "Aceitar Sugestão Embutida",
"action.inlineSuggest.acceptNextLine": "Aceitar próxima linha de sugestão embutida",
"action.inlineSuggest.acceptNextWord": "Aceitar a Próxima Palavra de Sugestão Embutida",
"action.inlineSuggest.alwaysShowToolbar": "Sempre Mostrar Barra de Ferramentas",
"action.inlineSuggest.hide": "Ocultar a Sugestão Embutida",
"action.inlineSuggest.showNext": "Mostrar próxima sugestão em linha",
"action.inlineSuggest.showPrevious": "Mostrar sugestões em linha anteriores",
"action.inlineSuggest.trigger": "Disparar sugestão em linha",
"action.inlineSuggest.undo": "Desfazer Aceitar Palavra",
"action.inlineSuggest.trigger": "Disparar sugestão em linha"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Sugestão:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Se a barra de ferramentas de sugestão embutida sempre deve estar visível",
"canUndoInlineSuggestion": "Se desfazer desfaria uma sugestão embutida",
"inlineSuggestionHasIndentation": "Se a sugestão em linha começa com o espaço em branco",
"inlineSuggestionHasIndentationLessThanTabSize": "Se a sugestão embutida começa com um espaço em branco menor do que o que seria inserido pela guia",
"inlineSuggestionVisible": "Se uma sugestão em linha é visível",
"undoAcceptWord": "Desfazer Aceitar Palavra"
"suppressSuggestions": "Se as sugestões devem ser suprimidas para a sugestão atual"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Sugestão:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Próximo",
"parameterHintsNextIcon": "Ícone para mostrar a próxima dica de parâmetro.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Qua"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Focalizar Rolagem Fixa",
"goToFocusedStickyScrollLine.title": "Ir para a linha de rolagem fixa focalizada",
"miStickyScroll": "&&Rolagem Fixa",
"mifocusStickyScroll": "&&Focalizar Rolagem Fixa",
"mitoggleStickyScroll": "&&Alternar Rolagem Autoadesiva",
"selectEditor.title": "Selecionar Editor",
"selectNextStickyScrollLine.title": "Selecionar a próxima linha de rolagem fixa",
"selectPreviousStickyScrollLine.title": "Selecionar a linha de rolagem fixa anterior",
"stickyScroll": "Rolagem Autoadesiva",
"toggleStickyScroll": "Alternar Rolagem Autoadesiva"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Ajustar configurações",
"unicodeHighlight.allowCommonCharactersInLanguage": "Permite os caracteres unicode mais comuns na linguagem \"{0}\".",
"unicodeHighlight.characterIsAmbiguous": "O caractere {0} poderia ser confundido com o caractere {1}, que é mais comum no código fonte.",
"unicodeHighlight.characterIsAmbiguousASCII": "O caractere {0} poderia ser confundido com o caractere ASCII {1}, que é mais comum no código-fonte.",
"unicodeHighlight.characterIsInvisible": "O caractere {0} é invisível.",
"unicodeHighlight.characterIsNonBasicAscii": "O caractere {0} não é um caractere ASCII básico.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Configurar as opções de realce Unicode",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Desenvolvedor",
"file": "Arquivo",
"help": "Ajuda",
"preferences": "Preferências",
"test": "Testar",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Um comando que retorna informações sobre as chaves de contexto"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "parêntese de fechamento ')'",
"contextkey.parser.error.emptyString": "Expressão de chave de contexto vazia",
"contextkey.parser.error.emptyString.hint": "Esqueceu de escrever uma expressão? Você também pode colocar \"false\" ou \"true\" para sempre avaliar como falso ou verdadeiro, respectivamente.",
"contextkey.parser.error.expectedButGot": "Esperado: {0}\r\nRecebido: '{1}'.",
"contextkey.parser.error.noInAfterNot": "'in' após 'not'.",
"contextkey.parser.error.unexpectedEOF": "Fim da expressão inesperado",
"contextkey.parser.error.unexpectedEOF.hint": "Você esqueceu de colocar uma chave de contexto?",
"contextkey.parser.error.unexpectedToken": "Token inesperado",
"contextkey.parser.error.unexpectedToken.hint": "Você esqueceu de colocar && ou || antes do token?",
"contextkey.scanner.errorForLinter": "Token inesperado.",
"contextkey.scanner.errorForLinterWithHint": "Token inesperado. Dica: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Se o foco do teclado está dentro de uma caixa de entrada",
"isIOS": "Se o sistema operacional for o macOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Se o sistema operacional é Windows",
"productQualityType": "Tipo de qualidade de VS Code"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Você esqueceu de escapar o caractere \"/\" (barra)? Coloque duas barras invertidas antes dele para escapar, por exemplo, \"\\\\/\".",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Você esqueceu de abrir ou fechar a cota?",
"contextkey.scanner.hint.didYouMean1": "Você quis dizer {0}?",
"contextkey.scanner.hint.didYouMean2": "Você quis dizer {0} ou {1}?",
"contextkey.scanner.hint.didYouMean3": "Você quis dizer {0}, {1} ou {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Cancelar",
"moreFile": "...1 arquivo adicional não mostrado",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0}) foi pressionada. Aguardando a segunda tecla do acorde...",
"missing.chord": "A combinação de teclas ({0}, {1}) não é um comando."
"missing.chord": "A combinação de teclas ({0}, {1}) não é um comando.",
"next.chord": "({0}) foi pressionado. Aguardando a próxima chave de corda..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Multiplicador de velocidade de rolagem ao pressionar `Alt`.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Cor da borda dos widgets do editor. A cor será usada apenas se o widget optar por ter uma borda e se a cor não for substituída por um widget.",
"editorWidgetForeground": "Cor de primeiro plano dos widgets do editor, como localizar/substituir.",
"editorWidgetResizeBorder": "Cor da borda da barra de redimensionamento dos widgets do editor. A cor será usada apenas se o widget escolher uma borda de redimensionamento e se a cor não for substituída por um widget.",
"errorBorder": "Cor da borda das caixas de erro no editor.",
"errorBorder": "Se definido, a cor dos sublinhados duplos para erros no editor.",
"errorForeground": "Cor geral de primeiro plano para mensagens de erro. Essa cor só será usada se não for substituída por um componente.",
"findMatchHighlight": "Cor das outras correspondências da pesquisa. A cor não deve ser opaca para não ocultar decorações subjacentes.",
"findMatchHighlightBorder": "Cor da borda de outras correspondências da pesquisa.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Cor geral da borda para elementos focados. Essa cor só será usada se não for substituída por um componente.",
"foreground": "Cor geral de primeiro plano. Essa cor só será usada se não for substituída por um componente.",
"highlight": "Cor de primeiro plano da lista/árvore dos realces de correspondência ao pesquisar dentro da lista/árvore.",
"hintBorder": "Cor da borda das caixas de dica no editor.",
"hintBorder": "Se definido, cor de sublinhado duplo para dicas no editor.",
"hoverBackground": "Cor da tela de fundo do foco do editor.",
"hoverBorder": "Cor da borda do foco do editor.",
"hoverForeground": "Cor de primeiro plano do foco do editor.",
"hoverHighlight": "Realce abaixo da palavra para a qual um foco é exibido. A cor não deve ser opaca para não ocultar decorações subjacentes.",
"iconForeground": "A cor padrão dos ícones no workbench.",
"infoBorder": "Cor da borda das caixas de informações no editor.",
"infoBorder": "Se definido, a cor dos sublinhados duplos para informações no editor.",
"inputBoxActiveOptionBorder": "Cor da borda das opções ativadas em campos de entrada.",
"inputBoxBackground": "Tela de fundo da caixa de entrada.",
"inputBoxBorder": "Borda da caixa de entrada.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Cor da tela de fundo do widget de filtro de tipo em listas e árvores.",
"listFilterWidgetNoMatchesOutline": "Cor da estrutura de tópicos do widget de filtro de tipo em listas e árvores, quando não há correspondências.",
"listFilterWidgetOutline": "Cor da estrutura de tópicos do widget de filtro de tipo em listas e árvores.",
"listFilterWidgetShadow": "Cor da sombra do widget de filtro de tipo nas listas e árvores.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Cor do contorno da lista/árvore para o item em foco quando a lista/árvore está ativa e selecionada. Uma lista/árvore ativa tem foco no teclado, um inativo não.",
"listFocusBackground": "Cor da tela de fundo da lista/árvore para o item com foco quando a lista/árvore estiver ativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
"listFocusForeground": "Cor de primeiro plano da lista/árvore para o item focalizado quando a lista/árvore estiver ativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem quando clicado.",
"scrollbarSliderBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem.",
"scrollbarSliderHoverBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem ao passar o mouse.",
"search.resultsInfoForeground": "Cor do texto na mensagem de conclusão do viewlet de pesquisa.",
"searchEditor.editorFindMatchBorder": "Cor da borda das correspondências de consulta do Editor de Pesquisa.",
"searchEditor.queryMatch": "Cor das correspondências de consulta do Editor de Pesquisa.",
"selectionBackground": "A cor da tela de fundo das seleções de texto no workbench (por exemplo, para campos de entrada ou áreas de texto). Observe que isso não se aplica às seleções dentro do editor.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Contorno da barra de ferramentas ao passar o mouse sobre as ações com o mouse",
"treeInactiveIndentGuidesStroke": "Cor do traço de árvore para as guias de recuo que não estão ativas.",
"treeIndentGuidesStroke": "Cor do traço da árvore dos guias de recuo.",
"warningBorder": "Cor da borda das caixas de aviso no editor.",
"warningBorder": "Se definido, a cor dos sublinhados duplos para avisos no editor.",
"widgetBorder": "Cor da sombra de widgets, como localizar/substituir, dentro do editor.",
"widgetShadow": "Cor da sombra de widgets, como localizar/substituir, dentro do editor."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Ërrør: {0}",
"alertInfoMessage": "Ïñfø: {0}",
"alertWarningMessage": "Wærñïñg: {0}",
"clearedInput": "Çlëærëð Ïñpµt",
"history.inputbox.hint": "før hïstørÿ"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " µsë §hïft + F7 tø ñævïgætë çhæñgës",
"diff.tooLarge": "Çæññøt çømpærë fïlës þëçæµsë øñë fïlë ïs tøø lærgë.",
"diffInsertIcon": "£ïñë ðëçørætïøñ før ïñsërts ïñ thë ðïff ëðïtør.",
"diffRemoveIcon": "£ïñë ðëçørætïøñ før rëmøvæls ïñ thë ðïff ëðïtør."
"diffRemoveIcon": "£ïñë ðëçørætïøñ før rëmøvæls ïñ thë ðïff ëðïtør.",
"revertChangeHoverMessage": "Çlïçk tø rëvërt çhæñgë"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "þlæñk",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Çøñtrøls whëthër thë ëðïtør shøws Çøðë£ëñs.",
"detectIndentation": "Çøñtrøls whëthër {0} æñð {1} wïll þë æµtømætïçællÿ ðëtëçtëð whëñ æ fïlë ïs øpëñëð þæsëð øñ thë fïlë çøñtëñts.",
"diffAlgorithm.experimental": "Üsës æñ ëxpërïmëñtæl ðïffïñg ælgørïthm.",
"diffAlgorithm.smart": "Üsës thë ðëfæµlt ðïffïñg ælgørïthm.",
"diffAlgorithm.advanced": "Üsës thë æðvæñçëð ðïffïñg ælgørïthm.",
"diffAlgorithm.legacy": "Üsës thë lëgæçÿ ðïffïñg ælgørïthm.",
"editor.experimental.asyncTokenization": "Çøñtrøls whëthër thë tøkëñïzætïøñ shøµlð hæppëñ æsÿñçhrøñøµslÿ øñ æ wëþ wørkër.",
"editor.experimental.asyncTokenizationLogging": "Çøñtrøls whëthër æsÿñç tøkëñïzætïøñ shøµlð þë løggëð. Før ðëþµggïñg øñlÿ.",
"editor.experimental.asyncTokenizationVerification": "Çøñtrøls whëthër æsÿñç tøkëñïzætïøñ shøµlð þë vërïfïëð ægæïñst lëgæçÿ þæçkgrøµñð tøkëñïzætïøñ. Mïght sløw ðøwñ tøkëñïzætïøñ. Før ðëþµggïñg øñlÿ.",
"editorConfigurationTitle": "Ëðïtør",
"ignoreTrimWhitespace": "Whëñ ëñæþlëð, thë ðïff ëðïtør ïgñørës çhæñgës ïñ lëæðïñg ør træïlïñg whïtëspæçë.",
"indentSize": "Thë ñµmþër øf spæçës µsëð før ïñðëñtætïøñ ør `\"tæþ§ïzë\"` tø µsë thë vælµë frøm `#ëðïtør.tæþ§ïzë#`. Thïs sëttïñg ïs øvërrïððëñ þæsëð øñ thë fïlë çøñtëñts whëñ `#ëðïtør.ðëtëçtÏñðëñtætïøñ#` ïs øñ.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "`çµrsør§µrrøµñðïñg£ïñës` ïs ëñførçëð ælwæÿs.",
"cursorSurroundingLinesStyle.default": "`çµrsør§µrrøµñðïñg£ïñës` ïs ëñførçëð øñlÿ whëñ trïggërëð vïæ thë këÿþøærð ør ÆPÏ.",
"cursorWidth": "Çøñtrøls thë wïðth øf thë çµrsør whëñ `#ëðïtør.çµrsør§tÿlë#` ïs sët tø `lïñë`.",
"defaultColorDecorators": "Çøñtrøls whëthër ïñlïñë çølør ðëçørætïøñs shøµlð þë shøwñ µsïñg thë ðëfæµlt ðøçµmëñt çølør prøvïðër",
"definitionLinkOpensInPeek": "Çøñtrøls whëthër thë Gø tø Ðëfïñïtïøñ møµsë gëstµrë ælwæÿs øpëñs thë pëëk wïðgët.",
"deprecated": "Thïs sëttïñg ïs ðëprëçætëð, plëæsë µsë sëpærætë sëttïñgs lïkë 'ëðïtør.sµggëst.shøwKëÿwørðs' ør 'ëðïtør.sµggëst.shøw§ñïppëts' ïñstëæð.",
"dragAndDrop": "Çøñtrøls whëthër thë ëðïtør shøµlð ælløw møvïñg sëlëçtïøñs vïæ ðræg æñð ðrøp.",
"dropIntoEditor.enabled": "Çøñtrøls whëthër ÿøµ çæñ ðræg æñð ðrøp æ fïlë ïñtø æ tëxt ëðïtør þÿ hølðïñg ðøwñ `shïft` (ïñstëæð øf øpëñïñg thë fïlë ïñ æñ ëðïtør).",
"dropIntoEditor.showDropSelector": "Çøñtrøls ïf æ wïðgët ïs shøwñ whëñ ðrøppïñg fïlës ïñtø thë ëðïtør. Thïs wïðgët lëts ÿøµ çøñtrøl høw thë fïlë ïs ðrøppëð.",
"dropIntoEditor.showDropSelector.afterDrop": "§høw thë ðrøp sëlëçtør wïðgët æftër æ fïlë ïs ðrøppëð ïñtø thë ëðïtør.",
"dropIntoEditor.showDropSelector.never": "Ñëvër shøw thë ðrøp sëlëçtør wïðgët. Ïñstëæð thë ðëfæµlt ðrøp prøvïðër ïs ælwæÿs µsëð.",
"editor.autoClosingBrackets.beforeWhitespace": "Ƶtøçløsë þræçkëts øñlÿ whëñ thë çµrsør ïs tø thë lëft øf whïtëspæçë.",
"editor.autoClosingBrackets.languageDefined": "Üsë læñgµægë çøñfïgµrætïøñs tø ðëtërmïñë whëñ tø æµtøçløsë þræçkëts.",
"editor.autoClosingDelete.auto": "Rëmøvë æðjæçëñt çløsïñg qµøtës ør þræçkëts øñlÿ ïf thëÿ wërë æµtømætïçællÿ ïñsërtëð.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Ïñlæÿ hïñts ærë hïððëñ þÿ ðëfæµlt æñð shøw whëñ hølðïñg {0}",
"editor.inlayHints.on": "Ïñlæÿ hïñts ærë ëñæþlëð",
"editor.inlayHints.onUnlessPressed": "Ïñlæÿ hïñts ærë shøwïñg þÿ ðëfæµlt æñð hïðë whëñ hølðïñg {0}",
"editor.stickyScroll": "§høws thë ñëstëð çµrrëñt sçøpës ðµrïñg thë sçrøll æt thë tøp øf thë ëðïtør.",
"editor.stickyScroll.": "Ðëfïñës thë mæxïmµm ñµmþër øf stïçkÿ lïñës tø shøw.",
"editor.stickyScroll.defaultModel": "Ðëfïñës thë møðël tø µsë før ðëtërmïñïñg whïçh lïñës tø stïçk. Ïf thë øµtlïñë møðël ðøës ñøt ëxïst, ït wïll fæll þæçk øñ thë følðïñg prøvïðër møðël whïçh fælls þæçk øñ thë ïñðëñtætïøñ møðël. Thïs ørðër ïs rëspëçtëð ïñ æll thrëë çæsës.",
"editor.stickyScroll.enabled": "§høws thë ñëstëð çµrrëñt sçøpës ðµrïñg thë sçrøll æt thë tøp øf thë ëðïtør.",
"editor.stickyScroll.maxLineCount": "Ðëfïñës thë mæxïmµm ñµmþër øf stïçkÿ lïñës tø shøw.",
"editor.suggest.matchOnWordStartOnly": "Whëñ ëñæþlëð Ïñtëllï§ëñsë fïltërïñg rëqµïrës thæt thë fïrst çhæræçtër mætçhës øñ æ wørð stært. Før ëxæmplë, `ç` øñ `Çøñsølë` ør `WëþÇøñtëxt` þµt _ñøt_ øñ `ðësçrïptïøñ`. Whëñ ðïsæþlëð Ïñtëllï§ëñsë wïll shøw mørë rësµlts þµt stïll sørts thëm þÿ mætçh qµælïtÿ.",
"editor.suggest.showClasss": "Whëñ ëñæþlëð Ïñtëllï§ëñsë shøws `çlæss`-sµggëstïøñs.",
"editor.suggest.showColors": "Whëñ ëñæþlëð Ïñtëllï§ëñsë shøws `çølør`-sµggëstïøñs.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Çøñtrøls whëñ tø shøw thë ïñlïñë sµggëstïøñ tøølþær.",
"inlineSuggest.showToolbar.always": "§høw thë ïñlïñë sµggëstïøñ tøølþær whëñëvër æñ ïñlïñë sµggëstïøñ ïs shøwñ.",
"inlineSuggest.showToolbar.onHover": "§høw thë ïñlïñë sµggëstïøñ tøølþær whëñ høvërïñg øvër æñ ïñlïñë sµggëstïøñ.",
"inlineSuggest.suppressSuggestions": "Çøñtrøls høw ïñlïñë sµggëstïøñs ïñtëræçt wïth thë sµggëst wïðgët. Ïf ëñæþlëð, thë sµggëst wïðgët ïs ñøt shøwñ æµtømætïçællÿ whëñ ïñlïñë sµggëstïøñs ærë ævæïlæþlë.",
"letterSpacing": "Çøñtrøls thë lëttër spæçïñg ïñ pïxëls.",
"lineHeight": "Çøñtrøls thë lïñë hëïght. \r\n - Üsë 0 tø æµtømætïçællÿ çømpµtë thë lïñë hëïght frøm thë føñt sïzë.\r\n - Vælµës þëtwëëñ 0 æñð 8 wïll þë µsëð æs æ mµltïplïër wïth thë føñt sïzë.\r\n - Vælµës grëætër thæñ ør ëqµæl tø 8 wïll þë µsëð æs ëffëçtïvë vælµës.",
"lineNumbers": "Çøñtrøls thë ðïsplæÿ øf lïñë ñµmþërs.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Çøñtrøls thë æmøµñt øf spæçë þëtwëëñ thë tøp ëðgë øf thë ëðïtør æñð thë fïrst lïñë.",
"parameterHints.cycle": "Çøñtrøls whëthër thë pæræmëtër hïñts mëñµ çÿçlës ør çløsës whëñ rëæçhïñg thë ëñð øf thë lïst.",
"parameterHints.enabled": "Ëñæþlës æ pøp-µp thæt shøws pæræmëtër ðøçµmëñtætïøñ æñð tÿpë ïñførmætïøñ æs ÿøµ tÿpë.",
"pasteAs.enabled": "Çøñtrøls whëthër ÿøµ çæñ pæstë çøñtëñt ïñ ðïffërëñt wæÿs.",
"pasteAs.showPasteSelector": "Çøñtrøls ïf æ wïðgët ïs shøwñ whëñ pæstïñg çøñtëñt ïñ tø thë ëðïtør. Thïs wïðgët lëts ÿøµ çøñtrøl høw thë fïlë ïs pæstëð.",
"pasteAs.showPasteSelector.afterPaste": "§høw thë pæstë sëlëçtør wïðgët æftër çøñtëñt ïs pæstëð ïñtø thë ëðïtør.",
"pasteAs.showPasteSelector.never": "Ñëvër shøw thë pæstë sëlëçtør wïðgët. Ïñstëæð thë ðëfæµlt pæstïñg þëhævïør ïs ælwæÿs µsëð.",
"peekWidgetDefaultFocus": "Çøñtrøls whëthër tø føçµs thë ïñlïñë ëðïtør ør thë trëë ïñ thë pëëk wïðgët.",
"peekWidgetDefaultFocus.editor": "Føçµs thë ëðïtør whëñ øpëñïñg pëëk",
"peekWidgetDefaultFocus.tree": "Føçµs thë trëë whëñ øpëñïñg pëëk",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Rëñðër vërtïçæl rµlërs æftër æ çërtæïñ ñµmþër øf møñøspæçë çhæræçtërs. Üsë mµltïplë vælµës før mµltïplë rµlërs. Ñø rµlërs ærë ðræwñ ïf ærræÿ ïs ëmptÿ.",
"rulers.color": "Çølør øf thïs ëðïtør rµlër.",
"rulers.size": "ѵmþër øf møñøspæçë çhæræçtërs æt whïçh thïs ëðïtør rµlër wïll rëñðër.",
"screenReaderAnnounceInlineSuggestion": "Çøñtrøl whëthër ïñlïñë sµggëstïøñs ærë æññøµñçëð þÿ æ sçrëëñ rëæðër. Ñøtë thæt thïs ðøës ñøt wørk øñ mæçا wïth VøïçëØvër.",
"scrollBeyondLastColumn": "Çøñtrøls thë ñµmþër øf ëxtræ çhæræçtërs þëÿøñð whïçh thë ëðïtør wïll sçrøll hørïzøñtællÿ.",
"scrollBeyondLastLine": "Çøñtrøls whëthër thë ëðïtør wïll sçrøll þëÿøñð thë læst lïñë.",
"scrollPredominantAxis": "§çrøll øñlÿ æløñg thë prëðømïñæñt æxïs whëñ sçrøllïñg þøth vërtïçællÿ æñð hørïzøñtællÿ æt thë sæmë tïmë. Prëvëñts hørïzøñtæl ðrïft whëñ sçrøllïñg vërtïçællÿ øñ æ træçkpæð.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Çøñtrøls whëthër tø shøw ør hïðë ïçøñs ïñ sµggëstïøñs.",
"suggest.showInlineDetails": "Çøñtrøls whëthër sµggëst ðëtæïls shøw ïñlïñë wïth thë læþël ør øñlÿ ïñ thë ðëtæïls wïðgët.",
"suggest.showStatusBar": "Çøñtrøls thë vïsïþïlïtÿ øf thë stætµs þær æt thë þøttøm øf thë sµggëst wïðgët.",
"suggest.snippetsPreventQuickSuggestions": "Çøñtrøls whëthër æñ æçtïvë sñïppët prëvëñts qµïçk sµggëstïøñs.",
"suggestFontSize": "Føñt sïzë før thë sµggëst wïðgët. Whëñ sët tø {0}, thë vælµë øf {1} ïs µsëð.",
"suggestLineHeight": "£ïñë hëïght før thë sµggëst wïðgët. Whëñ sët tø {0}, thë vælµë øf {1} ïs µsëð. Thë mïñïmµm vælµë ïs 8.",
"suggestOnTriggerCharacters": "Çøñtrøls whëthër sµggëstïøñs shøµlð æµtømætïçællÿ shøw µp whëñ tÿpïñg trïggër çhæræçtërs.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Whëthër thë ëðïtør hæs tëxt sëlëçtëð",
"editorHasSignatureHelpProvider": "Whëthër thë ëðïtør hæs æ sïgñætµrë hëlp prøvïðër",
"editorHasTypeDefinitionProvider": "Whëthër thë ëðïtør hæs æ tÿpë ðëfïñïtïøñ prøvïðër",
"editorHoverFocused": "Whëthër thë ëðïtør høvër ïs føçµsëð",
"editorHoverVisible": "Whëthër thë ëðïtør høvër ïs vïsïþlë",
"editorLangId": "Thë læñgµægë ïðëñtïfïër øf thë ëðïtør",
"editorReadonly": "Whëthër thë ëðïtør ïs rëæð øñlÿ",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Whëthër thë ëðïtør tëxt hæs føçµs (çµrsør ïs þlïñkïñg)",
"inCompositeEditor": "Whëthër thë ëðïtør ïs pært øf æ lærgër ëðïtør (ë.g. ñøtëþøøks)",
"inDiffEditor": "Whëthër thë çøñtëxt ïs æ ðïff ëðïtør",
"isEmbeddedDiffEditor": "Whëthër thë çøñtëxt ïs æñ ëmþëððëð ðïff ëðïtør",
"standaloneColorPickerFocused": "Whëthër thë stæñðæløñë çølør pïçkër ïs føçµsëð",
"standaloneColorPickerVisible": "Whëthër thë stæñðæløñë çølør pïçkër ïs vïsïþlë",
"stickyScrollFocused": "Whëthër thë stïçkÿ sçrøll ïs føçµsëð",
"stickyScrollVisible": "Whëthër thë stïçkÿ sçrøll ïs vïsïþlë",
"textInputFocus": "Whëthër æñ ëðïtør ør æ rïçh tëxt ïñpµt hæs føçµs (çµrsør ïs þlïñkïñg)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Prëss Ælt+F1 før Æççëssïþïlïtÿ Øptïøñs.",
"accessibilityHelpTitle": "Æççëssïþïlïtÿ Hëlp",
"auto_off": "Thë ëðïtør ïs çøñfïgµrëð tø ñëvër þë øptïmïzëð før µsægë wïth æ §çrëëñ Rëæðër, whïçh ïs ñøt thë çæsë æt thïs tïmë.",
"auto_on": "Thë ëðïtør ïs çøñfïgµrëð tø þë øptïmïzëð før µsægë wïth æ §çrëëñ Rëæðër.",
"bulkEditServiceSummary": "Mæðë {0} ëðïts ïñ {1} fïlës",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Gø tø &&ßræçkët",
"overviewRulerBracketMatchForeground": "Øvërvïëw rµlër mærkër çølør før mætçhïñg þræçkëts.",
"smartSelect.jumpBracket": "Gø tø ßræçkët",
"smartSelect.removeBrackets": "Rëmøvë ßræçkëts",
"smartSelect.selectToBracket": "§ëlëçt tø ßræçkët"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Ørgæñïzë Ïmpørts",
"quickfix.trigger.label": "Qµïçk Fïx...",
"refactor.label": "Rëfæçtør...",
"refactor.preview.label": "Rëfæçtør wïth Prëvïëw...",
"source.label": "§øµrçë Æçtïøñ..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Ëñæþlë/ðïsæþlë shøwïñg grøµp hëæðërs ïñ thë Çøðë Æçtïøñ mëñµ."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Hïðë Ðïsæþlëð",
"showMoreActions": "§høw Ðïsæþlëð"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Rëwrïtë...",
"codeAction.widget.id.extract": "Ëxtræçt...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "§øµrçë Æçtïøñ...",
"codeAction.widget.id.surround": "§µrrøµñð Wïth..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Hïðë Ðïsæþlëð",
"showMoreActions": "§høw Ðïsæþlëð"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "§høw Çøðë Æçtïøñs",
"codeActionWithKb": "§høw Çøðë Æçtïøñs ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "§høw Çøðë£ëñs Çømmæñðs Før ǵrrëñt £ïñë"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Çlïçk tø tøgglë çølør øptïøñs (rgþ/hsl/hëx)"
"clickToToggleColorOptions": "Çlïçk tø tøgglë çølør øptïøñs (rgþ/hsl/hëx)",
"closeIcon": "Ïçøñ tø çløsë thë çølør pïçkër"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Hïðë thë Çølør Pïçkër",
"insertColorWithStandaloneColorPicker": "Ïñsërt Çølør wïth §tæñðæløñë Çølør Pïçkër",
"mishowOrFocusStandaloneColorPicker": "&&§høw ør Føçµs §tæñðæløñë Çølør Pïçkër",
"showOrFocusStandaloneColorPicker": "§høw ør Føçµs §tæñðæløñë Çølør Pïçkër"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Tøgglë ßløçk Çømmëñt",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Ælwæÿs",
"context.minimap.slider.mouseover": "Møµsë Øvër"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Ëñæþlë/ðïsæþlë rµññïñg ëðïts frøm ëxtëñsïøñs øñ pæstë."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Rµññïñg pæstë hæñðlërs..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "ǵrsør Rëðø",
"cursor.undo": "ǵrsør Üñðø"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Rµññïñg ðrøp hæñðlërs..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Whëthër thë ëðïtør rµñs æ çæñçëllæþlë øpërætïøñ, ë.g. lïkë 'Pëëk Rëfërëñçës'"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Gø tø Mætçh...",
"findMatchAction.inputPlaceHolder": "Tÿpë æ ñµmþër tø gø tø æ spëçïfïç mætçh (þëtwëëñ 1 æñð {0})",
"findMatchAction.inputValidationMessage": "Plëæsë tÿpë æ ñµmþër þëtwëëñ 1 æñð {0}",
"findMatchAction.noResults": "Ñø mætçhës. Trÿ sëærçhïñg før sømëthïñg ëlsë.",
"findNextMatchAction": "Fïñð Ñëxt",
"findPreviousMatchAction": "Fïñð Prëvïøµs",
"miFind": "&&Fïñð",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 sÿmþøl ïñ {0}, fµll pæth {1}",
"aria.fileReferences.N": "{0} sÿmþøls ïñ {1}, fµll pæth {2}",
"aria.oneReference": "sÿmþøl ïñ {0} øñ lïñë {1} æt çølµmñ {2}",
"aria.oneReference.preview": "sÿmþøl ïñ {0} øñ lïñë {1} æt çølµmñ {2}, {3}",
"aria.oneReference": "ïñ {0} øñ lïñë {1} æt çølµmñ {2}",
"aria.oneReference.preview": "{0} ïñ {1} øñ lïñë {2} æt çølµmñ {3}",
"aria.result.0": "Ñø rësµlts føµñð",
"aria.result.1": "Føµñð 1 sÿmþøl ïñ {0}",
"aria.result.n1": "Føµñð {0} sÿmþøls ïñ {1}",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "§ÿmþøl {0} øf {1}, {2} før ñëxt"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Ësçæpë Føçµs Høvër",
"goToBottomHover": "Gø Tø ßøttøm Høvër",
"goToTopHover": "Gø Tø Tøp Høvër",
"pageDownHover": "Pægë Ðøwñ Høvër",
"pageUpHover": "Pægë Üp Høvër",
"scrollDownHover": "§çrøll Ðøwñ Høvër",
"scrollLeftHover": "§çrøll £ëft Høvër",
"scrollRightHover": "§çrøll Rïght Høvër",
"scrollUpHover": "§çrøll Üp Høvër",
"showDefinitionPreviewHover": "§høw Ðëfïñïtïøñ Prëvïëw Høvër",
"showHover": "§høw Høvër"
"showOrFocusHover": "§høw ør Føçµs Høvër"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "£øæðïñg...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "çtrl + çlïçk",
"links.navigate.kb.meta.mac": "çmð + çlïçk"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Æççëpt",
"acceptLine": "Æççëpt £ïñë",
"acceptWord": "Æççëpt Wørð",
"action.inlineSuggest.accept": "Æççëpt Ïñlïñë §µggëstïøñ",
"action.inlineSuggest.acceptNextLine": "Æççëpt Ñëxt £ïñë Øf Ïñlïñë §µggëstïøñ",
"action.inlineSuggest.acceptNextWord": "Æççëpt Ñëxt Wørð Øf Ïñlïñë §µggëstïøñ",
"action.inlineSuggest.alwaysShowToolbar": "Ælwæÿs §høw Tøølþær",
"action.inlineSuggest.hide": "Hïðë Ïñlïñë §µggëstïøñ",
"action.inlineSuggest.showNext": "§høw Ñëxt Ïñlïñë §µggëstïøñ",
"action.inlineSuggest.showPrevious": "§høw Prëvïøµs Ïñlïñë §µggëstïøñ",
"action.inlineSuggest.trigger": "Trïggër Ïñlïñë §µggëstïøñ",
"action.inlineSuggest.undo": "Üñðø Æççëpt Wørð",
"action.inlineSuggest.trigger": "Trïggër Ïñlïñë §µggëstïøñ"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "§µggëstïøñ:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Whëthër thë ïñlïñë sµggëstïøñ tøølþær shøµlð ælwæÿs þë vïsïþlë",
"canUndoInlineSuggestion": "Whëthër µñðø wøµlð µñðø æñ ïñlïñë sµggëstïøñ",
"inlineSuggestionHasIndentation": "Whëthër thë ïñlïñë sµggëstïøñ stærts wïth whïtëspæçë",
"inlineSuggestionHasIndentationLessThanTabSize": "Whëthër thë ïñlïñë sµggëstïøñ stærts wïth whïtëspæçë thæt ïs lëss thæñ whæt wøµlð þë ïñsërtëð þÿ tæþ",
"inlineSuggestionVisible": "Whëthër æñ ïñlïñë sµggëstïøñ ïs vïsïþlë",
"undoAcceptWord": "Üñðø Æççëpt Wørð"
"suppressSuggestions": "Whëthër sµggëstïøñs shøµlð þë sµpprëssëð før thë çµrrëñt sµggëstïøñ"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "§µggëstïøñ:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Ñëxt",
"parameterHintsNextIcon": "Ïçøñ før shøw ñëxt pæræmëtër hïñt.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Wëð"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Føçµs §tïçkÿ §çrøll",
"goToFocusedStickyScrollLine.title": "Gø tø føçµsëð stïçkÿ sçrøll lïñë",
"miStickyScroll": "&&§tïçkÿ §çrøll",
"mifocusStickyScroll": "&&Føçµs §tïçkÿ §çrøll",
"mitoggleStickyScroll": "&&Tøgglë §tïçkÿ §çrøll",
"selectEditor.title": "§ëlëçt Ëðïtør",
"selectNextStickyScrollLine.title": "§ëlëçt ñëxt stïçkÿ sçrøll lïñë",
"selectPreviousStickyScrollLine.title": "§ëlëçt prëvïøµs stïçkÿ sçrøll lïñë",
"stickyScroll": "§tïçkÿ §çrøll",
"toggleStickyScroll": "Tøgglë §tïçkÿ §çrøll"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Æðjµst sëttïñgs",
"unicodeHighlight.allowCommonCharactersInLanguage": "Ælløw µñïçøðë çhæræçtërs thæt ærë mørë çømmøñ ïñ thë læñgµægë \"{0}\".",
"unicodeHighlight.characterIsAmbiguous": "Thë çhæræçtër {0} çøµlð þë çøñfµsëð wïth thë çhæræçtër {1}, whïçh ïs mørë çømmøñ ïñ søµrçë çøðë.",
"unicodeHighlight.characterIsAmbiguousASCII": "Thë çhæræçtër {0} çøµlð þë çøñfµsëð wïth thë ƧÇÏÏ çhæræçtër {1}, whïçh ïs mørë çømmøñ ïñ søµrçë çøðë.",
"unicodeHighlight.characterIsInvisible": "Thë çhæræçtër {0} ïs ïñvïsïþlë.",
"unicodeHighlight.characterIsNonBasicAscii": "Thë çhæræçtër {0} ïs ñøt æ þæsïç ƧÇÏÏ çhæræçtër.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Çøñfïgµrë Üñïçøðë Hïghlïght Øptïøñs",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Ðëvëløpër",
"file": "Fïlë",
"help": "Hëlp",
"preferences": "Prëfërëñçës",
"test": "Tëst",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Æ çømmæñð thæt rëtµrñs ïñførmætïøñ æþøµt çøñtëxt këÿs"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "çløsïñg pærëñthësïs ')'",
"contextkey.parser.error.emptyString": "Ëmptÿ çøñtëxt këÿ ëxprëssïøñ",
"contextkey.parser.error.emptyString.hint": "Ðïð ÿøµ førgët tø wrïtë æñ ëxprëssïøñ? Ýøµ çæñ ælsø pµt 'fælsë' ør 'trµë' tø ælwæÿs ëvælµætë tø fælsë ør trµë, rëspëçtïvëlÿ.",
"contextkey.parser.error.expectedButGot": "Ëxpëçtëð: {0}\r\nRëçëïvëð: '{1}'.",
"contextkey.parser.error.noInAfterNot": "'ïñ' æftër 'ñøt'.",
"contextkey.parser.error.unexpectedEOF": "Üñëxpëçtëð ëñð øf ëxprëssïøñ",
"contextkey.parser.error.unexpectedEOF.hint": "Ðïð ÿøµ førgët tø pµt æ çøñtëxt këÿ?",
"contextkey.parser.error.unexpectedToken": "Üñëxpëçtëð tøkëñ",
"contextkey.parser.error.unexpectedToken.hint": "Ðïð ÿøµ førgët tø pµt && ør || þëførë thë tøkëñ?",
"contextkey.scanner.errorForLinter": "Üñëxpëçtëð tøkëñ.",
"contextkey.scanner.errorForLinterWithHint": "Üñëxpëçtëð tøkëñ. Hïñt: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Whëthër këÿþøærð føçµs ïs ïñsïðë æñ ïñpµt þøx",
"isIOS": "Whëthër thë øpërætïñg sÿstëm ïs ïا",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Whëthër thë øpërætïñg sÿstëm ïs Wïñðøws",
"productQualityType": "Qµælïtÿ tÿpë øf V§ Çøðë"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Ðïð ÿøµ førgët tø ësçæpë thë '/' (slæsh) çhæræçtër? Pµt twø þæçkslæshës þëførë ït tø ësçæpë, ë.g., '\\\\/'.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Ðïð ÿøµ førgët tø øpëñ ør çløsë thë qµøtë?",
"contextkey.scanner.hint.didYouMean1": "Ðïð ÿøµ mëæñ {0}?",
"contextkey.scanner.hint.didYouMean2": "Ðïð ÿøµ mëæñ {0} ør {1}?",
"contextkey.scanner.hint.didYouMean3": "Ðïð ÿøµ mëæñ {0}, {1} ør {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Çæñçël",
"moreFile": "...1 æððïtïøñæl fïlë ñøt shøwñ",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0}) wæs prëssëð. Wæïtïñg før sëçøñð këÿ øf çhørð...",
"missing.chord": "Thë këÿ çømþïñætïøñ ({0}, {1}) ïs ñøt æ çømmæñð."
"missing.chord": "Thë këÿ çømþïñætïøñ ({0}, {1}) ïs ñøt æ çømmæñð.",
"next.chord": "({0}) wæs prëssëð. Wæïtïñg før ñëxt këÿ øf çhørð..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "§çrøllïñg spëëð mµltïplïër whëñ prëssïñg `Ælt`.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "ßørðër çølør øf ëðïtør wïðgëts. Thë çølør ïs øñlÿ µsëð ïf thë wïðgët çhøøsës tø hævë æ þørðër æñð ïf thë çølør ïs ñøt øvërrïððëñ þÿ æ wïðgët.",
"editorWidgetForeground": "Førëgrøµñð çølør øf ëðïtør wïðgëts, sµçh æs fïñð/rëplæçë.",
"editorWidgetResizeBorder": "ßørðër çølør øf thë rësïzë þær øf ëðïtør wïðgëts. Thë çølør ïs øñlÿ µsëð ïf thë wïðgët çhøøsës tø hævë æ rësïzë þørðër æñð ïf thë çølør ïs ñøt øvërrïððëñ þÿ æ wïðgët.",
"errorBorder": "ßørðër çølør øf ërrør þøxës ïñ thë ëðïtør.",
"errorBorder": "Ïf sët, çølør øf ðøµþlë µñðërlïñës før ërrørs ïñ thë ëðïtør.",
"errorForeground": "Øvëræll førëgrøµñð çølør før ërrør mëssægës. Thïs çølør ïs øñlÿ µsëð ïf ñøt øvërrïððëñ þÿ æ çømpøñëñt.",
"findMatchHighlight": "Çølør øf thë øthër sëærçh mætçhës. Thë çølør mµst ñøt þë øpæqµë sø æs ñøt tø hïðë µñðërlÿïñg ðëçørætïøñs.",
"findMatchHighlightBorder": "ßørðër çølør øf thë øthër sëærçh mætçhës.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Øvëræll þørðër çølør før føçµsëð ëlëmëñts. Thïs çølør ïs øñlÿ µsëð ïf ñøt øvërrïððëñ þÿ æ çømpøñëñt.",
"foreground": "Øvëræll førëgrøµñð çølør. Thïs çølør ïs øñlÿ µsëð ïf ñøt øvërrïððëñ þÿ æ çømpøñëñt.",
"highlight": "£ïst/Trëë førëgrøµñð çølør øf thë mætçh hïghlïghts whëñ sëærçhïñg ïñsïðë thë lïst/trëë.",
"hintBorder": "ßørðër çølør øf hïñt þøxës ïñ thë ëðïtør.",
"hintBorder": "Ïf sët, çølør øf ðøµþlë µñðërlïñës før hïñts ïñ thë ëðïtør.",
"hoverBackground": "ßæçkgrøµñð çølør øf thë ëðïtør høvër.",
"hoverBorder": "ßørðër çølør øf thë ëðïtør høvër.",
"hoverForeground": "Førëgrøµñð çølør øf thë ëðïtør høvër.",
"hoverHighlight": "Hïghlïght þëløw thë wørð før whïçh æ høvër ïs shøwñ. Thë çølør mµst ñøt þë øpæqµë sø æs ñøt tø hïðë µñðërlÿïñg ðëçørætïøñs.",
"iconForeground": "Thë ðëfæµlt çølør før ïçøñs ïñ thë wørkþëñçh.",
"infoBorder": "ßørðër çølør øf ïñfø þøxës ïñ thë ëðïtør.",
"infoBorder": "Ïf sët, çølør øf ðøµþlë µñðërlïñës før ïñføs ïñ thë ëðïtør.",
"inputBoxActiveOptionBorder": "ßørðër çølør øf æçtïvætëð øptïøñs ïñ ïñpµt fïëlðs.",
"inputBoxBackground": "Ïñpµt þøx þæçkgrøµñð.",
"inputBoxBorder": "Ïñpµt þøx þørðër.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "ßæçkgrøµñð çølør øf thë tÿpë fïltër wïðgët ïñ lïsts æñð trëës.",
"listFilterWidgetNoMatchesOutline": "صtlïñë çølør øf thë tÿpë fïltër wïðgët ïñ lïsts æñð trëës, whëñ thërë ærë ñø mætçhës.",
"listFilterWidgetOutline": "صtlïñë çølør øf thë tÿpë fïltër wïðgët ïñ lïsts æñð trëës.",
"listFilterWidgetShadow": "§hæðøwñ çølør øf thë tÿpë fïltër wïðgët ïñ lïsts æñð trëës.",
"listFilterWidgetShadow": "§hæðøw çølør øf thë tÿpë fïltër wïðgët ïñ lïsts æñð trëës.",
"listFocusAndSelectionOutline": "£ïst/Trëë øµtlïñë çølør før thë føçµsëð ïtëm whëñ thë lïst/trëë ïs æçtïvë æñð sëlëçtëð. Æñ æçtïvë lïst/trëë hæs këÿþøærð føçµs, æñ ïñæçtïvë ðøës ñøt.",
"listFocusBackground": "£ïst/Trëë þæçkgrøµñð çølør før thë føçµsëð ïtëm whëñ thë lïst/trëë ïs æçtïvë. Æñ æçtïvë lïst/trëë hæs këÿþøærð føçµs, æñ ïñæçtïvë ðøës ñøt.",
"listFocusForeground": "£ïst/Trëë førëgrøµñð çølør før thë føçµsëð ïtëm whëñ thë lïst/trëë ïs æçtïvë. Æñ æçtïvë lïst/trëë hæs këÿþøærð føçµs, æñ ïñæçtïvë ðøës ñøt.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "§çrøllþær slïðër þæçkgrøµñð çølør whëñ çlïçkëð øñ.",
"scrollbarSliderBackground": "§çrøllþær slïðër þæçkgrøµñð çølør.",
"scrollbarSliderHoverBackground": "§çrøllþær slïðër þæçkgrøµñð çølør whëñ høvërïñg.",
"search.resultsInfoForeground": "Çølør øf thë tëxt ïñ thë sëærçh vïëwlët's çømplëtïøñ mëssægë.",
"searchEditor.editorFindMatchBorder": "ßørðër çølør øf thë §ëærçh Ëðïtør qµërÿ mætçhës.",
"searchEditor.queryMatch": "Çølør øf thë §ëærçh Ëðïtør qµërÿ mætçhës.",
"selectionBackground": "Thë þæçkgrøµñð çølør øf tëxt sëlëçtïøñs ïñ thë wørkþëñçh (ë.g. før ïñpµt fïëlðs ør tëxt ærëæs). Ñøtë thæt thïs ðøës ñøt æpplÿ tø sëlëçtïøñs wïthïñ thë ëðïtør.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Tøølþær øµtlïñë whëñ høvërïñg øvër æçtïøñs µsïñg thë møµsë",
"treeInactiveIndentGuidesStroke": "Trëë strøkë çølør før thë ïñðëñtætïøñ gµïðës thæt ærë ñøt æçtïvë.",
"treeIndentGuidesStroke": "Trëë strøkë çølør før thë ïñðëñtætïøñ gµïðës.",
"warningBorder": "ßørðër çølør øf wærñïñg þøxës ïñ thë ëðïtør.",
"warningBorder": "Ïf sët, çølør øf ðøµþlë µñðërlïñës før wærñïñgs ïñ thë ëðïtør.",
"widgetBorder": "ßørðër çølør øf wïðgëts sµçh æs fïñð/rëplæçë ïñsïðë thë ëðïtør.",
"widgetShadow": "§hæðøw çølør øf wïðgëts sµçh æs fïñð/rëplæçë ïñsïðë thë ëðïtør."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Ошибка: {0}",
"alertInfoMessage": "Информация: {0}",
"alertWarningMessage": "Предупреждение: {0}",
"clearedInput": "Очищенные входные данные",
"history.inputbox.hint": "для журнала"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " используйте SHIFT + F7 для навигации по изменениям",
"diff.tooLarge": "Нельзя сравнить файлы, потому что один из файлов слишком большой.",
"diffInsertIcon": "Оформление строки для вставок в редакторе несовпадений.",
"diffRemoveIcon": "Оформление строки для удалений в редакторе несовпадений."
"diffRemoveIcon": "Оформление строки для удалений в редакторе несовпадений.",
"revertChangeHoverMessage": "Выберите, чтобы отменить изменение"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "пустой",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Определяет, отображается ли CodeLens в редакторе.",
"detectIndentation": "На основе содержимого файла определяет, будут ли {0} и {1} автоматически обнаружены при открытии файла.",
"diffAlgorithm.experimental": "Использует экспериментальный алгоритм сравнения.",
"diffAlgorithm.smart": "Использует алгоритм сравнения по умолчанию.",
"diffAlgorithm.advanced": "Использует расширенный алгоритм сравнения.",
"diffAlgorithm.legacy": "Использует устаревший алгоритм сравнения.",
"editor.experimental.asyncTokenization": "Определяет, должна ли разметка происходить асинхронно в рабочей роли.",
"editor.experimental.asyncTokenizationLogging": "Определяет, следует ли регистрировать асинхронную разметку. Только для отладки.",
"editor.experimental.asyncTokenizationVerification": "Определяет, должна ли асинхронная разметка проверяться по отношению к устаревшей фоновой разметке. Может замедлить разметку. Только для отладки.",
"editorConfigurationTitle": "Редактор",
"ignoreTrimWhitespace": "Когда параметр включен, редактор несовпадений игнорирует изменения начального или конечного пробела.",
"indentSize": "Число пробелов, используемых для отступа, либо `\"tabSize\"` для использования значения из \"#editor.tabSize#\". Этот параметр переопределяется на основе содержимого файла, если включен параметр \"#editor.detectIndentation#\".",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "\"cursorSurroundingLines\" принудительно применяется во всех случаях.",
"cursorSurroundingLinesStyle.default": "\"cursorSurroundingLines\" применяется только при запуске с помощью клавиатуры или API.",
"cursorWidth": "Управляет шириной курсора, когда для параметра \"#editor.cursorStyle#\" установлено значение 'line'",
"defaultColorDecorators": "Определяет, должны ли отображаться встроенные цветовые оформления с использованием поставщика цвета документа по умолчанию.",
"definitionLinkOpensInPeek": "Определяет, всегда ли жест мышью для перехода к определению открывает мини-приложение быстрого редактирования.",
"deprecated": "Этот параметр устарел. Используйте вместо него отдельные параметры, например, 'editor.suggest.showKeywords' или 'editor.suggest.showSnippets'.",
"dragAndDrop": "Определяет, следует ли редактору разрешить перемещение выделенных элементов с помощью перетаскивания.",
"dropIntoEditor.enabled": "Определяет, можно ли перетаскивать файл в редактор, удерживая нажатой клавишу SHIFT (вместо открытия файла в самом редакторе).",
"dropIntoEditor.showDropSelector": "Определяет, отображается ли мини-приложение при сбросе файлов в редактор. Это мини-приложение позволяет управлять тем, как сбрасывается файл.",
"dropIntoEditor.showDropSelector.afterDrop": "Отображать мини-приложение выбора сброса после сброса файла в редактор.",
"dropIntoEditor.showDropSelector.never": "Никогда не показывать мини-приложение выбора сброса. Вместо этого всегда используется поставщик сброса по умолчанию.",
"editor.autoClosingBrackets.beforeWhitespace": "Автоматически закрывать скобки только в том случае, если курсор находится слева от пробела.",
"editor.autoClosingBrackets.languageDefined": "Использовать конфигурации языка для автоматического закрытия скобок.",
"editor.autoClosingDelete.auto": "Удалять соседние закрывающие кавычки и квадратные скобки только в том случае, если они были вставлены автоматически.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Вложенные подсказки по умолчанию скрыты и отображаются при удержании {0}.",
"editor.inlayHints.on": "Вложенные подсказки включены.",
"editor.inlayHints.onUnlessPressed": "Вложенные подсказки отображаются по умолчанию и скрываются удержанием клавиш {0}.",
"editor.stickyScroll": "Отображает вложенные текущие области во время прокрутки в верхней части редактора.",
"editor.stickyScroll.": "Определяет максимальное число залипающих линий для отображения.",
"editor.stickyScroll.defaultModel": "Определяет модель, используемую для определения строк залипания. Если модель структуры не существует, она откатится к модели поставщика свертывания, которая откатывается к модели отступов. Этот порядок соблюдается во всех трех случаях.",
"editor.stickyScroll.enabled": "Отображает вложенные текущие области во время прокрутки в верхней части редактора.",
"editor.stickyScroll.maxLineCount": "Определяет максимальное число залипающих линий для отображения.",
"editor.suggest.matchOnWordStartOnly": "При включении фильтрации IntelliSense необходимо, чтобы первый символ совпадал в начале слова, например \"c\" в \"Console\" или \"WebContext\", но _не_ в \"description\". Если параметр отключен, IntelliSense отображает больше результатов, но по-прежнему сортирует их по качеству соответствия.",
"editor.suggest.showClasss": "Когда параметр включен, в IntelliSense отображаются предложения \"class\".",
"editor.suggest.showColors": "Когда параметр включен, в IntelliSense отображаются предложения \"color\".",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Определяет, когда отображать встроенную панель инструментов предложений.",
"inlineSuggest.showToolbar.always": "Отображать панель инструментов встроенного предложения при каждом отображении встроенного предложения.",
"inlineSuggest.showToolbar.onHover": "Отображать панель инструментов предложений при наведении указателя мыши на встроенное предложение.",
"inlineSuggest.suppressSuggestions": "Управляет взаимодействием встроенных предложений с мини-приложением предложений. Если этот параметр включен, мини-приложение предложений не отображается автоматически, когда доступны встроенные предложения.",
"letterSpacing": "Управляет интервалом между буквами в пикселях.",
"lineHeight": "Определяет высоту строки. \r\n Используйте 0, чтобы автоматически вычислить высоту строки на основе размера шрифта.\r\n Значения от 0 до 8 будут использоваться в качестве множителя для размера шрифта.\r\n Значения больше или равные 8 будут использоваться в качестве действующих значений.",
"lineNumbers": "Управляет отображением номеров строк.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Задает пространство между верхним краем редактора и первой строкой.",
"parameterHints.cycle": "Определяет, меню подсказок остается открытым или закроется при достижении конца списка.",
"parameterHints.enabled": "Включает всплывающее окно с документацией по параметру и сведениями о типе, которое отображается во время набора.",
"pasteAs.enabled": "Определяет, можно ли вставлять содержимое различными способами.",
"pasteAs.showPasteSelector": "Определяет, отображается ли мини-приложение при вставке содержимого в редактор. Это мини-приложение позволяет управлять тем, как вставляется файл.",
"pasteAs.showPasteSelector.afterPaste": "Отображать мини-приложение выбора вставки после вставки содержимого в редактор.",
"pasteAs.showPasteSelector.never": "Никогда не показывать мини-приложение выбора вставки. Вместо этого всегда используется действие вставки по умолчанию.",
"peekWidgetDefaultFocus": "Определяет, следует ли переключить фокус на встроенный редактор или дерево в виджете обзора.",
"peekWidgetDefaultFocus.editor": "Фокусировка на редакторе при открытии обзора",
"peekWidgetDefaultFocus.tree": "Фокусировка на дереве при открытии обзора",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Отображать вертикальные линейки после определенного числа моноширинных символов. Для отображения нескольких линеек укажите несколько значений. Если не указано ни одного значения, вертикальные линейки отображаться не будут.",
"rulers.color": "Цвет линейки этого редактора.",
"rulers.size": "Число моноширинных символов, при котором будет отрисовываться линейка этого редактора.",
"screenReaderAnnounceInlineSuggestion": "Управляйте тем, будут ли встроенные предложения объявляться средством чтения с экрана. Обратите внимание, что это не поддерживается в macOS с VoiceOver.",
"scrollBeyondLastColumn": "Управляет количеством дополнительных символов, на которое содержимое редактора будет прокручиваться по горизонтали.",
"scrollBeyondLastLine": "Определяет, будет ли содержимое редактора прокручиваться за последнюю строку.",
"scrollPredominantAxis": "Прокрутка только вдоль основной оси при прокрутке по вертикали и горизонтали одновременно. Предотвращает смещение по горизонтали при прокрутке по вертикали на трекпаде.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Указывает, нужно ли отображать значки в предложениях.",
"suggest.showInlineDetails": "Определяет, отображаются ли сведения о предложении в строке вместе с меткой или только в мини-приложении сведений.",
"suggest.showStatusBar": "Определяет видимость строки состояния в нижней части виджета предложений.",
"suggest.snippetsPreventQuickSuggestions": "Определяет, запрещает ли активный фрагмент кода экспресс-предложения.",
"suggestFontSize": "Размер шрифта для мини-приложения предложений. Если установлено {0}, используется значение {1}.",
"suggestLineHeight": "Высота строки для мини-приложения предложений. Если установлено {0}, используется значение {1}. Минимальное значение — 8.",
"suggestOnTriggerCharacters": "Определяет, должны ли при вводе триггерных символов автоматически отображаться предложения.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Есть ли в редакторе выбранный текст",
"editorHasSignatureHelpProvider": "Есть ли в редакторе поставщик справки по сигнатурам",
"editorHasTypeDefinitionProvider": "Есть ли в редакторе поставщик определений типов",
"editorHoverFocused": "Находится ли в фокусе наведение в редакторе",
"editorHoverVisible": "Является ли наведение в редакторе видимым",
"editorLangId": "Идентификатор языка редактора",
"editorReadonly": "Доступен ли редактор только для чтения",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Находится ли фокус на тексте в редакторе (курсор мигает)",
"inCompositeEditor": "Является ли редактор частью большего редактора (например, записных книжек)",
"inDiffEditor": "Является ли контекст редактором несовпадений",
"isEmbeddedDiffEditor": "Является ли контекст внедренным редактором несовпадений",
"standaloneColorPickerFocused": "Сфокусирована ли автономная палитра цветов",
"standaloneColorPickerVisible": "Видна ли автономная палитра цветов",
"stickyScrollFocused": "Находится ли залипание прокрутки в фокусе",
"stickyScrollVisible": "Отображается ли залипание прокрутки",
"textInputFocus": "Находится ли фокус на редакторе или на поле ввода форматированного текста (курсор мигает)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Нажмите ALT+F1 для доступа к параметрам специальных возможностей.",
"accessibilityHelpTitle": "Справка по специальным возможностям",
"auto_off": "Редактор настроен без оптимизации для использования средства чтения с экрана, что не подходит в данной ситуации.",
"auto_on": "Редактор настроен для оптимальной работы со средством чтения с экрана.",
"bulkEditServiceSummary": "Внесено изменений в файлах ({1}): {0}.",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "Перейти к &&скобке",
"overviewRulerBracketMatchForeground": "Цвет метки линейки в окне просмотра для пар скобок.",
"smartSelect.jumpBracket": "Перейти к скобке",
"smartSelect.removeBrackets": "Удалить скобки",
"smartSelect.selectToBracket": "Выбрать скобку"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "Организация импортов",
"quickfix.trigger.label": "Быстрое исправление...",
"refactor.label": "Рефакторинг...",
"refactor.preview.label": "Рефакторинг с предварительной версией...",
"source.label": "Действие с исходным кодом..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Включить или отключить отображение заголовков групп в меню действий кода."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Скрыть отключенные",
"showMoreActions": "Показать отключенные"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Повторно создать...",
"codeAction.widget.id.extract": "Извлечь...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Действие с исходным кодом...",
"codeAction.widget.id.surround": "Разместить во фрагменте..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Скрыть отключенные",
"showMoreActions": "Показать отключенные"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Показать действия кода",
"codeActionWithKb": "Показать действия кода ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Показать команды CodeLens для текущей строки"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Щелкните, чтобы переключить параметры цвета (RGB/HSL/HEX)"
"clickToToggleColorOptions": "Щелкните, чтобы переключить параметры цвета (RGB/HSL/HEX)",
"closeIcon": "Значок для закрытия палитры"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Скрыть палитру цветов",
"insertColorWithStandaloneColorPicker": "Вставка цвета с помощью автономной палитры цветов",
"mishowOrFocusStandaloneColorPicker": "&&Показать или выделить автономный выбор цвета",
"showOrFocusStandaloneColorPicker": "Показать или выделить автономный выбор цвета"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Закомментировать или раскомментировать блок",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Всегда",
"context.minimap.slider.mouseover": "Наведение указателя мыши"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Включить или отключить текущие изменения из расширений при вставке."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Запуск обработчиков вставки..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "Повтор действия курсора",
"cursor.undo": "Отмена действия курсора"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Запуск обработчиков передачи..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Выполняются ли в редакторе операции, допускающие отмену, например, \"Показать ссылки\""
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Перейти к совпадению...",
"findMatchAction.inputPlaceHolder": "Введите число, чтобы перейти к определенному совпадению (от 1 до {0})",
"findMatchAction.inputValidationMessage": "Введите число от 1 до {0}",
"findMatchAction.noResults": "Нет совпадений. Попробуйте найти что-нибудь другое.",
"findNextMatchAction": "Найти далее",
"findPreviousMatchAction": "Найти ранее",
"miFind": "&&Найти",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 символ в {0}, полный путь: {1}",
"aria.fileReferences.N": "{0} символов в {1}, полный путь: {2} ",
"aria.oneReference": "ссылка в {0} в строке {1} и символе {2}",
"aria.oneReference.preview": "символ в {0} в строке {1} и столбце {2}, {3}",
"aria.oneReference": "в {0} в строке {1} в столбце {2}",
"aria.oneReference.preview": "{0} в {1} в строке {2} в столбце {3}",
"aria.result.0": "Результаты не найдены",
"aria.result.1": "Обнаружен 1 символ в {0}",
"aria.result.n1": "Обнаружено {0} символов в {1}",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Символ {0} из {1}, {2} для следующего"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Выйти из наведения в фокусе",
"goToBottomHover": "Перейти к нижнему наведению",
"goToTopHover": "Перейти к верхнему наведению",
"pageDownHover": "Перейти на страницу вниз в наведении",
"pageUpHover": "Перейти на страницу вверх в наведении",
"scrollDownHover": "Прокрутить наведение вниз",
"scrollLeftHover": "Прокрутить наведение влево",
"scrollRightHover": "Прокрутить наведение вправо",
"scrollUpHover": "Прокрутить наведение вверх",
"showDefinitionPreviewHover": "Отображать предварительный просмотр определения при наведении курсора мыши",
"showHover": "Показать при наведении"
"showOrFocusHover": "Показать наведение или перевести на него фокус"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Загрузка...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "CTRL + щелчок",
"links.navigate.kb.meta.mac": "CMD + щелчок"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Принять",
"acceptLine": "Принять строку",
"acceptWord": "Принять Word",
"action.inlineSuggest.accept": "Принять встроенное предложение",
"action.inlineSuggest.acceptNextLine": "Принять следующую строку встроенного предложения",
"action.inlineSuggest.acceptNextWord": "Принять следующее слово встроенного предложения",
"action.inlineSuggest.alwaysShowToolbar": "Всегда отображать панель инструментов",
"action.inlineSuggest.hide": "Скрыть встроенное предложение",
"action.inlineSuggest.showNext": "Показывать следующее встроенное предложение",
"action.inlineSuggest.showPrevious": "Показать предыдущее встроенное предложение",
"action.inlineSuggest.trigger": "Активировать встроенное предложение",
"action.inlineSuggest.undo": "Отменить принятие слова",
"action.inlineSuggest.trigger": "Активировать встроенное предложение"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Предложение:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Должна ли всегда отображаться встроенная панель инструментов предложений",
"canUndoInlineSuggestion": "Выполняет ли команда \"Отменить\" отмену встроенного предложения",
"inlineSuggestionHasIndentation": "Начинается ли встроенное предложение с пробела",
"inlineSuggestionHasIndentationLessThanTabSize": "Проверяет, не является ли пробел перед встроенной рекомендацией короче, чем текст, вставляемый клавишей TAB",
"inlineSuggestionVisible": "Отображается ли встроенное предложение",
"undoAcceptWord": "Отменить принятие Word"
"suppressSuggestions": "Следует ли подавлять предложения для текущего предложения"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Предложение:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Далее",
"parameterHintsNextIcon": "Значок для отображения подсказки следующего параметра.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Ср"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Фокус на залипании прокрутки",
"goToFocusedStickyScrollLine.title": "Перейти к строке залипания прокрутки, которая находится в фокусе",
"miStickyScroll": "&&&Залипание прокрутки",
"mifocusStickyScroll": "&&Фокус на залипании прокрутки",
"mitoggleStickyScroll": "&&Переключить залипание прокрутки",
"selectEditor.title": "Выберите редактор",
"selectNextStickyScrollLine.title": "Выбрать следующую строку залипания прокрутки",
"selectPreviousStickyScrollLine.title": "Выбрать предыдущую строку залипания прокрутки",
"stickyScroll": "Залипание прокрутки",
"toggleStickyScroll": "Переключить залипание прокрутки"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Настройка параметров",
"unicodeHighlight.allowCommonCharactersInLanguage": "Разрешите символы Юникода, более распространенные в языке \"{0}\".",
"unicodeHighlight.characterIsAmbiguous": "Символ {0} можно спутать с символом {1}, который чаще встречается в исходном коде.",
"unicodeHighlight.characterIsAmbiguousASCII": "Символ {0} можно спутать с символом ASCII {1}, который чаще встречается в исходном коде.",
"unicodeHighlight.characterIsInvisible": "Символ {0} невидим.",
"unicodeHighlight.characterIsNonBasicAscii": "Символ {0} не является базовым символом ASCII.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Настройка параметров выделения Юникода",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Разработчик",
"file": "Файл",
"help": "Справка",
"preferences": "Параметры",
"test": "Тест",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Команда, возвращающая сведения о ключах контекста"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "закрывающая круглая скобка \")\"",
"contextkey.parser.error.emptyString": "Пустое выражение ключа контекста",
"contextkey.parser.error.emptyString.hint": "Вы забыли записать выражение? Вы также можете поместить \"false\" или \"true\", чтобы всегда оценивать по значению false или true соответственно.",
"contextkey.parser.error.expectedButGot": "Ожидается: {0}\r\nПолучено: \"{1}\".",
"contextkey.parser.error.noInAfterNot": "\"in\" после \"not\".",
"contextkey.parser.error.unexpectedEOF": "Неожиданный конец выражения",
"contextkey.parser.error.unexpectedEOF.hint": "Возможно, вы забыли поместить ключ контекста?",
"contextkey.parser.error.unexpectedToken": "Непредвиденный маркер",
"contextkey.parser.error.unexpectedToken.hint": "Возможно, вы забыли поместить && или || перед маркером?",
"contextkey.scanner.errorForLinter": "Неожиданный маркер.",
"contextkey.scanner.errorForLinterWithHint": "Непредвиденный маркер. Подсказка: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Находится ли фокус клавиатуры в поле ввода",
"isIOS": "Используется ли операционная система IOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "Используется ли операционная система Windows",
"productQualityType": "Тип качества VS Code"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "Вы забыли экранировать символ \"/\" (косая черта)? Чтобы экранировать, поместите перед символом две обратные косые черты, например \"\\\\/\".",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Вы забыли открыть или закрыть цитату?",
"contextkey.scanner.hint.didYouMean1": "Вы имели в виду {0}?",
"contextkey.scanner.hint.didYouMean2": "Вы имели в виду {0} или {1}?",
"contextkey.scanner.hint.didYouMean3": "Вы имели в виду {0}, {1} или {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "Отмена",
"moreFile": "...1 дополнительный файл не показан",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "Была нажата клавиша {0}. Ожидание нажатия второй клавиши сочетания...",
"missing.chord": "Сочетание клавиш ({0} и {1}) не является командой."
"missing.chord": "Сочетание клавиш ({0} и {1}) не является командой.",
"next.chord": "Была нажата клавиша ({0}). Ожидание нажатия следующей клавиши сочетания..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "Коэффициент увеличения скорости прокрутки при нажатии клавиши ALT.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Цвет границы мини-приложений редактора. Этот цвет используется только в том случае, если у мини-приложения есть граница и если этот цвет не переопределен мини-приложением.",
"editorWidgetForeground": "Цвет переднего плана мини-приложений редактора, таких как \"Поиск/замена\".",
"editorWidgetResizeBorder": "Цвет границы панели изменения размера мини-приложений редактора. Этот цвет используется только в том случае, если у мини-приложения есть граница для изменения размера и если этот цвет не переопределен мини-приложением.",
"errorBorder": "Цвет границы для окон ошибок в редакторе.",
"errorBorder": "Если задано, цвет двойного подчеркивания ошибок в редакторе.",
"errorForeground": "Общий цвет переднего плана для сообщений об ошибках. Этот цвет используется только если его не переопределяет компонент.",
"findMatchHighlight": "Цвет других совпадений при поиске. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
"findMatchHighlightBorder": "Цвет границы других результатов поиска.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Общий цвет границ для элементов с фокусом. Этот цвет используется только в том случае, если не переопределен в компоненте.",
"foreground": "Общий цвет переднего плана. Этот цвет используется, только если его не переопределит компонент.",
"highlight": "Цвет переднего плана для выделения соответствия при поиске по элементу List/Tree.",
"hintBorder": "Цвет границы для окон указаний в редакторе.",
"hintBorder": "Если задано, цвет двойного подчеркивания указаний в редакторе.",
"hoverBackground": "Цвет фона при наведении указателя на редактор.",
"hoverBorder": "Цвет границ при наведении указателя на редактор.",
"hoverForeground": "Цвет переднего плана для наведения указателя на редактор.",
"hoverHighlight": "Выделение под словом, для которого отображается меню при наведении курсора. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
"iconForeground": "Цвет по умолчанию для значков на рабочем месте.",
"infoBorder": "Цвет границы для окон сведений в редакторе.",
"infoBorder": "Если задано, цвет двойного подчеркивания информационных сообщений в редакторе.",
"inputBoxActiveOptionBorder": "Цвет границ активированных параметров в полях ввода.",
"inputBoxBackground": "Фон поля ввода.",
"inputBoxBorder": "Граница поля ввода.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Цвет фона для мини-приложения фильтра типов в списках и деревьях.",
"listFilterWidgetNoMatchesOutline": "Цвет контура для мини-приложения фильтра типов в списках и деревьях при отсутствии совпадений.",
"listFilterWidgetOutline": "Цвет контура для мини-приложения фильтра типов в списках и деревьях.",
"listFilterWidgetShadow": "Цвет затемнения для мини-приложения фильтра типов в списках и деревьях.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Цвет контура находящегося в фокусе элемента List/Tree, когда элемент List/Tree активен и выбран. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
"listFocusBackground": "Фоновый цвет находящегося в фокусе элемента List/Tree, когда элемент List/Tree активен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
"listFocusForeground": "Цвет переднего плана находящегося в фокусе элемента List/Tree, когда элемент List/Tree активен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Цвет фона ползунка полосы прокрутки при щелчке по нему.",
"scrollbarSliderBackground": "Цвет фона для ползунка полосы прокрутки.",
"scrollbarSliderHoverBackground": "Цвет фона ползунка полосы прокрутки при наведении курсора.",
"search.resultsInfoForeground": "Цвет текста в поиске сообщения завершения вьюлета.",
"searchEditor.editorFindMatchBorder": "Цвет границы для соответствующих запросов в редакторе поиска.",
"searchEditor.queryMatch": "Цвет соответствий для запроса в редакторе поиска.",
"selectionBackground": "Цвет фона выделенного текста в рабочей области (например, в полях ввода или в текстовых полях). Не применяется к выделенному тексту в редакторе.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Контур панели инструментов при наведении указателя мыши на действия",
"treeInactiveIndentGuidesStroke": "Цвет штриха дерева для неактивных направляющих отступа.",
"treeIndentGuidesStroke": "Цвет штриха дерева для направляющих отступа.",
"warningBorder": "Цвет границы для окон предупреждений в редакторе.",
"warningBorder": "Если задано, цвет двойного подчеркивания предупреждений в редакторе.",
"widgetBorder": "Цвет границы мини-приложений редактора, таких как \"Найти/заменить\".",
"widgetShadow": "Цвет тени мини-приложений редактора, таких как \"Найти/заменить\"."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "Hata: {0}",
"alertInfoMessage": "Bilgi: {0}",
"alertWarningMessage": "Uyarı: {0}",
"clearedInput": "Temizlenen Giriş",
"history.inputbox.hint": "geçmiş için"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " değişikliklerde gezinmek için Shift + F7yi kullanın",
"diff.tooLarge": "Bir dosya çok büyük olduğundan dosyalar karşılaştırılamıyor.",
"diffInsertIcon": "Fark düzenleyicisindeki eklemeler için satır dekorasyonu.",
"diffRemoveIcon": "Fark düzenleyicisindeki kaldırmalar için satır dekorasyonu."
"diffRemoveIcon": "Fark düzenleyicisindeki kaldırmalar için satır dekorasyonu.",
"revertChangeHoverMessage": "Değişikliği geri almak için tıklayın"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "boş",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "Düzenleyicinin CodeLens'i gösterip göstermediğini denetler.",
"detectIndentation": "Dosya, içeriğine göre açıldığında {0} ve {1} değerlerinin otomatik olarak algılanıp algılanmayacağını denetler.",
"diffAlgorithm.experimental": "Deneysel bir fark alma algoritması kullanıyor.",
"diffAlgorithm.smart": "Varsayılan fark alma algoritmasını kullanıyor.",
"diffAlgorithm.advanced": "Gelişmiş fark alma algoritmasını kullanıyor.",
"diffAlgorithm.legacy": "Eski fark alma algoritmasını kullanıyor.",
"editor.experimental.asyncTokenization": "Belirteçlere ayırmanın bir çalışanda asenkron olarak gerçekleşip gerçekleşmeyeceğini kontrol eder.",
"editor.experimental.asyncTokenizationLogging": "Zaman uyumsuz belirteç ayırma işleminin günlüğe kaydedilip kaydedilmemesi gerektiğini denetler. Yalnızca hata ayıklama için kullanılır.",
"editor.experimental.asyncTokenizationVerification": "Zaman uyumsuz belirteçlere ayırmanın eski arka plan belirteçlere ayırmaya göre doğrulanıp doğrulanmayacağını denetler. Belirteçlere ayırmayı yavaşlatabilir. Yalnızca hata ayıklama içindir.",
"editorConfigurationTitle": "Düzenleyici",
"ignoreTrimWhitespace": "Etkinleştirildiğinde, fark düzenleyicisi baştaki veya sondaki boşluklarda yapılan değişiklikleri yoksayar.",
"indentSize": "`#editor.tabSize#` öğesindeki değeri kullanmak üzere girintileme veya `\"tabSize\"` için kullanılan boşluk sayısı. Bu ayar, `#editor.detectIndentation#` açık olduğunda dosya içeriğine göre geçersiz kılınır.",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` her zaman uygulanır.",
"cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` yalnızca klavye veya API aracılığıyla tetiklendiğinde uygulanır.",
"cursorWidth": "`#editor.cursorStyle#` `line` olarak ayarlandığında imlecin genişliğini denetler.",
"defaultColorDecorators": "Satır içi renk süslemelerinin varsayılan belge rengi sağlayıcısı kullanılarak gösterilip gösterilmediğini denetler",
"definitionLinkOpensInPeek": "Tanıma Git fare hareketinin her zaman göz atma pencere öğesini açıp açmayacağını denetler.",
"deprecated": "Bu ayar kullanım dışı. Bunun yerine lütfen 'editor.suggest.showKeywords' veya 'editor.suggest.showSnippets' gibi ayrı ayarları kullanın.",
"dragAndDrop": "Düzenleyicinin seçimlerin sürükleme ve bırakma yoluyla taşınmasına izin verip vermeyeceğini denetler.",
"dropIntoEditor.enabled": "Bir dosyayı (düzenleyicide açmak yerine) `shift` tuşuna basılı tutarak metin düzenleyici içine sürükle ve bırak yapıp yapamayacağınızı denetler.",
"dropIntoEditor.showDropSelector": "Dosyaları düzenleyiciye bırakırken bir pencere öğesinin gösterilip gösterilmeyeceğini denetler. Bu pencere öğesi, dosyanın nasıl bırakılacağını denetlemenizi sağlar.",
"dropIntoEditor.showDropSelector.afterDrop": "Bir dosya düzenleyiciye bırakıldıktan sonra bırakma seçici pencere öğesini gösterme.",
"dropIntoEditor.showDropSelector.never": "Bırakma seçici pencere öğesini hiçbir zaman göstermeme. Bunun yerine her zaman varsayılan bırakma sağlayıcısı kullanılır.",
"editor.autoClosingBrackets.beforeWhitespace": "Köşeli ayraçları yalnızca imleç boşluğun sol tarafında olduğunda otomatik kapat.",
"editor.autoClosingBrackets.languageDefined": "Köşeli ayraçların ne zaman otomatik kapatılacağını belirlemek için dil yapılandırmalarını kullan.",
"editor.autoClosingDelete.auto": "Bitişik kapatma tırnak işaretlerini veya köşeli ayraçlarını yalnızca bunlar otomatik olarak eklendiyse kaldırın.",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "Yerleşik ipuçları varsayılan olarak gizlidir ve {0} basılıyken gösterilir",
"editor.inlayHints.on": "Yerleşik ipuçları etkinleştirildi",
"editor.inlayHints.onUnlessPressed": "Yerleşik ipuçları varsayılan olarak gösterilir ve {0} basılıyken gizlenir",
"editor.stickyScroll": "Düzenleyicinin üst kısmındaki kaydırma sırasında iç içe geçmiş geçerli kapsamları gösterir.",
"editor.stickyScroll.": "Gösterilecek en fazla yapışkan satır sayısını tanımlar.",
"editor.stickyScroll.defaultModel": "Hangi çizgilerin bağlı olacağını belirlemek için kullanılan modeli belirtir. Ana hat modeli yoksa, döndürme sağlayıcısı modeline başvurulur ve döndürme sağlayıcısı modeli de girintileme modeline başvurur. Bu sıralama düzeni tüm durumlarda uygulanır.",
"editor.stickyScroll.enabled": "Düzenleyicinin üst kısmındaki kaydırma sırasında iç içe geçmiş geçerli kapsamları gösterir.",
"editor.stickyScroll.maxLineCount": "Gösterilecek en fazla yapışkan satır sayısını tanımlar.",
"editor.suggest.matchOnWordStartOnly": "Etkinleştirildiğinde, IntelliSense filtreleme, ilk karakterin bir kelime başlangıcında eşleşmesini gerektirir, örneğin `Console` veya `WebContext` üzerindeki `c` ancak `description` üzerinde değil. Devre dışı bırakıldığında, IntelliSense daha fazla sonuç gösterir ancak yine de bunları eşleşme kalitesine göre sıralar.",
"editor.suggest.showClasss": "Etkinleştirildiğinde, IntelliSense 'class' önerilerini gösterir.",
"editor.suggest.showColors": "Etkinleştirildiğinde, IntelliSense 'color' önerilerini gösterir.",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "Satır içi öneri araç çubuğunun ne zaman gösterileceğini denetler.",
"inlineSuggest.showToolbar.always": "Ne zaman bir satır içi öneri gösterilirse satır içi öneri araç çubuğunu göster.",
"inlineSuggest.showToolbar.onHover": "Bir satır içi önerinin üzerine gelindiğinde satır içi öneri araç çubuğunu göster.",
"inlineSuggest.suppressSuggestions": "Satır içi önerilerin öneri pencere öğesiyle nasıl etkileşim kurduğunu denetler. Etkinleştirilirse, satır içi öneriler kullanılabilir olduğunda öneri pencere öğesi otomatik olarak gösterilmez.",
"letterSpacing": "Piksel cinsinden harf aralığını denetler.",
"lineHeight": "Satır yüksekliğini kontrol eder. \r\n - Satır yüksekliğini yazı tipi boyutundan otomatik olarak hesaplamak için 0 değerini kullanın.\r\n - 0 ile 8 arasındaki değerler, yazı tipi boyutuyla çarpan olarak kullanılır.\r\n - 8 ve daha büyük değerler etkin değerler olarak kullanılır.",
"lineNumbers": "Satır numaralarının görüntülenmesini denetler.",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "Düzenleyicinin üst kenarı ile ilk satır arasındaki boşluk miktarını denetler.",
"parameterHints.cycle": "Parametre ipuçları menüsünde listenin sonuna ulaşıldığında menünün başına dönülmesi veya kapatılması tercihini denetler.",
"parameterHints.enabled": "Yazma sırasında parametre belgelerini ve tür bilgilerini gösteren bir açılır pencereyi etkinleştirir.",
"pasteAs.enabled": "İçeriği farklı yöntemlerle yapıştırıp yapıştıramayacağınızı denetler.",
"pasteAs.showPasteSelector": "İçerik düzenleyiciye yapıştırıldığında bir pencere öğesinin gösterilip gösterilmeyeceğini denetler. Bu pencere öğesi, dosyanın nasıl yapıştırılacağını denetlemenizi sağlar.",
"pasteAs.showPasteSelector.afterPaste": "İçerik düzenleyiciye yapıştırıldıktan sonra yapıştırma seçici pencere öğesini göster.",
"pasteAs.showPasteSelector.never": "Yapıştırma seçici pencere öğesini hiçbir zaman gösterme. Bunun yerine her zaman varsayılan yapıştırma davranışı kullanılır.",
"peekWidgetDefaultFocus": "Satır içi düzenleyicinin veya ağacın göz atma pencere öğesine odaklanıp odaklanmayacağını denetler.",
"peekWidgetDefaultFocus.editor": "Göz atmayı açarken düzenleyiciyi odakla",
"peekWidgetDefaultFocus.tree": "Göz atmayı açarken ağacı odakla",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "Dikey cetvelleri belirli sayıda tek aralıklı karakterden sonra işleyin. Birden çok cetvel için birden çok değer kullanın. Dizi boşsa cetvel çizilmez.",
"rulers.color": "Bu düzenleyici cetvelinin rengi.",
"rulers.size": "Bu düzenleyici cetvelinin oluşturulacağı tek aralıklı karakter sayısı.",
"screenReaderAnnounceInlineSuggestion": "Satır içi önerilerin ekran okuyucu tarafından duyurulup duyurulmayacağını denetler. Bunun VoiceOver ile macOS'ta çalışmadığını unutmayın.",
"scrollBeyondLastColumn": "Sonrasında düzenleyicinin yatay olarak kaydırılacağı fazladan karakter sayısını denetler.",
"scrollBeyondLastLine": "Düzenleyicinin ekranı son satırın ötesine kaydırıp kaydırmayacağını denetler.",
"scrollPredominantAxis": "Aynı anda hem dikey hem de yatay kaydırma sırasında yalnızca hakim olan eksen boyunca kaydırın. Bir dokunmatik yüzey üzerinde dikey kaydırma sırasında yatay dışa kaymayı engeller.",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "Önerilerde simge gösterme veya gizlemeyi denetler.",
"suggest.showInlineDetails": "Öneri ayrıntılarının etiketle aynı hizada mı yoksa yalnızca ayrıntılar pencere öğesinde mi gösterileceğini kontrol eder.",
"suggest.showStatusBar": "Önerilen pencere öğesinin en altındaki durum çubuğunun görünürlüğünü denetler.",
"suggest.snippetsPreventQuickSuggestions": "Etkin bir kod parçacığının hızlı önerilere engel olup olmayacağını denetler.",
"suggestFontSize": "Önerilen pencere öğesi için yazı tipi boyutu. {0} olarak ayarlandığında {1} değeri kullanılır.",
"suggestLineHeight": "Önerilen pencere öğesi için satır yüksekliği. {0} olarak ayarlandığında {1} değeri kullanılır. En küçük değer 8'dir.",
"suggestOnTriggerCharacters": "Tetikleyici karakterleri yazılırken önerilerin otomatik olarak gösterilip gösterilmeyeceğini denetler.",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "Düzenleyicinin seçili metne sahip olup olmadığını belirtir",
"editorHasSignatureHelpProvider": "Düzenleyicinin imza yardımı sağlayıcısına sahip olup olmadığını belirtir",
"editorHasTypeDefinitionProvider": "Düzenleyicinin tür tanımı sağlayıcısına sahip olup olmadığını belirtir",
"editorHoverFocused": "Düzenleyicide vurgulamanın odaklanmış olup olmayacağını belirtir",
"editorHoverVisible": "Düzenleyicide üzerine gelmenin görünür olup olmadığını belirtir",
"editorLangId": "Düzenleyicinin dil tanımlayıcısı",
"editorReadonly": "Düzenleyicinin salt okunur olup olmadığını belirtir",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "Düzenleyici metninin odağa sahip olup olmadığını (imlecin yanıp sönmesi) belirtir",
"inCompositeEditor": "Düzenleyicinin daha büyük bir düzenleyicinin (ör. not defterleri) parçası olup olmadığını belirtir",
"inDiffEditor": "Bağlamın fark düzenleyicisi olup olmadığını belirtir",
"isEmbeddedDiffEditor": "Bağlamın fark düzenleyicisi olup olmadığını belirtir",
"standaloneColorPickerFocused": "Tek başına renk seçicinin odaklanmış olup olmadığını belirtir",
"standaloneColorPickerVisible": "Tek başına renk seçicinin görünür olup olmadığını belirtir",
"stickyScrollFocused": "Yapışkan kaydırmanın odaklanmış olup olmadığını belirtir",
"stickyScrollVisible": "Yapışkan kaydırmanın görünür olup olmadığını belirtir",
"textInputFocus": "Düzenleyici veya zengin metin girişinin odağa sahip olup olmadığını (imlecin yanıp sönmesi) belirtir"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "Erişilebilirlik Seçenekleri için Alt+F1 tuşlarına basın.",
"accessibilityHelpTitle": "Erişilebilirlik Yardımı",
"auto_off": "Düzenleyici, Ekran Okuyucu ile kullanım için hiçbir zaman iyileştirilmeyecek şekilde yapılandırıldı, ancak şu anda bunun tersi geçerlidir.",
"auto_on": "Düzenleyici, Ekran Okuyucu ile kullanım için iyileştirilmek üzere yapılandırıldı.",
"bulkEditServiceSummary": "{1} dosyada {0} düzenleme yapıldı",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "&&Köşeli Ayraca Git",
"overviewRulerBracketMatchForeground": "Eşleşen köşeli ayraçlar için genel bakış cetveli işaretleyici rengi.",
"smartSelect.jumpBracket": "Köşeli Ayraca Git",
"smartSelect.removeBrackets": "Köşeli Ayraçları Kaldır",
"smartSelect.selectToBracket": "Köşeli Ayraca Kadar Seç"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "İçeri Aktarmaları Düzenle",
"quickfix.trigger.label": "Hızlı Düzeltme...",
"refactor.label": "Yeniden düzenle...",
"refactor.preview.label": "Önizleme ile yeniden düzenleme...",
"source.label": "Kaynak Eylemi..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "Kod Eylemi menüsünde grup başlıklarının gösterilmesini etkinleştirin/devre dışı bırakın."
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "Devre Dışı Olanları Gizle",
"showMoreActions": "Devre Dışı Olanları Göster"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "Yeniden Yazın...",
"codeAction.widget.id.extract": "Ayıkla...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "Kaynak Eylemi...",
"codeAction.widget.id.surround": "Şununla Çevrele..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "Devre Dışı Olanları Gizle",
"showMoreActions": "Devre Dışı Olanları Göster"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "Kod Eylemlerini Göster",
"codeActionWithKb": "Kod Eylemlerini Göster ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "Geçerli Satır İçin CodeLens Komutlarını Göster"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "Renk seçeneklerini değiştirmek için tıklayın (rgb/hsl/hex)"
"clickToToggleColorOptions": "Renk seçeneklerini değiştirmek için tıklayın (rgb/hsl/hex)",
"closeIcon": "Renk seçiciyi kapatma simgesi"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "Renk Seçiciyi Gizle",
"insertColorWithStandaloneColorPicker": "Tek Başına Renk Seçici ile Renk Ekle",
"mishowOrFocusStandaloneColorPicker": "Tek Başına Renk Seçiciyi &&Göster veya Odakla",
"showOrFocusStandaloneColorPicker": "Tek Başına Renk Seçiciyi Göster veya Odakla"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "Blok Açıklamasını Aç/Kapat",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "Her zaman",
"context.minimap.slider.mouseover": "Fareyle Üzerine Gelin"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "Yapıştırma sırasında uzantılardan düzenleme çalıştırmayı etkinleştir/devre dışı bırak."
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "Yapıştırma işleyicileri çalıştırılıyor..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "İmleç Yineleme",
"cursor.undo": "İmleç Geri Alma"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "Bırakma işleyicileri çalıştırılıyor..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "Düzenleyicinin iptal edilebilir bir işlem (ör. 'Başvurulara Göz Atma' gibi) çalıştırıp çalıştırmayacağını belirtir"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "Eşleşmeye git...",
"findMatchAction.inputPlaceHolder": "Belirli bir eşleşmeye gitmek için bir sayı yazın (1 ile {0}arasında)",
"findMatchAction.inputValidationMessage": "Lütfen 1 ile {0} arasında bir sayı girin",
"findMatchAction.noResults": "Eşleşme yok. Başka bir şey aramayı deneyin.",
"findNextMatchAction": "Sonrakini Bul",
"findPreviousMatchAction": "Öncekini Bul",
"miFind": "&&Bul",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "{0} içinde 1 sembol; tam yol {1}",
"aria.fileReferences.N": "{1} öğesinde {0} sembol; tam yol {2}",
"aria.oneReference": "{1}. satır {2}. sütundaki {0} sembolü",
"aria.oneReference.preview": "{1}. satır {2}. sütunda bulunan {0} içindeki sembol, {3}",
"aria.oneReference": "{1}. satır {2}. sütun {0} içinde",
"aria.oneReference.preview": "{2}. satır {3}. sütun {1} içinde {0}",
"aria.result.0": "Sonuç bulunamadı",
"aria.result.1": "{0} içinde 1 sembol bulundu",
"aria.result.n1": "{1} içinde {0} sembol bulundu",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "Sembol {0}/{1}, sonraki için {2}"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "Odaklanmış Vurgulamadan Çık",
"goToBottomHover": "Alt Vurgulamaya Git",
"goToTopHover": "Üst Vurgulamaya Git",
"pageDownHover": "Vurgulamayı Sayfada Aşağı Kaydır",
"pageUpHover": "Vurgulamayı Sayfada Yukarı Kaydır",
"scrollDownHover": "Vurgulamayı Aşağı Kaydır",
"scrollLeftHover": "Vurgulamayı Sola Kaydır",
"scrollRightHover": "Vurgulamayı Sağa Kaydır",
"scrollUpHover": "Vurgulamayı Yukarı Kaydır",
"showDefinitionPreviewHover": "Tanımın Önizleme Vurgulamasını Göster",
"showHover": "Vurgulamayı Göster"
"showOrFocusHover": "Vurgulamayı Göster veya Odakla"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "Yükleniyor...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl + tıklama",
"links.navigate.kb.meta.mac": "cmd + tıklama"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "Kabul et",
"acceptLine": "Satırı Kabul Et",
"acceptWord": "Word'ü Kabul Et",
"action.inlineSuggest.accept": "Satır İçi Öneriyi Kabul Et",
"action.inlineSuggest.acceptNextLine": "Sonraki Satır İçi Öneri Satırını Kabul Et",
"action.inlineSuggest.acceptNextWord": "Sonraki Satır İçi Öneri Kelimesini Kabul Et",
"action.inlineSuggest.alwaysShowToolbar": "Araç Çubuğunu Her Zaman Göster",
"action.inlineSuggest.hide": "Satır İçi Öneriyi Gizle",
"action.inlineSuggest.showNext": "Sonraki Satır İçi Öneriyi Göster",
"action.inlineSuggest.showPrevious": "Önceki Satır İçi Öneriyi Göster",
"action.inlineSuggest.trigger": "Satır İçi Öneriyi Tetikle",
"action.inlineSuggest.undo": "Word'ü Kabul Etme İşlemini Geri Al",
"action.inlineSuggest.trigger": "Satır İçi Öneriyi Tetikle"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "Öneri:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "Satır içi öneri araç çubuğunun her zaman görünür olup olmayacağı",
"canUndoInlineSuggestion": "Geri alma işleminin satır içi öneriyi geri alıp almayacağı",
"inlineSuggestionHasIndentation": "Satır içi önerinin boşlukla başlayıp başlamadığını belirtir",
"inlineSuggestionHasIndentationLessThanTabSize": "Satır içi önerinin, sekme tarafından eklenecek olandan daha az olan boşlukla başlayıp başlamadığı",
"inlineSuggestionVisible": "Satır içi önerinin görünür olup olmadığını belirtir",
"undoAcceptWord": "Word'ü Kabul Etme İşlemini Geri Al"
"suppressSuggestions": "Mevcut öneri için önerilerin gizlenip gizlenmeyeceği"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "Öneri:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "Sonraki",
"parameterHintsNextIcon": "Sonraki parametre ipucunu göster simgesi.",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "Çar"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "Yapışkan Kaydırmayı Odakla",
"goToFocusedStickyScrollLine.title": "Odaklanmış yapışkan kaydırma çizgisine git",
"miStickyScroll": "&&Yapışkan Kaydırma",
"mifocusStickyScroll": "&&Yapışkan Kaydırmayı Odakla",
"mitoggleStickyScroll": "Yapışkan Kaydırmayı &&Aç/Kapat",
"selectEditor.title": "Düzenleyiciyi Seç",
"selectNextStickyScrollLine.title": "Sonraki yapışkan kaydırma çizgisini seçin",
"selectPreviousStickyScrollLine.title": "Önceki yapışkan kaydırma çizgisini seçin",
"stickyScroll": "Yapışkan Kaydırma",
"toggleStickyScroll": "Yapışkan Kaydırmayı Aç/Kapat"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "Ayarları yapın",
"unicodeHighlight.allowCommonCharactersInLanguage": "“{0}” dilinde daya yaygın olan Unicode karakterlere izin ver.",
"unicodeHighlight.characterIsAmbiguous": "{0} karakteri, kaynak kodunda daha yaygın olan {1} karakteriyle karıştırılabiliyor.",
"unicodeHighlight.characterIsAmbiguousASCII": "{0} karakteri, kaynak kodunda daha yaygın olan {1} ASCII karakteriyle karıştırılabiliyor.",
"unicodeHighlight.characterIsInvisible": "{0} karakteri görünmezdir.",
"unicodeHighlight.characterIsNonBasicAscii": "{0} karakteri, temel bir ASCII karakteri değildir.",
"unicodeHighlight.configureUnicodeHighlightOptions": "Unicode Vurgulama Seçeneklerini Yapılandır",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "Geliştirici",
"file": "Dosya",
"help": "Yardım",
"preferences": "Tercihler",
"test": "Test",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "Bağlam anahtarları hakkındaki bilgileri döndüren komut"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "kapatma parantezi ')'",
"contextkey.parser.error.emptyString": "Boş bağlam anahtarı ifadesi",
"contextkey.parser.error.emptyString.hint": "İfade yazmayı mı unuttunuz? Sırasıyla false veya true olarak değerlendirmek için 'false' veya 'true' da koyabilirsiniz.",
"contextkey.parser.error.expectedButGot": "Beklenen: {0}\r\nAlınan: '{1}'.",
"contextkey.parser.error.noInAfterNot": "'not' sonrasında 'in'.",
"contextkey.parser.error.unexpectedEOF": "Beklenmeyen ifade sonu.",
"contextkey.parser.error.unexpectedEOF.hint": "Bağlam anahtarı koymayı mı unuttunuz?",
"contextkey.parser.error.unexpectedToken": "Beklenmeyen belirteç",
"contextkey.parser.error.unexpectedToken.hint": "Belirteçten önce && veya || koymayı mı unuttunuz?",
"contextkey.scanner.errorForLinter": "Beklenmeyen belirteç.",
"contextkey.scanner.errorForLinterWithHint": "Beklenmeyen belirteç. İpucu: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "Klavye odağının giriş kutusunun içinde olup olmadığını belirtir",
"isIOS": "İşletim sisteminin iOS olup olmadığını belirtir",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "İşletim sisteminin Windows olup olmadığını belirtir",
"productQualityType": "VS Codeun Kalite türü"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "'/' (eğik çizgi) karakterinden çıkmayı mı unuttunuz? Çıkmak için önce iki ters eğik çizgi girin. Örneğin, '\\\\/'.",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "Tırnak işaretini açmayı veya kapatmayı mı unuttunuz?",
"contextkey.scanner.hint.didYouMean1": "{0} öğesini mi demek istediniz?",
"contextkey.scanner.hint.didYouMean2": "{0} veya {1} öğesini mi demek istediniz?",
"contextkey.scanner.hint.didYouMean3": "{0}, {1} ve {2} öğesini mi demek istediniz?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "İptal",
"moreFile": "...1 ek dosya gösterilmedi",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0}) basıldı. Akorun ikinci tuşu bekleniyor...",
"missing.chord": "({0}, {1}) tuş bileşimi bir komut değil."
"missing.chord": "({0}, {1}) tuş bileşimi bir komut değil.",
"next.chord": "({0}) düğmesine basıldı. Sonraki akor anahtarı bekleniyor..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "`Alt` tuşuna basılırken kaydırma hızı çarpanı.",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "Düzenleyici pencere öğelerinin kenarlık rengi. Renk, yalnızca pencere öğesinin bir kenarlığı olursa ve bir pencere öğesi tarafından geçersiz kılınmazsa kullanılır.",
"editorWidgetForeground": "Bul/değiştir gibi düzenleyici pencere öğelerinin ön plan rengi.",
"editorWidgetResizeBorder": "Düzenleyici pencere öğelerinin yeniden boyutlandırma çubuğunun kenarlık rengi. Renk, yalnızca pencere öğesinin bir yeniden boyutlandırma kenarlığı olursa ve bir pencere öğesi tarafından geçersiz kılınmazsa kullanılır.",
"errorBorder": "Düzenleyicideki hata kutularının kenarlık rengi.",
"errorBorder": "Ayarlanırsa, düzenleyicideki hatalar için çift alt çizginin rengi.",
"errorForeground": "Hata iletileri için genel ön plan rengi. Bu renk yalnızca bir bileşen tarafından geçersiz kılınmamışsa kullanılır.",
"findMatchHighlight": "Diğer arama eşleşmelerinin rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
"findMatchHighlightBorder": "Diğer arama eşleşmelerinin kenarlık rengi.",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "Odaklanılan öğeler için genel kenarlık rengi. Bu renk yalnızca bir bileşen tarafından geçersiz kılınmamışsa kullanılır.",
"foreground": "Genel ön plan rengi. Bu renk yalnızca bir bileşen tarafından geçersiz kılınmamışsa kullanılır.",
"highlight": "Listede/ağaçta arama yapılırken eşleşme vurgularının liste/ağaç ön plan rengi.",
"hintBorder": "Düzenleyicideki ipucu kutularının kenarlık rengi.",
"hintBorder": "Ayarlanırsa, düzenleyicideki ipuçları için çift alt çizginin rengi.",
"hoverBackground": "Düzenleyici vurgulamasının arka plan rengi.",
"hoverBorder": "Düzenleyici vurgulamasının kenarlık rengi.",
"hoverForeground": "Düzenleyici vurgulamasının ön plan rengi.",
"hoverHighlight": "Vurgulama gösterilen sözcüğün altındaki vurgu. Alttaki süslemeleri gizlememek için rengin opak olmaması gerekir.",
"iconForeground": "Workbench simgelerin varsayılan rengi.",
"infoBorder": "Düzenleyicideki bilgi kutularının kenarlık rengi.",
"infoBorder": "Ayarlanırsa, düzenleyicideki bilgiler için çift alt çizginin rengi.",
"inputBoxActiveOptionBorder": "Giriş alanlarındaki etkinleştirilen seçeneklerin kenarlık rengi.",
"inputBoxBackground": "Giriş kutusu arka planı.",
"inputBoxBorder": "Giriş kutusu kenarlığı.",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "Listelerde ve ağaçlarda tür filtresi pencere öğesinin arka plan rengi.",
"listFilterWidgetNoMatchesOutline": "Bir eşleşme olmadığında, listelerde ve ağaçlarda tür filtresi pencere öğesinin ana hat rengi.",
"listFilterWidgetOutline": "Listelerde ve ağaçlarda tür filtresi pencere öğesinin ana hat rengi.",
"listFilterWidgetShadow": "Listelerde ve ağaçlardaki tür filtresi pencere öğesinin gölgelendirme rengi.",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "Liste/Ağaç etkin ve seçiliyken odaklanılan öğe için liste/ağaç ana hat rengi. Etkin liste/ağaç klavye odağına sahipken, etkin olmayan sahip değildir.",
"listFocusBackground": "Liste/ağaç etkinken odaklanılan öğe için liste/ağaç arka plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
"listFocusForeground": "Liste/ağaç etkinken odaklanılan öğenin liste/ağaç ön plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "Tıklandığında kaydırma çubuğu kaydırıcısı arka plan rengi.",
"scrollbarSliderBackground": "Kaydırma çubuğu kaydırıcısı arka plan rengi.",
"scrollbarSliderHoverBackground": "Üzerinde gezinme sırasında kaydırma çubuğu kaydırıcısı arka plan rengi.",
"search.resultsInfoForeground": "Arama viewletinin tamamlanma iletisindeki metnin rengi.",
"searchEditor.editorFindMatchBorder": "Arama Düzenleyicisi sorgu eşleşmelerinin kenarlık rengi.",
"searchEditor.queryMatch": "Arama Düzenleyicisi sorgu eşleşmelerinin rengi.",
"selectionBackground": "Workbench'teki metin seçimlerinin arka plan rengi (örneğin, giriş alanları veya metin alanları için). Bunun düzenleyici içindeki seçimler için geçerli olmadığını unutmayın.",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "Fareyi kullanarak eylemler üzerinde hareket ederken araç çubuğu ana hattı",
"treeInactiveIndentGuidesStroke": "Etkin olmayan girinti kılavuzları için ağaç fırça darbesi rengi.",
"treeIndentGuidesStroke": "Girinti kılavuzları için ağaç fırça darbesi rengi.",
"warningBorder": "Düzenleyicideki uyarı kutularının kenarlık rengi.",
"warningBorder": "Ayarlanırsa, düzenleyicideki uyarılar için çift alt çizginin rengi.",
"widgetBorder": "Düzenleyici içinde bul/değiştir gibi widget'ların kenarlık rengi.",
"widgetShadow": "Düzenleyici içinde bulma/değiştirme gibi pencere öğelerinin gölge rengi."
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "错误: {0}",
"alertInfoMessage": "信息: {0}",
"alertWarningMessage": "警告: {0}",
"clearedInput": "清除的输入",
"history.inputbox.hint": "对于历史记录"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " 使用 Shift + F7 导航更改",
"diff.tooLarge": "文件过大,无法比较。",
"diffInsertIcon": "差异编辑器中插入项的线条修饰。",
"diffRemoveIcon": "差异编辑器中删除项的线条修饰。"
"diffRemoveIcon": "差异编辑器中删除项的线条修饰。",
"revertChangeHoverMessage": "单击以还原更改"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "空白",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "控制是否在编辑器中显示 CodeLens。",
"detectIndentation": "控制在基于文件内容打开文件时是否自动检测 {0} 和 {1}。",
"diffAlgorithm.experimental": "使用实验性差异算法。",
"diffAlgorithm.smart": "使用默认的差异算法。",
"diffAlgorithm.advanced": "使用高级差异算法。",
"diffAlgorithm.legacy": "使用旧差异算法。",
"editor.experimental.asyncTokenization": "控制是否应在 Web 辅助进程上异步进行标记化。",
"editor.experimental.asyncTokenizationLogging": "控制是否应记录异步词汇切分。仅用于调试。",
"editor.experimental.asyncTokenizationVerification": "控制是否应对旧版后台令牌化验证异步令牌化。可能会减慢令牌化速度。仅用于调试。",
"editorConfigurationTitle": "编辑器",
"ignoreTrimWhitespace": "启用后,差异编辑器将忽略前导空格或尾随空格中的更改。",
"indentSize": "用于缩进或 `\"tabSize\"` 的空格数,可使用 `#editor.tabSize#` 中的值。当 `#editor.detectIndentation#` 处于打开状态时,将根据文件内容替代此设置。",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "始终强制执行 \"cursorSurroundingLines\"",
"cursorSurroundingLinesStyle.default": "仅当通过键盘或 API 触发时,才会强制执行\"光标环绕行\"。",
"cursorWidth": "当 `#editor.cursorStyle#` 设置为 `line` 时,控制光标的宽度。",
"defaultColorDecorators": "控制是否应使用默认文档颜色提供程序显示内联颜色修饰",
"definitionLinkOpensInPeek": "控制\"转到定义\"鼠标手势是否始终打开预览小部件。",
"deprecated": "此设置已弃用,请改用单独的设置,如\"editor.suggest.showKeywords\"或\"editor.suggest.showSnippets\"。",
"dragAndDrop": "控制在编辑器中是否允许通过拖放来移动选中内容。",
"dropIntoEditor.enabled": "控制是否可以通过按住 `Shift` (而不是在编辑器中打开文件)将文件拖放到编辑器中。",
"dropIntoEditor.showDropSelector": "控制将文件放入编辑器时是否显示小组件。使用此小组件可以控制文件的删除方式。",
"dropIntoEditor.showDropSelector.afterDrop": "将文件放入编辑器后显示放置选择器小组件。",
"dropIntoEditor.showDropSelector.never": "切勿显示放置选择器小组件。而是始终使用默认删除提供程序。",
"editor.autoClosingBrackets.beforeWhitespace": "仅当光标位于空白字符左侧时,才自动闭合括号。",
"editor.autoClosingBrackets.languageDefined": "使用语言配置确定何时自动闭合括号。",
"editor.autoClosingDelete.auto": "仅在自动插入时才删除相邻的右引号或右括号。",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "默认情况下隐藏内嵌提示,并在按住 {0} 时显示",
"editor.inlayHints.on": "已启用内嵌提示",
"editor.inlayHints.onUnlessPressed": "默认情况下显示内嵌提示,并在按住 {0} 时隐藏",
"editor.stickyScroll": "在编辑器顶部的滚动过程中显示嵌套的当前作用域。",
"editor.stickyScroll.": "定义要显示的最大粘滞行数。",
"editor.stickyScroll.defaultModel": "定义用于确定要粘贴的行的模型。如果大纲模型不存在,它将回退到回退到缩进模型的折叠提供程序模型上。在所有三种情况下都遵循此顺序。",
"editor.stickyScroll.enabled": "在编辑器顶部的滚动过程中显示嵌套的当前作用域。",
"editor.stickyScroll.maxLineCount": "定义要显示的最大粘滞行数。",
"editor.suggest.matchOnWordStartOnly": "启用后IntelliSense 筛选要求第一个字符在单词开头匹配,例如 “Console” 或 “WebContext” 上的 “c”但 “description” 上的 _not_。禁用后IntelliSense 将显示更多结果,但仍按匹配质量对其进行排序。",
"editor.suggest.showClasss": "启用后IntelliSense 将显示“类”建议。",
"editor.suggest.showColors": "启用后IntelliSense 将显示“颜色”建议。",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "控制何时显示内联建议工具栏。",
"inlineSuggest.showToolbar.always": "每当显示内联建议时,显示内联建议工具栏。",
"inlineSuggest.showToolbar.onHover": "将鼠标悬停在内联建议上时显示内联建议工具栏。",
"inlineSuggest.suppressSuggestions": "控制内联建议如何与建议小组件交互。如果启用,当内联建议可用时,不会自动显示建议小组件。",
"letterSpacing": "控制字母间距(像素)。",
"lineHeight": "控制行高。\r\n - 使用 0 根据字号自动计算行高。\r\n - 介于 0 和 8 之间的值将用作字号的乘数。\r\n - 大于或等于 8 的值将用作有效值。",
"lineNumbers": "控制行号的显示。",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "控制编辑器的顶边和第一行之间的间距量。",
"parameterHints.cycle": "控制参数提示菜单在到达列表末尾时进行循环还是关闭。",
"parameterHints.enabled": "在输入时显示含有参数文档和类型信息的小面板。",
"pasteAs.enabled": "控制是否可以以不同的方式粘贴内容。",
"pasteAs.showPasteSelector": "控制将内容粘贴到编辑器时是否显示小组件。使用此小组件可以控制文件的粘贴方式。",
"pasteAs.showPasteSelector.afterPaste": "将内容粘贴到编辑器后显示粘贴选择器小组件。",
"pasteAs.showPasteSelector.never": "切勿显示粘贴选择器小组件。而是始终使用默认粘贴行为。",
"peekWidgetDefaultFocus": "控制是将焦点放在内联编辑器上还是放在预览小部件中的树上。",
"peekWidgetDefaultFocus.editor": "打开预览时将焦点放在编辑器上",
"peekWidgetDefaultFocus.tree": "打开速览时聚焦树",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "在一定数量的等宽字符后显示垂直标尺。输入多个值,显示多个标尺。若数组为空,则不绘制标尺。",
"rulers.color": "此编辑器标尺的颜色。",
"rulers.size": "此编辑器标尺将渲染的等宽字符数。",
"screenReaderAnnounceInlineSuggestion": "控制内联建议是否由屏幕阅读器公布。请注意,这不适用于带有 VoiceOver 的 macOS。",
"scrollBeyondLastColumn": "控制编辑器水平滚动时可以超过范围的字符数。",
"scrollBeyondLastLine": "控制编辑器是否可以滚动到最后一行之后。",
"scrollPredominantAxis": "同时垂直和水平滚动时,仅沿主轴滚动。在触控板上垂直滚动时,可防止水平漂移。",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "控制是否在建议中显示或隐藏图标。",
"suggest.showInlineDetails": "控制建议详细信息是随标签内联显示还是仅显示在详细信息小组件中。",
"suggest.showStatusBar": "控制建议小部件底部的状态栏的可见性。",
"suggest.snippetsPreventQuickSuggestions": "控制活动代码段是否阻止快速建议。",
"suggestFontSize": "建议小组件的字号。设置为 {0} 时,将使用 {1} 的值。",
"suggestLineHeight": "建议小组件的行高。设置为 {0} 时,将使用 {1} 的值。最小值为 8。",
"suggestOnTriggerCharacters": "控制在键入触发字符后是否自动显示建议。",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "编辑器是否已选定文本",
"editorHasSignatureHelpProvider": "编辑器是否具有签名帮助提供程序",
"editorHasTypeDefinitionProvider": "编辑器是否具有类型定义提供程序",
"editorHoverFocused": "是否聚焦编辑器悬停",
"editorHoverVisible": "编辑器软键盘是否可见",
"editorLangId": "编辑器的语言标识符",
"editorReadonly": "编辑器是否为只读",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "编辑器文本是否具有焦点(光标是否闪烁)",
"inCompositeEditor": "该编辑器是否是更大的编辑器(例如笔记本)的一部分",
"inDiffEditor": "上下文是否为差异编辑器",
"isEmbeddedDiffEditor": "上下文是否为嵌入式差异编辑器",
"standaloneColorPickerFocused": "独立颜色选取器是否聚焦",
"standaloneColorPickerVisible": "独立颜色选取器是否可见",
"stickyScrollFocused": "是否聚焦粘性滚动",
"stickyScrollVisible": "粘性滚动是否可见",
"textInputFocus": "编辑器或 RTF 输入是否有焦点(光标是否闪烁)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "按 Alt+F1 可打开辅助功能选项。",
"accessibilityHelpTitle": "辅助功能帮助",
"auto_off": "编辑器被配置为永远不进行优化以配合屏幕读取器的使用, 而当前不是这种情况。",
"auto_on": "配置编辑器,将其进行优化以最好地配合屏幕读取器的使用。",
"bulkEditServiceSummary": "在 {1} 个文件中进行了 {0} 次编辑",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "转到括号(&&B)",
"overviewRulerBracketMatchForeground": "概览标尺上表示匹配括号的标记颜色。",
"smartSelect.jumpBracket": "转到括号",
"smartSelect.removeBrackets": "删除括号",
"smartSelect.selectToBracket": "选择括号所有内容"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "整理 import 语句",
"quickfix.trigger.label": "快速修复...",
"refactor.label": "重构...",
"refactor.preview.label": "使用预览重构...",
"source.label": "源代码操作..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "启用/禁用在代码操作菜单中显示组标头。"
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "隐藏已禁用项",
"showMoreActions": "显示已禁用项"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "重写...",
"codeAction.widget.id.extract": "提取...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "源代码操作...",
"codeAction.widget.id.surround": "环绕方式..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "隐藏已禁用项",
"showMoreActions": "显示已禁用项"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "显示代码操作",
"codeActionWithKb": "显示代码操作({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "显示当前行的 Code Lens 命令"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "单击以切换颜色选项 (rgb/hsl/hex)"
"clickToToggleColorOptions": "单击以切换颜色选项 (rgb/hsl/hex)",
"closeIcon": "用于关闭颜色选取器的图标"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "隐藏颜色选取器",
"insertColorWithStandaloneColorPicker": "使用独立颜色选取器插入颜色",
"mishowOrFocusStandaloneColorPicker": "&&显示或聚焦独立颜色选取器",
"showOrFocusStandaloneColorPicker": "显示或聚焦独立颜色选取器"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "切换块注释",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "始终",
"context.minimap.slider.mouseover": "鼠标悬停"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "启用/禁用粘贴时从扩展运行编辑。"
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "正在运行粘贴处理程序..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "光标重做",
"cursor.undo": "光标撤消"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "正在运行放置处理程序..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "编辑器是否运行可取消的操作,例如“预览引用”"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "转到“匹配”...",
"findMatchAction.inputPlaceHolder": "键入数字以转到特定匹配项(介于 1 和 {0} 之间)",
"findMatchAction.inputValidationMessage": "请键入介于 1 和 {0} 之间的数字",
"findMatchAction.noResults": "无匹配项。请尝试搜索其他内容。",
"findNextMatchAction": "查找下一个",
"findPreviousMatchAction": "查找上一个",
"miFind": "查找(&&F)",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "{0} 中有 1 个符号,完整路径: {1}",
"aria.fileReferences.N": "{1} 中有 {0} 个符号,完整路径: {2}",
"aria.oneReference": "在文件 {0} 的 {1} 行 {2} 列的符号",
"aria.oneReference.preview": "{0} 中 {1} 行 {2} 列的符号,{3}",
"aria.oneReference": "在列 {2} 行 {1} 的 {0} 中",
"aria.oneReference.preview": "在列 {3} 行 {2} 的 {1} 中的 {0}",
"aria.result.0": "未找到结果",
"aria.result.1": "在 {0} 中找到 1 个符号",
"aria.result.n1": "在 {1} 中找到 {0} 个符号",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "{1} 的符号 {0},下一个使用 {2}"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "转义聚焦悬停",
"goToBottomHover": "转到底部悬停",
"goToTopHover": "转到顶部悬停",
"pageDownHover": "向下翻页悬停",
"pageUpHover": "向上翻页悬停",
"scrollDownHover": "向下滚动悬停",
"scrollLeftHover": "向左滚动悬停",
"scrollRightHover": "向右滚动悬停",
"scrollUpHover": "向上滚动悬停",
"showDefinitionPreviewHover": "显示定义预览悬停",
"showHover": "显示悬停"
"showOrFocusHover": "显示或聚焦悬停"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "正在加载...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl + 点击",
"links.navigate.kb.meta.mac": "cmd + 点击"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "接受",
"acceptLine": "接受行",
"acceptWord": "接受 Word",
"action.inlineSuggest.accept": "接受内联建议",
"action.inlineSuggest.acceptNextLine": "接受内联建议的下一行",
"action.inlineSuggest.acceptNextWord": "接受内联建议的下一个字",
"action.inlineSuggest.alwaysShowToolbar": "始终显示工具栏",
"action.inlineSuggest.hide": "隐藏内联建议",
"action.inlineSuggest.showNext": "显示下一个内联建议",
"action.inlineSuggest.showPrevious": "显示上一个内联建议",
"action.inlineSuggest.trigger": "触发内联建议",
"action.inlineSuggest.undo": "撤消接受 Word",
"action.inlineSuggest.trigger": "触发内联建议"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "建议:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "内联建议工具栏是否应始终可见",
"canUndoInlineSuggestion": "撤消是否会撤消内联建议",
"inlineSuggestionHasIndentation": "内联建议是否以空白开头",
"inlineSuggestionHasIndentationLessThanTabSize": "内联建议是否以小于选项卡插入内容的空格开头",
"inlineSuggestionVisible": "内联建议是否可见",
"undoAcceptWord": "撤消接受 Word"
"suppressSuggestions": "是否应抑制当前建议"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "建议:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "下一个",
"parameterHintsNextIcon": "“显示下一个参数”提示的图标。",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "周三"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "聚焦粘性滚动",
"goToFocusedStickyScrollLine.title": "转到聚焦的粘性滚动行",
"miStickyScroll": "粘滞滚动(&&S)",
"mifocusStickyScroll": "聚焦粘性滚动(&&F)",
"mitoggleStickyScroll": "切换粘滞滚动(&&T)",
"selectEditor.title": "选择编辑器",
"selectNextStickyScrollLine.title": "选择下一个粘性滚动行",
"selectPreviousStickyScrollLine.title": "选择上一个粘性滚动行",
"stickyScroll": "粘滞滚动",
"toggleStickyScroll": "切换粘滞滚动"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "调整设置",
"unicodeHighlight.allowCommonCharactersInLanguage": "允许语言“{0}”中更常见的 unicode 字符。",
"unicodeHighlight.characterIsAmbiguous": "字符 {0} 可能会与字符 {1} 混淆,后者在源代码中更为常见。",
"unicodeHighlight.characterIsAmbiguousASCII": "字符 {0} 可能会与 ASCII 字符 {1} 混淆,后者在源代码中更为常见。",
"unicodeHighlight.characterIsInvisible": "字符 {0} 不可见。",
"unicodeHighlight.characterIsNonBasicAscii": "字符 {0} 不是基本 ASCII 字符。",
"unicodeHighlight.configureUnicodeHighlightOptions": "配置 Unicode 突出显示选项",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "开发人员",
"file": "文件",
"help": "帮助",
"preferences": "首选项",
"test": "测试",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "用于返回上下文键的相关信息的命令"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "右括号 \")\"",
"contextkey.parser.error.emptyString": "上下文键表达式为空",
"contextkey.parser.error.emptyString.hint": "忘记写入表达式了吗? 还可以放置 \"false\" 或 \"true\" 以始终分别评估为 false 或 true。",
"contextkey.parser.error.expectedButGot": "应为: {0}\r\n收到的: \"{1}\"。",
"contextkey.parser.error.noInAfterNot": "\"not\" 后面的 \"in\"。",
"contextkey.parser.error.unexpectedEOF": "意外的表达式结尾",
"contextkey.parser.error.unexpectedEOF.hint": "忘记放置上下文键了吗?",
"contextkey.parser.error.unexpectedToken": "意外的令牌",
"contextkey.parser.error.unexpectedToken.hint": "忘记在令牌之前放置 && 或 || 了吗?",
"contextkey.scanner.errorForLinter": "意外的令牌。",
"contextkey.scanner.errorForLinterWithHint": "意外的令牌。提示: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "键盘焦点是否在输入框中",
"isIOS": "操作系统是否为 iOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "操作系统是否为 Windows",
"productQualityType": "VS Code 的质量类型"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "忘记转义 \"/\"(斜杠)字符了吗? 在该字符前放置两个反斜杠以进行转义,例如 \"\\\\/\"。",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "忘记左引号或右引号了吗?",
"contextkey.scanner.hint.didYouMean1": "你指的是 {0} 吗?",
"contextkey.scanner.hint.didYouMean2": "你指的是 {0} 还是 {1}?",
"contextkey.scanner.hint.didYouMean3": "你指的是 {0}、{1} 还是 {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "取消",
"moreFile": "...1 个其他文件未显示",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "({0})已按下。正在等待按下第二个键...",
"missing.chord": "组合键({0}{1})不是命令。"
"missing.chord": "组合键({0}{1})不是命令。",
"next.chord": "已按下({0})。正在等待第二个键..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "按下\"Alt\"时滚动速度倍增。",
@ -1494,7 +1554,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"defaultFindModeSettingKey.filter": "搜索时筛选元素。",
"defaultFindModeSettingKey.highlight": "搜索时突出显示元素。进一步向上和向下导航将仅遍历突出显示的元素。",
"expand mode": "控制在单击文件夹名称时如何扩展树文件夹。请注意,如果不适用,某些树和列表可能会选择忽略此设置。",
"horizontalScrolling setting": "控制列表和树是否支持工作台中的水平滚动。警告: 打开此设置影响会影响性能。",
"horizontalScrolling setting": "控制工作台上的列表和树是否支持水平滚动。警告: 打开此设置会影响性能。",
"keyboardNavigationSettingKey": "控制工作台中的列表和树的键盘导航样式。它可为“简单”、“突出显示”或“筛选”。",
"keyboardNavigationSettingKey.filter": "筛选器键盘导航将筛选出并隐藏与键盘输入不匹配的所有元素。",
"keyboardNavigationSettingKey.highlight": "高亮键盘导航会突出显示与键盘输入相匹配的元素。进一步向上和向下导航将仅遍历突出显示的元素。",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "编辑器小部件的边框颜色。此颜色仅在小部件有边框且不被小部件重写时适用。",
"editorWidgetForeground": "编辑器小部件的前景色,如查找/替换。",
"editorWidgetResizeBorder": "编辑器小部件大小调整条的边框颜色。此颜色仅在小部件有调整边框且不被小部件颜色覆盖时使用。",
"errorBorder": "编辑器中错误框的边框颜色。",
"errorBorder": "如果设置,编辑器中错误的双下划线颜色。",
"errorForeground": "错误信息的整体前景色。此颜色仅在不被组件覆盖时适用。",
"findMatchHighlight": "其他搜索匹配项的颜色。颜色必须透明,以免隐藏下面的修饰效果。",
"findMatchHighlightBorder": "其他搜索匹配项的边框颜色。",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "焦点元素的整体边框颜色。此颜色仅在不被其他组件覆盖时适用。",
"foreground": "整体前景色。此颜色仅在不被组件覆盖时适用。",
"highlight": "在列表或树中搜索时,其中匹配内容的高亮颜色。",
"hintBorder": "编辑器中提示框的边框颜色。",
"hintBorder": "如果设置,编辑器中提示的双下划线颜色。",
"hoverBackground": "编辑器悬停提示的背景颜色。",
"hoverBorder": "光标悬停时编辑器的边框颜色。",
"hoverForeground": "编辑器悬停的前景颜色。",
"hoverHighlight": "在下面突出显示悬停的字词。颜色必须透明,以免隐藏下面的修饰效果。",
"iconForeground": "工作台中图标的默认颜色。",
"infoBorder": "编辑器中信息框的边框颜色。",
"infoBorder": "如果设置,编辑器中信息的双下划线颜色。",
"inputBoxActiveOptionBorder": "输入字段中已激活选项的边框颜色。",
"inputBoxBackground": "输入框背景色。",
"inputBoxBorder": "输入框边框。",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "列表和树中类型筛选器小组件的背景色。",
"listFilterWidgetNoMatchesOutline": "当没有匹配项时,列表和树中类型筛选器小组件的轮廓颜色。",
"listFilterWidgetOutline": "列表和树中类型筛选器小组件的轮廓颜色。",
"listFilterWidgetShadow": "列表和树中类型筛选器小组件的阴影颜色。",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "当列表/树处于活动状态且已选择时,重点项的列表/树边框颜色。活动的列表/树具有键盘焦点,但非活动的则没有。",
"listFocusBackground": "焦点项在列表或树活动时的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
"listFocusForeground": "焦点项在列表或树活动时的前景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "滚动条滑块在被点击时的背景色。",
"scrollbarSliderBackground": "滚动条滑块背景色",
"scrollbarSliderHoverBackground": "滚动条滑块在悬停时的背景色",
"search.resultsInfoForeground": "搜索 Viewlet 完成消息中文本的颜色。",
"searchEditor.editorFindMatchBorder": "搜索编辑器查询匹配的边框颜色。",
"searchEditor.queryMatch": "搜索编辑器查询匹配的颜色。",
"selectionBackground": "工作台所选文本的背景颜色(例如输入字段或文本区域)。注意,本设置不适用于编辑器。",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "使用鼠标悬停在操作上时显示工具栏轮廓",
"treeInactiveIndentGuidesStroke": "非活动缩进参考线的树描边颜色。",
"treeIndentGuidesStroke": "缩进参考线的树描边颜色。",
"warningBorder": "编辑器中警告框的边框颜色。",
"warningBorder": "如果设置,编辑器中警告的双下划线颜色。",
"widgetBorder": "编辑器内小组件(如查找/替换)的边框颜色。",
"widgetShadow": "编辑器内小组件(如查找/替换)的阴影颜色。"
},

View File

@ -38,6 +38,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"alertErrorMessage": "錯誤: {0}",
"alertInfoMessage": "資訊: {0}",
"alertWarningMessage": "警告: {0}",
"clearedInput": "已清除輸入",
"history.inputbox.hint": "歷程記錄"
},
"vs/base/browser/ui/keybindingLabel/keybindingLabel": {
@ -107,7 +108,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"diff-aria-navigation-tip": " 使用 Shift + F7 瀏覽變更",
"diff.tooLarge": "因其中一個檔案過大而無法比較。",
"diffInsertIcon": "Diff 編輯器中用於插入的線條裝飾。",
"diffRemoveIcon": "Diff 編輯器中用於移除的線條裝飾。"
"diffRemoveIcon": "Diff 編輯器中用於移除的線條裝飾。",
"revertChangeHoverMessage": "按一下以還原變更"
},
"vs/editor/browser/widget/diffReview": {
"blankLine": "空白",
@ -138,9 +140,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/common/config/editorConfigurationSchema": {
"codeLens": "控制編輯器是否顯示 codelens。",
"detectIndentation": "根據檔案內容,控制當檔案開啟時,是否自動偵測 {0} 和 {1}。",
"diffAlgorithm.experimental": "使用實驗性差異演算法。",
"diffAlgorithm.smart": "使用預設的差異演算法。",
"diffAlgorithm.advanced": "使用進階版差異演算法。",
"diffAlgorithm.legacy": "使用舊版差異演算法。",
"editor.experimental.asyncTokenization": "控制權杖化是否應該在 Web 工作者上非同步進行。",
"editor.experimental.asyncTokenizationLogging": "控制是否應該記錄非同步權杖化。僅適用偵錯。",
"editor.experimental.asyncTokenizationVerification": "控制是否應使用舊版背景 Token 化來驗證非同步 Token 化。可能會減慢 Token 化的速度。僅用於偵錯。",
"editorConfigurationTitle": "編輯器",
"ignoreTrimWhitespace": "啟用時Diff 編輯器會忽略前置或後置空格的變更。",
"indentSize": "用於縮排或 'tabSize' 使用 `\"editor.tabSize\"` 值的空格數目。當 '#editor.detectIndentation#' 開啟時,會根據檔案內容覆寫這個設定。",
@ -215,10 +219,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"cursorSurroundingLinesStyle.all": "一律強制執行 `cursorSurroundingLines`",
"cursorSurroundingLinesStyle.default": "只有通過鍵盤或 API 觸發時,才會施行 `cursorSurroundingLines`。",
"cursorWidth": "控制游標寬度,當 `#editor.cursorStyle#` 設定為 `line` 時。",
"defaultColorDecorators": "控制是否應使用預設的文件色彩提供者顯示內嵌色彩裝飾",
"definitionLinkOpensInPeek": "控制「前往定義」滑鼠手勢,是否一律開啟瞄核小工具。",
"deprecated": "此設定已淘汰,請改用 'editor.suggest.showKeywords' 或 'editor.suggest.showSnippets' 等單獨設定。",
"dragAndDrop": "控制編輯器是否允許透過拖放來移動選取項目。",
"dropIntoEditor.enabled": "控制您是否可以按住 `shift` 鍵 (而非在編輯器中開啟檔案),將檔案拖放到文字編輯器中。",
"dropIntoEditor.showDropSelector": "控制將檔案放入編輯器時是否顯示小工具。此小工具可讓您控制檔案的置放方式。",
"dropIntoEditor.showDropSelector.afterDrop": "將檔案放入編輯器後顯示置放選取器小工具。",
"dropIntoEditor.showDropSelector.never": "永不顯示置放選取器小工具。改為一律使用預設置放提供者。",
"editor.autoClosingBrackets.beforeWhitespace": "僅當游標位於空白的左側時自動關閉括號。",
"editor.autoClosingBrackets.languageDefined": "使用語言配置確定何時自動關閉括號。",
"editor.autoClosingDelete.auto": "僅在自動插入相鄰的右引號或括弧時,才將其移除。",
@ -266,8 +274,9 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editor.inlayHints.offUnlessPressed": "預設會隱藏內嵌提示,並在按住 {0} 時顯示",
"editor.inlayHints.on": "已啟用內嵌提示",
"editor.inlayHints.onUnlessPressed": "預設會顯示內嵌提示,並在按住 {0} 時隱藏",
"editor.stickyScroll": "在編輯器頂端捲動期間顯示巢狀的目前範圍。",
"editor.stickyScroll.": "定義要顯示的自黏線數目上限。",
"editor.stickyScroll.defaultModel": "定義要用於判斷要黏住的線條的模型。如果大綱模型不存在,則會回到摺疊提供者模型,其會回到縮排模型。這三種情況中會遵守此順序。",
"editor.stickyScroll.enabled": "在編輯器頂端捲動期間顯示巢狀的目前範圍。",
"editor.stickyScroll.maxLineCount": "定義要顯示的自黏線數目上限。",
"editor.suggest.matchOnWordStartOnly": "啟用時IntelliSense 篩選會要求第一個字元符合文字開頭,例如 `Console` 或 `WebCoNtext` 上的 `c`,但不是 `description` 上的 _not_。停用時IntelliSense 會顯示更多結果,但仍會依相符品質排序結果。",
"editor.suggest.showClasss": "啟用時IntelliSense 顯示「類別」建議。",
"editor.suggest.showColors": "啟用時IntelliSense 顯示「色彩」建議。",
@ -345,6 +354,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"inlineSuggest.showToolbar": "控制何時顯示內嵌建議工具列。",
"inlineSuggest.showToolbar.always": "每當顯示內嵌建議時,顯示內嵌建議工具列。",
"inlineSuggest.showToolbar.onHover": "每當游標停留在內嵌建議上方時,顯示內嵌建議工具列。",
"inlineSuggest.suppressSuggestions": "控制內嵌建議如何與建議小工具互動。如果啟用,有可用的內嵌建議時,不會自動顯示建議小工具。",
"letterSpacing": "控制字母間距 (像素)。",
"lineHeight": "控制行高。\r\n - 使用 0 從字型大小自動計算行高。\r\n - 使用介於 0 和 8 之間的值作為字型大小的乘數。\r\n - 大於或等於 8 的值將用來作為有效值。",
"lineNumbers": "控制行號的顯示。",
@ -384,6 +394,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"padding.top": "控制編輯器上邊緣與第一行之間的空格數。",
"parameterHints.cycle": "控制提示功能表是否在清單結尾時循環或關閉。",
"parameterHints.enabled": "啟用快顯,在您鍵入的同時顯示參數文件和類型資訊。",
"pasteAs.enabled": "控制是否可以以不同方式貼上內容。",
"pasteAs.showPasteSelector": "控制將內容貼上至編輯器時是否顯示小工具。此小工具可讓您控制檔案的貼上方式。",
"pasteAs.showPasteSelector.afterPaste": "將內容貼上編輯器後顯示貼上選取器小工具。",
"pasteAs.showPasteSelector.never": "永不顯示貼上選取器小工具。而是一律使用預設的貼上行為。",
"peekWidgetDefaultFocus": "控制要聚焦內嵌編輯器或預覽小工具中的樹系。",
"peekWidgetDefaultFocus.editor": "開啟時聚焦編輯器",
"peekWidgetDefaultFocus.tree": "開啟預覽時焦點樹狀",
@ -407,6 +421,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"rulers": "在某個數目的等寬字元之後顯示垂直尺規。如有多個尺規,就會使用多個值。若陣列空白,就不會繪製任何尺規。",
"rulers.color": "此編輯器尺規的色彩。",
"rulers.size": "這個編輯器尺規會轉譯的等寬字元數。",
"screenReaderAnnounceInlineSuggestion": "控制內嵌建議是否由螢幕閱讀程式宣告。請注意,在使用 VoiceOver 的 macOS 上無法進行此作業。",
"scrollBeyondLastColumn": "控制編輯器水平捲動的額外字元數。",
"scrollBeyondLastLine": "控制編輯器是否捲動到最後一行之外。",
"scrollPredominantAxis": "同時進行垂直與水平捲動時,僅沿主軸捲動。避免在軌跡板上進行垂直捲動時發生水平漂移。",
@ -453,7 +468,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"suggest.showIcons": "控制要在建議中顯示或隱藏圖示。",
"suggest.showInlineDetails": "控制建議詳細資料是以內嵌於標籤的方式顯示,還是只在詳細資料小工具中顯示。",
"suggest.showStatusBar": "控制建議小工具底下的狀態列可見度。",
"suggest.snippetsPreventQuickSuggestions": "控制正在使用的程式碼片段是否會避免快速建議。",
"suggestFontSize": "建議小工具的字型大小。當設定為 {0} 時,則會使用 {1} 的值。",
"suggestLineHeight": "建議小工具的行高。當設定為 {0} 時,則會使用 {1} 的值。最小值為 8。",
"suggestOnTriggerCharacters": "控制建議是否應在鍵入觸發字元時自動顯示。",
@ -575,6 +589,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorHasSelection": "編輯器是否有選取文字",
"editorHasSignatureHelpProvider": "編輯器是否有簽章說明提供者",
"editorHasTypeDefinitionProvider": "編輯器是否有型別定義提供者",
"editorHoverFocused": "編輯器暫留是否聚焦",
"editorHoverVisible": "編輯器暫留是否顯示",
"editorLangId": "編輯器的語言識別碼",
"editorReadonly": "編輯器是否為唯讀",
@ -582,6 +597,11 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorTextFocus": "編輯器文字是否有焦點 (游標閃爍)",
"inCompositeEditor": "編輯器是否為較大編輯器的一部分 (例如筆記本)",
"inDiffEditor": "內容是否為 Diff 編輯器",
"isEmbeddedDiffEditor": "內容是否為內嵌 Diff 編輯器",
"standaloneColorPickerFocused": "獨立的顏色選擇器是否聚焦",
"standaloneColorPickerVisible": "是否顯示獨立的顏色選擇器",
"stickyScrollFocused": "自黏捲動是否聚焦",
"stickyScrollVisible": "自黏捲動是否顯示",
"textInputFocus": "編輯器或 RTF 輸入是否有焦點 (游標閃爍)"
},
"vs/editor/common/languages/modesRegistry": {
@ -592,6 +612,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/editor/common/standaloneStrings": {
"accessibilityHelpMessage": "按 Alt+F1 可取得協助工具選項。",
"accessibilityHelpTitle": "協助工具說明",
"auto_off": "已將此編輯器設定為永遠不針對搭配螢幕助讀程式使用最佳化,但目前不是此情況。",
"auto_on": "編輯器已設定為針對搭配螢幕助讀程式使用最佳化。",
"bulkEditServiceSummary": "已在 {1} 檔案中進行 {0} 項編輯",
@ -642,6 +663,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"miGoToBracket": "前往括弧(&&B)",
"overviewRulerBracketMatchForeground": "成對括弧的概觀尺規標記色彩。",
"smartSelect.jumpBracket": "移至方括弧",
"smartSelect.removeBrackets": "移除括弧",
"smartSelect.selectToBracket": "選取至括弧"
},
"vs/editor/contrib/caretOperations/browser/caretOperations": {
@ -693,12 +715,15 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"organizeImports.label": "組織匯入",
"quickfix.trigger.label": "快速修復...",
"refactor.label": "重構...",
"refactor.preview.label": "使用預覽重構...",
"source.label": "來源動作..."
},
"vs/editor/contrib/codeAction/browser/codeActionContributions": {
"showCodeActionHeaders": "啟用/停用在 [程式碼動作] 功能表中顯示群組標頭。"
},
"vs/editor/contrib/codeAction/browser/codeActionController": {
"hideMoreActions": "隱藏已停用項目",
"showMoreActions": "顯示已停用項目"
},
"vs/editor/contrib/codeAction/browser/codeActionMenu": {
"codeAction.widget.id.convert": "重寫...",
"codeAction.widget.id.extract": "擷取...",
@ -709,10 +734,6 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"codeAction.widget.id.source": "來源動作...",
"codeAction.widget.id.surround": "範圍陳述式..."
},
"vs/editor/contrib/codeAction/browser/codeActionUi": {
"hideMoreActions": "隱藏已停用項目",
"showMoreActions": "顯示已停用項目"
},
"vs/editor/contrib/codeAction/browser/lightBulbWidget": {
"codeAction": "顯示程式碼動作",
"codeActionWithKb": "顯示程式碼動作 ({0})",
@ -722,7 +743,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"showLensOnLine": "顯示目前行的 Code Lens 命令"
},
"vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
"clickToToggleColorOptions": "按一下以切換色彩選項 (rgb/hsl/hex)"
"clickToToggleColorOptions": "按一下以切換色彩選項 (rgb/hsl/hex)",
"closeIcon": "要關閉顏色選擇器的圖示"
},
"vs/editor/contrib/colorPicker/browser/standaloneColorPickerActions": {
"hideColorPicker": "隱藏顏色選擇器",
"insertColorWithStandaloneColorPicker": "使用獨立的顏色選擇器插入顏色",
"mishowOrFocusStandaloneColorPicker": "&&顯示或聚焦獨立的顏色選擇器",
"showOrFocusStandaloneColorPicker": "顯示或聚焦獨立的顏色選擇器"
},
"vs/editor/contrib/comment/browser/comment": {
"comment.block": "切換區塊註解",
@ -744,19 +772,10 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"context.minimap.slider.always": "一律",
"context.minimap.slider.mouseover": "滑鼠移至上方"
},
"vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
"pasteActions": "在貼上時啟用/停用從延伸模組執行編輯。"
},
"vs/editor/contrib/copyPaste/browser/copyPasteController": {
"pasteProgressTitle": "正在執行貼上處理常式..."
},
"vs/editor/contrib/cursorUndo/browser/cursorUndo": {
"cursor.redo": "游標重做",
"cursor.undo": "游標復原"
},
"vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
"dropProgressTitle": "正在執行置放處理常式..."
},
"vs/editor/contrib/editorState/browser/keybindingCancellation": {
"cancellableOperation": "編輯器是否執行可取消的作業,例如「預覽參考」"
},
@ -768,6 +787,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"findMatchAction.goToMatch": "移至相符項目...",
"findMatchAction.inputPlaceHolder": "輸入數字以前往特定相符項目 (介於 1 到 {0})",
"findMatchAction.inputValidationMessage": "請輸入介於 1 和 {0} 之間的數字。",
"findMatchAction.noResults": "沒有相符項目。嘗試搜尋其他項目。",
"findNextMatchAction": "尋找下一個",
"findPreviousMatchAction": "尋找上一個",
"miFind": "尋找(&&F)",
@ -934,8 +954,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/editor/contrib/gotoSymbol/browser/referencesModel": {
"aria.fileReferences.1": "1 個符號位於 {0}, 完整路徑 {1}",
"aria.fileReferences.N": "{0} 個符號位於 {1}, 完整路徑 {2}",
"aria.oneReference": "個符號位於 {0} 中的第 {1} 行第 {2} 欄",
"aria.oneReference.preview": "符號位於 {0} 中的第 {1} 行第 {2}、{3} 欄",
"aria.oneReference": "在資料行 {2} 行 {1} 的 {0} 中",
"aria.oneReference.preview": "在資料行 {3} 行 {2} 的 {1} 的 {0} 中",
"aria.result.0": "找不到結果",
"aria.result.1": "在 {0} 中找到 1 個符號",
"aria.result.n1": "在 {1} 中找到 {0} 個符號",
@ -947,8 +967,17 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"location.kb": "{1} 的符號 {0}{2} 為下一個"
},
"vs/editor/contrib/hover/browser/hover": {
"escapeFocusHover": "逸出聚焦暫留",
"goToBottomHover": "移至下方暫留",
"goToTopHover": "移至上方暫留",
"pageDownHover": "下一頁暫留",
"pageUpHover": "上一頁暫留",
"scrollDownHover": "向下捲動暫留",
"scrollLeftHover": "向左捲動暫留",
"scrollRightHover": "向右捲動暫留",
"scrollUpHover": "向上捲動暫留",
"showDefinitionPreviewHover": "顯示定義預覽懸停",
"showHover": "動態顯示"
"showOrFocusHover": "顯示或聚焦暫留"
},
"vs/editor/contrib/hover/browser/markdownHoverParticipant": {
"modesContentHover.loading": "正在載入...",
@ -985,28 +1014,30 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"links.navigate.kb.meta": "ctrl + 按一下",
"links.navigate.kb.meta.mac": "cmd + 按一下"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
"vs/editor/contrib/inlineCompletions/browser/commands": {
"accept": "接受",
"acceptLine": "接受行",
"acceptWord": "接受字組",
"action.inlineSuggest.accept": "接受內嵌建議",
"action.inlineSuggest.acceptNextLine": "接受下一個內嵌建議行",
"action.inlineSuggest.acceptNextWord": "接受下一個內嵌建議字組",
"action.inlineSuggest.alwaysShowToolbar": "永遠顯示工具列",
"action.inlineSuggest.hide": "隱藏內嵌建議",
"action.inlineSuggest.showNext": "顯示下一個內嵌建議",
"action.inlineSuggest.showPrevious": "顯示上一個內嵌建議",
"action.inlineSuggest.trigger": "觸發內嵌建議",
"action.inlineSuggest.undo": "復原接受字組",
"action.inlineSuggest.trigger": "觸發內嵌建議"
},
"vs/editor/contrib/inlineCompletions/browser/hoverParticipant": {
"inlineSuggestionFollows": "建議:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionContextKeys": {
"alwaysShowInlineSuggestionToolbar": "是否一律顯示內嵌建議工具列",
"canUndoInlineSuggestion": "復原是否復原內嵌建議",
"inlineSuggestionHasIndentation": "內嵌建議是否以空白字元開頭",
"inlineSuggestionHasIndentationLessThanTabSize": "內嵌建議的開頭是否為空白,且比 Tab 能插入的字元要小",
"inlineSuggestionVisible": "是否顯示內嵌建議",
"undoAcceptWord": "復原接受字組"
"suppressSuggestions": "是否應隱藏目前建議的其他建議"
},
"vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
"inlineSuggestionFollows": "建議:"
},
"vs/editor/contrib/inlineCompletions/browser/inlineSuggestionHintsWidget": {
"vs/editor/contrib/inlineCompletions/browser/inlineCompletionsHintsWidget": {
"content": "{0} ({1})",
"next": "下一步",
"parameterHintsNextIcon": "[顯示下一個參數提示] 的圖示。",
@ -1237,8 +1268,14 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"WednesdayShort": "週三"
},
"vs/editor/contrib/stickyScroll/browser/stickyScrollActions": {
"focusStickyScroll": "聚焦自黏捲動",
"goToFocusedStickyScrollLine.title": "移至聚焦的自黏捲動行",
"miStickyScroll": "自黏捲動(&&S)",
"mifocusStickyScroll": "焦點自黏捲動(&&F)",
"mitoggleStickyScroll": "切換自黏捲動(&&T)",
"selectEditor.title": "選取編輯器",
"selectNextStickyScrollLine.title": "選取下一個自黏捲動行",
"selectPreviousStickyScrollLine.title": "選取上一個自黏捲動行",
"stickyScroll": "自黏捲動",
"toggleStickyScroll": "切換自黏捲動"
},
@ -1343,6 +1380,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"unicodeHighlight.adjustSettings": "調整設定",
"unicodeHighlight.allowCommonCharactersInLanguage": "允許在語言「{0}」中較常用的 Unicode 字元。",
"unicodeHighlight.characterIsAmbiguous": "字元 {0} 可能與字元 {1} 混淆,這在原始程式碼中比較常見。",
"unicodeHighlight.characterIsAmbiguousASCII": "字元 {0} 可能與 ASCII 字元 {1} 混淆,這在原始程式碼中比較常見。",
"unicodeHighlight.characterIsInvisible": "字元 {0} 隱藏。",
"unicodeHighlight.characterIsNonBasicAscii": "字元 {0} 不是基本的 ASCII 字元。",
"unicodeHighlight.configureUnicodeHighlightOptions": "設定 Unicode 醒目提示選項",
@ -1386,6 +1424,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/action/common/actionCommonCategories": {
"developer": "開發人員",
"file": "檔案",
"help": "說明",
"preferences": "喜好設定",
"test": "測試",
@ -1448,6 +1487,19 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"vs/platform/contextkey/browser/contextKeyService": {
"getContextKeyInfo": "傳回有關內容索引鍵資訊的命令"
},
"vs/platform/contextkey/common/contextkey": {
"contextkey.parser.error.closingParenthesis": "右括弧 ')'",
"contextkey.parser.error.emptyString": "空的內容索引鍵運算式",
"contextkey.parser.error.emptyString.hint": "您是否忘記撰寫運算式? 您也可以分別放置 'false' 或 'true',以一律評估為 False 或 True。",
"contextkey.parser.error.expectedButGot": "預期: {0}\r\n收到: '{1}'。",
"contextkey.parser.error.noInAfterNot": "'not' 後為 'in'。",
"contextkey.parser.error.unexpectedEOF": "運算式未預期的結尾",
"contextkey.parser.error.unexpectedEOF.hint": "您是否忘記放置內容金鑰?",
"contextkey.parser.error.unexpectedToken": "未預期的權杖",
"contextkey.parser.error.unexpectedToken.hint": "您是否忘記在權杖之前放置 && 或 ||?",
"contextkey.scanner.errorForLinter": "未預期的權杖。",
"contextkey.scanner.errorForLinterWithHint": "未預期的權杖。提示: {0}"
},
"vs/platform/contextkey/common/contextkeys": {
"inputFocus": "鍵盤焦點是否位於輸入方塊內",
"isIOS": "作業系統是否為 iOS",
@ -1459,6 +1511,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"isWindows": "作業系統是否為 Windows",
"productQualityType": "VS Code 的品質類型"
},
"vs/platform/contextkey/common/scanner": {
"contextkey.scanner.hint.didYouForgetToEscapeSlash": "您是否忘記逸出 '/' (斜線) 字元? 在反斜線前放兩個反斜線以逸出,例如 '\\\\/'。",
"contextkey.scanner.hint.didYouForgetToOpenOrCloseQuote": "您是否忘記左括弧或右括弧?",
"contextkey.scanner.hint.didYouMean1": "您是指 '{0}'?",
"contextkey.scanner.hint.didYouMean2": "您是指 {0} 或 {1}?",
"contextkey.scanner.hint.didYouMean3": "您是指 {0}、{1} 或 {2}?"
},
"vs/platform/dialogs/common/dialogs": {
"cancelButton": "取消",
"moreFile": "...另外 1 個檔案未顯示",
@ -1482,7 +1541,8 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
},
"vs/platform/keybinding/common/abstractKeybindingService": {
"first.chord": "已按下 ({0})。等待第二個套索鍵...",
"missing.chord": "按鍵組合 ({0}, {1}) 不是命令。"
"missing.chord": "按鍵組合 ({0}, {1}) 不是命令。",
"next.chord": "({0}) 已按下。正在等待下一個套索鍵..."
},
"vs/platform/list/browser/listService": {
"Fast Scroll Sensitivity": "按下 `Alt` 時的捲動速度乘數。",
@ -1624,7 +1684,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"editorWidgetBorder": "編輯器小工具的邊界色彩。小工具選擇擁有邊界或色彩未被小工具覆寫時,才會使用色彩。",
"editorWidgetForeground": "編輯器小工具 (例如尋找/取代) 的前景色彩。",
"editorWidgetResizeBorder": "編輯器小工具之調整大小列的邊界色彩。只在小工具選擇具有調整大小邊界且未覆寫該色彩時,才使用該色彩。",
"errorBorder": "編輯器中錯誤方塊的框線色彩。",
"errorBorder": "如果設定,編輯器中的錯誤會顯示雙底線色彩。",
"errorForeground": "整體錯誤訊息的前景色彩。僅當未被任何元件覆蓋時,才會使用此色彩。",
"findMatchHighlight": "其他搜尋相符項目的色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
"findMatchHighlightBorder": "符合其他搜尋的框線色彩。",
@ -1633,13 +1693,13 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"focusBorder": "焦點項目的整體框線色彩。只在沒有任何元件覆寫此色彩時,才會加以使用。",
"foreground": "整體的前景色彩。僅當未被任何元件覆疊時,才會使用此色彩。",
"highlight": "在清單/樹狀內搜尋時,相符醒目提示的清單/樹狀前景色彩。",
"hintBorder": "編輯器中的提示方塊框線色彩。",
"hintBorder": "如果設定,編輯器中的提示會顯示雙底線色彩。",
"hoverBackground": "編輯器動態顯示的背景色彩。",
"hoverBorder": "編輯器動態顯示的框線色彩。",
"hoverForeground": "編輯器動態顯示的前景色彩。",
"hoverHighlight": "在顯示動態顯示的文字下醒目提示。其不得為不透明色彩,以免隱藏底層裝飾。",
"iconForeground": "工作台中圖示的預設色彩。",
"infoBorder": "編輯器中的資訊方塊框線色彩。",
"infoBorder": "如果設定,編輯器中的提示會顯示雙底線色彩。",
"inputBoxActiveOptionBorder": "輸入欄位中可使用之項目的框線色彩。",
"inputBoxBackground": "輸入方塊的背景。",
"inputBoxBorder": "輸入方塊的框線。",
@ -1673,7 +1733,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"listFilterWidgetBackground": "清單和樹狀結構中類型篩選小工具的背景色彩。",
"listFilterWidgetNoMatchesOutline": "在沒有相符項目時,清單和樹狀結構中類型篩選小工具的大綱色彩。",
"listFilterWidgetOutline": "清單和樹狀結構中類型篩選小工具的大綱色彩。",
"listFilterWidgetShadow": "清單和樹狀結構中類型篩選小工具的陰影色彩。",
"listFilterWidgetShadow": "Shadow color of the type filter widget in lists and trees.",
"listFocusAndSelectionOutline": "當清單/樹狀目錄為使用中狀態並已選取時,焦點項目的清單/樹狀目錄外框色彩。使用中的清單/樹狀目錄具有鍵盤焦點,非使用中者則沒有。",
"listFocusBackground": "當清單/樹狀為使用中狀態時,焦點項目的清單/樹狀背景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
"listFocusForeground": "當清單/樹狀為使用中狀態時,焦點項目的清單/樹狀前景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
@ -1734,6 +1794,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"scrollbarSliderActiveBackground": "當點擊時捲軸滑桿的背景顏色。",
"scrollbarSliderBackground": "捲軸滑桿的背景顏色。",
"scrollbarSliderHoverBackground": "動態顯示時捲軸滑桿的背景顏色。",
"search.resultsInfoForeground": "搜尋 Viewlet 完成訊息中文字的色彩。",
"searchEditor.editorFindMatchBorder": "搜索編輯器查詢符合的邊框色彩。",
"searchEditor.queryMatch": "搜尋編輯器查詢符合的色彩。",
"selectionBackground": "作業區域選取的背景顏色(例如輸入或文字區域)。請注意,這不適用於編輯器中的選取。",
@ -1756,7 +1817,7 @@ window.MonacoEnvironment.Locale = window.MonacoLocale = {
"toolbarHoverOutline": "使用滑鼠將游標停留在動作上方時的工具列外框",
"treeInactiveIndentGuidesStroke": "非使用中縮排輔助線的樹狀筆觸色彩。",
"treeIndentGuidesStroke": "縮排輔助線的樹狀筆觸色彩。",
"warningBorder": "編輯器中的警告方塊框線色彩。",
"warningBorder": "如果設定,編輯器中的警告會顯示雙底線色彩。",
"widgetBorder": "小工具的框線色彩,例如編輯器中的尋找/取代。",
"widgetShadow": "小工具的陰影色彩,例如編輯器中的尋找/取代。"
},

View File

@ -0,0 +1,213 @@
{
"base": "vs-dark",
"inherit": true,
"rules": [
{
"background": "1f2937",
"token": ""
},
{
"foreground": "6272a4",
"token": "comment"
},
{
"foreground": "f1fa8c",
"token": "string"
},
{
"foreground": "bd93f9",
"token": "constant.numeric"
},
{
"foreground": "bd93f9",
"token": "constant.language"
},
{
"foreground": "bd93f9",
"token": "constant.character"
},
{
"foreground": "bd93f9",
"token": "constant.other"
},
{
"foreground": "ffb86c",
"token": "variable.other.readwrite.instance"
},
{
"foreground": "ff79c6",
"token": "constant.character.escaped"
},
{
"foreground": "ff79c6",
"token": "constant.character.escape"
},
{
"foreground": "ff79c6",
"token": "string source"
},
{
"foreground": "ff79c6",
"token": "string source.ruby"
},
{
"foreground": "ff79c6",
"token": "keyword"
},
{
"foreground": "ff79c6",
"token": "storage"
},
{
"foreground": "8be9fd",
"fontStyle": "italic",
"token": "storage.type"
},
{
"foreground": "50fa7b",
"fontStyle": "underline",
"token": "entity.name.class"
},
{
"foreground": "50fa7b",
"fontStyle": "italic underline",
"token": "entity.other.inherited-class"
},
{
"foreground": "50fa7b",
"token": "entity.name.function"
},
{
"foreground": "ffb86c",
"fontStyle": "italic",
"token": "variable.parameter"
},
{
"foreground": "ff79c6",
"token": "entity.name.tag"
},
{
"foreground": "50fa7b",
"token": "entity.other.attribute-name"
},
{
"foreground": "8be9fd",
"token": "support.function"
},
{
"foreground": "6be5fd",
"token": "support.constant"
},
{
"foreground": "66d9ef",
"fontStyle": " italic",
"token": "support.type"
},
{
"foreground": "66d9ef",
"fontStyle": " italic",
"token": "support.class"
},
{
"foreground": "f8f8f0",
"background": "ff79c6",
"token": "invalid"
},
{
"foreground": "f8f8f0",
"background": "bd93f9",
"token": "invalid.deprecated"
},
{
"foreground": "cfcfc2",
"token": "meta.structure.dictionary.json string.quoted.double.json"
},
{
"foreground": "6272a4",
"token": "meta.diff"
},
{
"foreground": "6272a4",
"token": "meta.diff.header"
},
{
"foreground": "ff79c6",
"token": "markup.deleted"
},
{
"foreground": "50fa7b",
"token": "markup.inserted"
},
{
"foreground": "e6db74",
"token": "markup.changed"
},
{
"foreground": "bd93f9",
"token": "constant.numeric.line-number.find-in-files - match"
},
{
"foreground": "e6db74",
"token": "entity.name.filename"
},
{
"foreground": "f83333",
"token": "message.error"
},
{
"foreground": "eeeeee",
"token": "punctuation.definition.string.begin.json - meta.structure.dictionary.value.json"
},
{
"foreground": "eeeeee",
"token": "punctuation.definition.string.end.json - meta.structure.dictionary.value.json"
},
{
"foreground": "8be9fd",
"token": "meta.structure.dictionary.json string.quoted.double.json"
},
{
"foreground": "f1fa8c",
"token": "meta.structure.dictionary.value.json string.quoted.double.json"
},
{
"foreground": "50fa7b",
"token": "meta meta meta meta meta meta meta.structure.dictionary.value string"
},
{
"foreground": "ffb86c",
"token": "meta meta meta meta meta meta.structure.dictionary.value string"
},
{
"foreground": "ff79c6",
"token": "meta meta meta meta meta.structure.dictionary.value string"
},
{
"foreground": "bd93f9",
"token": "meta meta meta meta.structure.dictionary.value string"
},
{
"foreground": "50fa7b",
"token": "meta meta meta.structure.dictionary.value string"
},
{
"foreground": "ffb86c",
"token": "meta meta.structure.dictionary.value string"
}
],
"colors": {
"editor.foreground": "#f8f8f2",
"editor.background": "#1f2937",
"editorCursor.foreground": "#f8f8f0",
"dropdown.background": "#44475a",
"editor.selectionBackground": "#44475a70",
"editor.inactiveSelectionBackground": "#44475a30",
"editorWidget.background": "#44475a",
"list.hoverForeground": "#44475a",
"list.hoverBackground": "#F7F8FC",
"list.focusForeground": "#44475a",
"list.focusBackground": "#F7F8FC",
"list.activeSelectionForeground": "#44475a",
"list.activeSelectionBackground": "#F7F8FC"
}
}

View File

@ -0,0 +1,227 @@
{
"base": "vs",
"inherit": true,
"rules": [
{
"background": "f2f3fb",
"token": ""
},
{
"foreground": "8e908c",
"token": "comment"
},
{
"foreground": "31959A",
"token": "keyword.operator.class"
},
{
"foreground": "31959A",
"token": "constant.other"
},
{
"foreground": "c82829",
"token": "variable"
},
{
"foreground": "c82829",
"token": "support.other.variable"
},
{
"foreground": "c82829",
"token": "string.other.link"
},
{
"foreground": "c82829",
"token": "string.regexp"
},
{
"foreground": "c82829",
"token": "entity.name.tag"
},
{
"foreground": "c82829",
"token": "entity.other.attribute-name"
},
{
"foreground": "c82829",
"token": "meta.tag"
},
{
"foreground": "c82829",
"token": "declaration.tag"
},
{
"foreground": "c82829",
"token": "markup.deleted.git_gutter"
},
{
"foreground": "f5871f",
"token": "constant.numeric"
},
{
"foreground": "f5871f",
"token": "constant.language"
},
{
"foreground": "f5871f",
"token": "support.constant"
},
{
"foreground": "f5871f",
"token": "constant.character"
},
{
"foreground": "f5871f",
"token": "variable.parameter"
},
{
"foreground": "f5871f",
"token": "punctuation.section.embedded"
},
{
"foreground": "f5871f",
"token": "keyword.other.unit"
},
{
"foreground": "c99e00",
"token": "entity.name.class"
},
{
"foreground": "c99e00",
"token": "entity.name.type.class"
},
{
"foreground": "c99e00",
"token": "support.type"
},
{
"foreground": "c99e00",
"token": "support.class"
},
{
"foreground": "ED4E4E",
"token": "string"
},
{
"foreground": "ED4E4E",
"token": "constant.other.symbol"
},
{
"foreground": "ED4E4E",
"token": "entity.other.inherited-class"
},
{
"foreground": "ED4E4E",
"token": "markup.heading"
},
{
"foreground": "718c00",
"token": "markup.inserted.git_gutter"
},
{
"foreground": "31959A",
"token": "keyword.operator"
},
{
"foreground": "31959A",
"token": "constant.other.color"
},
{
"foreground": "4271ae",
"token": "entity.name.function"
},
{
"foreground": "4271ae",
"token": "meta.function-call"
},
{
"foreground": "4271ae",
"token": "support.function"
},
{
"foreground": "4271ae",
"token": "keyword.other.special-method"
},
{
"foreground": "4271ae",
"token": "meta.block-level"
},
{
"foreground": "4271ae",
"token": "markup.changed.git_gutter"
},
{
"foreground": "31959A",
"token": "keyword"
},
{
"foreground": "8959a8",
"token": "storage"
},
{
"foreground": "8959a8",
"token": "storage.type"
},
{
"foreground": "f12229",
"token": "invalid"
},
{
"foreground": "ffffff",
"background": "4271ae",
"token": "meta.separator"
},
{
"foreground": "f12229",
"background": "8959a8",
"token": "invalid.deprecated"
},
{
"background": "718c00",
"token": "markup.inserted.diff"
},
{
"background": "718c00",
"token": "meta.diff.header.to-file"
},
{
"background": "c82829",
"token": "markup.deleted.diff"
},
{
"background": "c82829",
"token": "meta.diff.header.from-file"
},
{
"foreground": "ffffff",
"background": "4271ae",
"token": "meta.diff.header.from-file"
},
{
"foreground": "ffffff",
"background": "4271ae",
"token": "meta.diff.header.to-file"
},
{
"foreground": "31959A",
"fontStyle": "italic",
"token": "meta.diff.range"
}
],
"colors": {
"editor.foreground": "#1f2937",
"editor.background": "#ffffff",
"editorCursor.foreground": "#4E4F5D",
"editorLineNumber.foreground": "#1f2937",
"dropdown.background": "#F7F8FC",
"editor.selectionBackground": "#65718370",
"editor.inactiveSelectionBackground": "#65718330",
"editorWidget.background":"#F7F8FC",
"list.hoverForeground": "#F7F8FC",
"list.hoverBackground": "#657183",
"list.focusForeground": "#F7F8FC",
"list.focusBackground": "#657183",
"list.activeSelectionForeground": "#F7F8FC",
"list.activeSelectionBackground": "#657183"
}
}

File diff suppressed because one or more lines are too long

View File

@ -33,14 +33,7 @@ module.exports = function(RED) {
parseString(value, options, function (err, result) {
if (err) { done(err); }
else {
// TODO: With xml2js@0.5.0, they return an object with
// a null prototype. This could cause unexpected
// issues. So for now, we have to reconstruct
// the object with a proper prototype.
// Once https://github.com/Leonidas-from-XIV/node-xml2js/pull/674
// is merged, we can revisit and hopefully remove this hack
value = fixObj(result)
RED.util.setMessageProperty(msg,node.property,value);
RED.util.setMessageProperty(msg,node.property,result);
send(msg);
done();
}
@ -52,18 +45,4 @@ module.exports = function(RED) {
});
}
RED.nodes.registerType("xml",XMLNode);
function fixObj(obj) {
const res = {}
const keys = Object.keys(obj)
keys.forEach(k => {
if (typeof obj[k] === 'object' && obj[k]) {
res[k] = fixObj(obj[k])
} else {
res[k] = obj[k]
}
})
return res
}
}

View File

@ -44,7 +44,7 @@
"tough-cookie": "4.1.2",
"uuid": "9.0.0",
"ws": "7.5.6",
"xml2js": "0.5.0",
"xml2js": "0.6.0",
"iconv-lite": "0.6.3"
}
}