From 06f92c8f2275c1485b00c3f87575ad982f7d6023 Mon Sep 17 00:00:00 2001 From: Mark Sujew Date: Wed, 22 Feb 2023 23:09:13 +0100 Subject: [PATCH] Update nls.metadata.json for vscode API 1.70.2 (#12205) --- .../browser/common-frontend-contribution.ts | 15 +- packages/core/src/browser/core-preferences.ts | 4 +- .../i18n/language-quick-pick-service.ts | 15 +- packages/core/src/browser/tree/search-box.ts | 2 +- .../core/src/common/i18n/nls.metadata.json | 27469 ++++++++-------- .../editor-generated-preference-schema.ts | 22 +- .../src/browser/filesystem-preferences.ts | 2 +- .../search-in-workspace-preferences.ts | 2 +- .../src/browser/terminal-preferences.ts | 6 +- 9 files changed, 14199 insertions(+), 13338 deletions(-) diff --git a/packages/core/src/browser/common-frontend-contribution.ts b/packages/core/src/browser/common-frontend-contribution.ts index d95502c1e2fe9..909d73490cc1f 100644 --- a/packages/core/src/browser/common-frontend-contribution.ts +++ b/packages/core/src/browser/common-frontend-contribution.ts @@ -1152,9 +1152,11 @@ export class CommonFrontendContribution implements FrontendApplicationContributi } protected async configureDisplayLanguage(): Promise { - const languageId = await this.languageQuickPickService.pickDisplayLanguage(); - if (languageId && !nls.isSelectedLocale(languageId) && await this.confirmRestart()) { - nls.setLocale(languageId); + const languageInfo = await this.languageQuickPickService.pickDisplayLanguage(); + if (languageInfo && !nls.isSelectedLocale(languageInfo.languageId) && await this.confirmRestart( + languageInfo.localizedLanguageName ?? languageInfo.languageName ?? languageInfo.languageId + )) { + nls.setLocale(languageInfo.languageId); this.windowService.setSafeToShutDown(); this.windowService.reload(); } @@ -1169,10 +1171,11 @@ export class CommonFrontendContribution implements FrontendApplicationContributi return !!this.preferenceService.get('breadcrumbs.enabled'); } - protected async confirmRestart(): Promise { + protected async confirmRestart(languageName: string): Promise { + const appName = FrontendApplicationConfigProvider.get().applicationName; const shouldRestart = await new ConfirmDialog({ - title: nls.localizeByDefault('A restart is required for the change in display language to take effect.'), - msg: nls.localizeByDefault('Press the restart button to restart {0} and change the display language.', FrontendApplicationConfigProvider.get().applicationName), + title: nls.localizeByDefault('Press the restart button to restart {0} and set the display language to {1}.', appName, languageName), + msg: nls.localizeByDefault('To change the display language, {0} needs to restart', appName), ok: nls.localizeByDefault('Restart'), cancel: Dialog.CANCEL, }).open(); diff --git a/packages/core/src/browser/core-preferences.ts b/packages/core/src/browser/core-preferences.ts index 91fa8dd9d3be7..f6b77dcbc42ef 100644 --- a/packages/core/src/browser/core-preferences.ts +++ b/packages/core/src/browser/core-preferences.ts @@ -87,7 +87,7 @@ export const corePreferenceSchema: PreferenceSchema = { nls.localizeByDefault('Menu is displayed at the top of the window and only hidden in full screen mode.'), nls.localizeByDefault('Menu is always visible at the top of the window even in full screen mode.'), nls.localizeByDefault('Menu is always hidden.'), - nls.localizeByDefault('Menu is displayed as a compact button in the side bar. This value is ignored when `#window.titleBarStyle#` is `native`.') + nls.localizeByDefault('Menu is displayed as a compact button in the side bar. This value is ignored when {0} is {1}.', '`#window.titleBarStyle#`', '`native`') ], default: 'classic', scope: 'application', @@ -106,7 +106,7 @@ export const corePreferenceSchema: PreferenceSchema = { type: 'string', default: ' - ', scope: 'application', - markdownDescription: nls.localizeByDefault('Separator used by `window.title`.') + markdownDescription: nls.localizeByDefault('Separator used by {0}.', '`#window.title#`') }, 'http.proxy': { type: 'string', diff --git a/packages/core/src/browser/i18n/language-quick-pick-service.ts b/packages/core/src/browser/i18n/language-quick-pick-service.ts index 19b114b8fef68..c9d9af8016aa9 100644 --- a/packages/core/src/browser/i18n/language-quick-pick-service.ts +++ b/packages/core/src/browser/i18n/language-quick-pick-service.ts @@ -20,8 +20,7 @@ import { AsyncLocalizationProvider, LanguageInfo } from '../../common/i18n/local import { QuickInputService, QuickPickItem, QuickPickSeparator } from '../quick-input'; import { WindowService } from '../window/window-service'; -export interface LanguageQuickPickItem extends QuickPickItem { - languageId: string +export interface LanguageQuickPickItem extends QuickPickItem, LanguageInfo { execute?(): Promise } @@ -32,13 +31,13 @@ export class LanguageQuickPickService { @inject(AsyncLocalizationProvider) protected readonly localizationProvider: AsyncLocalizationProvider; @inject(WindowService) protected readonly windowService: WindowService; - async pickDisplayLanguage(): Promise { + async pickDisplayLanguage(): Promise { const quickInput = this.quickInputService.createQuickPick(); const installedItems = await this.getInstalledLanguages(); const quickInputItems: (LanguageQuickPickItem | QuickPickSeparator)[] = [ { type: 'separator', - label: nls.localizeByDefault('Installed languages') + label: nls.localizeByDefault('Installed') }, ...installedItems ]; @@ -55,7 +54,7 @@ export class LanguageQuickPickService { if (availableItems.length > 0) { quickInputItems.push({ type: 'separator', - label: nls.localizeByDefault('Available languages') + label: nls.localizeByDefault('Available') }); const installed = new Set(installedItems.map(e => e.languageId)); for (const available of availableItems) { @@ -77,7 +76,7 @@ export class LanguageQuickPickService { // Some language quick pick items want to install additional languages // We have to await that before returning the selected locale await selectedItem.execute?.(); - resolve(selectedItem.languageId); + resolve(selectedItem); } else { resolve(undefined); } @@ -122,7 +121,9 @@ export class LanguageQuickPickService { return { label, description, - languageId: id + languageId: id, + languageName: language.languageName, + localizedLanguageName: language.localizedLanguageName }; } } diff --git a/packages/core/src/browser/tree/search-box.ts b/packages/core/src/browser/tree/search-box.ts index ed3ad7a44fda6..51ce96b893500 100644 --- a/packages/core/src/browser/tree/search-box.ts +++ b/packages/core/src/browser/tree/search-box.ts @@ -254,7 +254,7 @@ export class SearchBox extends BaseWidget { SearchBox.Styles.BUTTON, ...SearchBox.Styles.FILTER, ); - filter.title = nls.localizeByDefault('Enable Filter on Type'); + filter.title = nls.localizeByDefault('Filter on Type'); buttons.appendChild(filter); filter.onclick = this.fireFilterToggle.bind(this); } diff --git a/packages/core/src/common/i18n/nls.metadata.json b/packages/core/src/common/i18n/nls.metadata.json index 44ce375e6e0fa..17b0c83d33599 100644 --- a/packages/core/src/common/i18n/nls.metadata.json +++ b/packages/core/src/common/i18n/nls.metadata.json @@ -56,12 +56,176 @@ "copyAll", "debug" ], - "vs/platform/terminal/node/ptyService": [ + "vs/workbench/electron-sandbox/desktop.main": [ + "join.closeStorage" + ], + "vs/workbench/electron-sandbox/desktop.contribution": [ + "newTab", + "showPreviousTab", + "showNextWindowTab", + "moveWindowTabToNewWindow", + "mergeAllWindowTabs", + "toggleWindowTabsBar", + { + "key": "miExit", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "windowConfigurationTitle", + "window.openWithoutArgumentsInNewWindow.on", + "window.openWithoutArgumentsInNewWindow.off", + "openWithoutArgumentsInNewWindow", + "window.reopenFolders.preserve", + "window.reopenFolders.all", + "window.reopenFolders.folders", + "window.reopenFolders.one", + "window.reopenFolders.none", + "restoreWindows", + "restoreFullscreen", + "zoomLevel", + "window.newWindowDimensions.default", + "window.newWindowDimensions.inherit", + "window.newWindowDimensions.offset", + "window.newWindowDimensions.maximized", + "window.newWindowDimensions.fullscreen", + "newWindowDimensions", + "closeWhenEmpty", + "window.doubleClickIconToClose", + "titleBarStyle", + "windowControlsOverlay", + "dialogStyle", + "window.nativeTabs", + "window.nativeFullScreen", + "window.clickThroughInactive", + "experimentalUseSandbox", + "telemetryConfigurationTitle", + "telemetry.enableCrashReporting", + "enableCrashReporterDeprecated", + "keyboardConfigurationTitle", + "touchbar.enabled", + "touchbar.ignored", + "argv.locale", + "argv.disableHardwareAcceleration", + "argv.forceColorProfile", + "argv.enableCrashReporter", + "argv.crashReporterId", + "argv.enebleProposedApi", + "argv.logLevel", + "argv.force-renderer-accessibility" + ], + "vs/workbench/services/textfile/electron-sandbox/nativeTextFileService": [ + "join.textFiles" + ], + "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": [ + "save", + "doNotSave", + "cancel", + "saveWorkspaceMessage", + "saveWorkspaceDetail", + "workspaceOpenedMessage", + "workspaceOpenedDetail" + ], + "vs/workbench/services/integrity/electron-sandbox/integrityService": [ + "integrity.prompt", + "integrity.moreInformation", + "integrity.dontShowAgain" + ], + "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupService": [ + "join.workingCopyBackups" + ], + "vs/workbench/services/workingCopy/electron-sandbox/workingCopyHistoryService": [ + "join.workingCopyHistory" + ], + "vs/workbench/contrib/logs/electron-sandbox/logs.contribution": [ + "mainLog", + "sharedLog" + ], + "vs/workbench/services/extensionManagement/electron-sandbox/extensionManagementServerService": [ + "local", + "remote" + ], + "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": [ + "revealInWindows", + "revealInMac", + "openContainer", + "filesCategory" + ], + "vs/workbench/contrib/localization/electron-sandbox/localization.contribution": [ + "updateLocale", + "activateLanguagePack", + "changeAndRestart", + "restart", + "doNotChangeAndRestart", + "doNotRestart", + "neverAgain", + "vscode.extension.contributes.localizations", + "vscode.extension.contributes.localizations.languageId", + "vscode.extension.contributes.localizations.languageName", + "vscode.extension.contributes.localizations.languageNameLocalized", + "vscode.extension.contributes.localizations.translations", + "vscode.extension.contributes.localizations.translations.id", + "vscode.extension.contributes.localizations.translations.id.pattern", + "vscode.extension.contributes.localizations.translations.path" + ], + "vs/workbench/contrib/files/electron-sandbox/files.contribution": [ + "textFileEditor" + ], + "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": [ + { + "key": "reportIssueInEnglish", + "comment": [ + "Translate this to \"Report Issue in English\" in all languages please!" + ] + }, + { + "key": "miReportIssue", + "comment": [ + "&& denotes a mnemonic", + "Translate this to \"Report Issue in English\" in all languages please!" + ] + }, + { + "key": "miOpenProcessExplorerer", + "comment": [ + "&& denotes a mnemonic" + ] + } + ], + "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": [ + "remote", + "remote.downloadExtensionsLocally" + ], + "vs/workbench/contrib/extensions/electron-sandbox/extensions.contribution": [ + "runtimeExtension" + ], + "vs/workbench/contrib/userDataSync/electron-sandbox/userDataSync.contribution": [ + "Open Backup folder", + "no backups" + ], + "vs/workbench/contrib/externalTerminal/electron-sandbox/externalTerminal.contribution": [ + "globalConsoleAction", + "terminalConfigurationTitle", + "terminal.explorerKind.integrated", + "terminal.explorerKind.external", + "explorer.openInTerminalKind", + "terminal.external.windowsExec", + "terminal.external.osxExec", + "terminal.external.linuxExec" + ], + "vs/workbench/contrib/tasks/electron-sandbox/taskService": [ + "TaskSystem.runningTask", + { + "key": "TaskSystem.terminateTask", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "TaskSystem.noProcess", { - "key": "terminal-session-restore", + "key": "TaskSystem.exitAnyways", "comment": [ - "date the snapshot was taken", - "time the snapshot was taken" + "&& denotes a mnemonic" ] } ], @@ -73,6 +237,61 @@ "error.moreErrors", "error.defaultMessage" ], + "vs/base/common/platform": [ + { + "key": "ensureLoaderPluginIsLoaded", + "comment": [ + "{Locked}" + ] + } + ], + "vs/platform/environment/node/argv": [ + "optionsUpperCase", + "extensionsManagement", + "troubleshooting", + "diff", + "merge", + "add", + "goto", + "newWindow", + "reuseWindow", + "wait", + "locale", + "userDataDir", + "help", + "extensionHomePath", + "listExtensions", + "showVersions", + "category", + "installExtension", + "install prerelease", + "uninstallExtension", + "experimentalApis", + "version", + "verbose", + "log", + "status", + "prof-startup", + "disableExtensions", + "disableExtension", + "turn sync", + "inspect-extensions", + "inspect-brk-extensions", + "disableGPU", + "maxMemory", + "telemetry", + "deprecated.useInstead", + "paths", + "usage", + "options", + "stdinWindows", + "stdinUnix", + "unknownVersion", + "unknownCommit" + ], + "vs/platform/terminal/node/ptyService": [ + "terminal-history-restored" + ], "vs/code/electron-main/app": [ { "key": "open", @@ -112,6 +331,14 @@ "sizeGB", "sizeTB" ], + "vs/platform/files/node/diskFileSystemProvider": [ + "fileExists", + "fileNotExists", + "moveError", + "copyError", + "fileCopyErrorPathCase", + "fileCopyErrorExists" + ], "vs/platform/files/common/fileService": [ "invalidPath", "noProviderFound", @@ -138,14 +365,6 @@ "err.readonly", "err.readonly" ], - "vs/platform/files/node/diskFileSystemProvider": [ - "fileExists", - "fileNotExists", - "moveError", - "copyError", - "fileCopyErrorPathCase", - "fileCopyErrorExists" - ], "vs/platform/request/common/request": [ "httpConfigurationTitle", "proxy", @@ -158,6 +377,9 @@ "proxySupport", "systemCertificates" ], + "vs/platform/userDataProfile/common/userDataProfile": [ + "defaultProfile" + ], "vs/platform/update/common/update.config.contribution": [ "updateConfigurationTitle", "updateMode", @@ -216,6 +438,7 @@ "hover.sticky", "hover.above", "codeActions", + "editor.experimental.stickyScroll", "inlayHints.enable", "editor.inlayHints.on", "editor.inlayHints.onUnlessPressed", @@ -226,6 +449,7 @@ "inlayHints.padding", "lineHeight", "minimap.enabled", + "minimap.autohide", "minimap.size.proportional", "minimap.size.fill", "minimap.size.fit", @@ -332,6 +556,7 @@ "editor.suggest.showUsers", "editor.suggest.showIssues", "selectLeadingAndTrailingWhitespace", + "dropIntoEditor.enabled", "acceptSuggestionOnCommitCharacter", "acceptSuggestionOnEnterSmart", "acceptSuggestionOnEnter", @@ -431,6 +656,7 @@ "selectionClipboard", "selectionHighlight", "showFoldingControls.always", + "showFoldingControls.never", "showFoldingControls.mouseover", "showFoldingControls", "showUnused", @@ -496,48 +722,8 @@ "wrappingStrategy.advanced", "wrappingStrategy" ], - "vs/platform/environment/node/argv": [ - "optionsUpperCase", - "extensionsManagement", - "troubleshooting", - "diff", - "add", - "goto", - "newWindow", - "reuseWindow", - "wait", - "locale", - "userDataDir", - "help", - "extensionHomePath", - "listExtensions", - "showVersions", - "category", - "installExtension", - "install prerelease", - "uninstallExtension", - "experimentalApis", - "version", - "verbose", - "log", - "status", - "prof-startup", - "disableExtensions", - "disableExtension", - "turn sync", - "inspect-extensions", - "inspect-brk-extensions", - "disableGPU", - "maxMemory", - "telemetry", - "deprecated.useInstead", - "paths", - "usage", - "options", - "stdinWindows", - "stdinUnix", - "unknownVersion", - "unknownCommit" + "vs/base/browser/ui/button/button": [ + "button dropdown more actions" ], "vs/code/electron-sandbox/issue/issueReporterPage": [ "sendSystemInfo", @@ -566,10 +752,51 @@ "show", "show" ], + "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": [ + { + "key": "exeRecommended", + "comment": [ + "Placeholder string is the name of the software that is installed." + ] + } + ], "vs/platform/extensionManagement/common/extensionManagement": [ "extensions", "preferences" ], + "vs/platform/languagePacks/common/languagePacks": [ + "currentDisplayLanguage" + ], + "vs/platform/telemetry/common/telemetryService": [ + "telemetry.telemetryLevelMd", + "telemetry.docsStatement", + "telemetry.docsAndPrivacyStatement", + "telemetry.restart", + "telemetry.crashReports", + "telemetry.errors", + "telemetry.usage", + "telemetry.telemetryLevel.tableDescription", + "telemetry.telemetryLevel.deprecated", + "telemetryConfigurationTitle", + "telemetry.telemetryLevel.default", + "telemetry.telemetryLevel.error", + "telemetry.telemetryLevel.crash", + "telemetry.telemetryLevel.off", + "telemetryConfigurationTitle", + "telemetry.enableTelemetry", + "telemetry.enableTelemetryMd", + "enableTelemetryDeprecated" + ], + "vs/platform/userDataSync/common/userDataSync": [ + "settings sync", + "settingsSync.keybindingsPerPlatform", + "settingsSync.ignoredExtensions", + "app.extension.identifier.errorMessage", + "settingsSync.ignoredSettings" + ], + "vs/platform/userDataSync/common/userDataSyncMachines": [ + "error incompatible" + ], "vs/platform/extensionManagement/common/extensionManagementCLIService": [ "notFound", "useId", @@ -608,9 +835,6 @@ "jsonInvalidFormat", "missingNLSKey" ], - "vs/platform/languagePacks/common/languagePacks": [ - "currentDisplayLanguage" - ], "vs/platform/extensionManagement/node/extensionManagementService": [ "incompatible", "errorDeleting", @@ -623,701 +847,336 @@ "notInstalled", "removeError" ], - "vs/platform/telemetry/common/telemetryService": [ - "telemetry.telemetryLevelMd", - "telemetry.docsStatement", - "telemetry.docsAndPrivacyStatement", - "telemetry.restart", - "telemetry.crashReports", - "telemetry.errors", - "telemetry.usage", - "telemetry.telemetryLevel.tableDescription", - "telemetry.telemetryLevel.deprecated", - "telemetryConfigurationTitle", - "telemetry.telemetryLevel.default", - "telemetry.telemetryLevel.error", - "telemetry.telemetryLevel.crash", - "telemetry.telemetryLevel.off", - "telemetryConfigurationTitle", - "telemetry.enableTelemetry", - "telemetry.enableTelemetryMd", - "enableTelemetryDeprecated" - ], - "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": [ + "vs/platform/list/browser/listService": [ + "workbenchConfigurationTitle", + "multiSelectModifier.ctrlCmd", + "multiSelectModifier.alt", { - "key": "exeRecommended", + "key": "multiSelectModifier", "comment": [ - "Placeholder string is the name of the software that is installed." + "- `ctrlCmd` refers to a value the setting can take and should not be localized.", + "- `Control` and `Command` refer to the modifier keys Ctrl or Cmd on the keyboard and can be localized." ] - } - ], - "vs/platform/userDataSync/common/userDataSync": [ - "settings sync", - "settingsSync.keybindingsPerPlatform", - "settingsSync.ignoredExtensions", - "app.extension.identifier.errorMessage", - "settingsSync.ignoredSettings" - ], - "vs/platform/userDataSync/common/userDataSyncMachines": [ - "error incompatible" - ], - "vs/workbench/services/textfile/electron-sandbox/nativeTextFileService": [ - "join.textFiles" - ], - "vs/workbench/electron-sandbox/desktop.contribution": [ - "newTab", - "showPreviousTab", - "showNextWindowTab", - "moveWindowTabToNewWindow", - "mergeAllWindowTabs", - "toggleWindowTabsBar", + }, { - "key": "miExit", + "key": "openModeModifier", "comment": [ - "&& denotes a mnemonic" + "`singleClick` and `doubleClick` refers to a value the setting can take and should not be localized." ] }, - "windowConfigurationTitle", - "window.openWithoutArgumentsInNewWindow.on", - "window.openWithoutArgumentsInNewWindow.off", - "openWithoutArgumentsInNewWindow", - "window.reopenFolders.preserve", - "window.reopenFolders.all", - "window.reopenFolders.folders", - "window.reopenFolders.one", - "window.reopenFolders.none", - "restoreWindows", - "restoreFullscreen", - "zoomLevel", - "window.newWindowDimensions.default", - "window.newWindowDimensions.inherit", - "window.newWindowDimensions.offset", - "window.newWindowDimensions.maximized", - "window.newWindowDimensions.fullscreen", - "newWindowDimensions", - "closeWhenEmpty", - "window.doubleClickIconToClose", - "titleBarStyle", - "windowControlsOverlay", - "dialogStyle", - "window.nativeTabs", - "window.nativeFullScreen", - "window.clickThroughInactive", - "telemetryConfigurationTitle", - "telemetry.enableCrashReporting", - "enableCrashReporterDeprecated", - "keyboardConfigurationTitle", - "touchbar.enabled", - "touchbar.ignored", - "argv.locale", - "argv.disableHardwareAcceleration", - "argv.disableColorCorrectRendering", - "argv.forceColorProfile", - "argv.enableCrashReporter", - "argv.crashReporterId", - "argv.enebleProposedApi", - "argv.logLevel", - "argv.force-renderer-accessibility" - ], - "vs/workbench/electron-sandbox/desktop.main": [ - "join.closeStorage" - ], - "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": [ - "save", - "doNotSave", - "cancel", - "saveWorkspaceMessage", - "saveWorkspaceDetail", - "workspaceOpenedMessage", - "workspaceOpenedDetail" - ], - "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupService": [ - "join.workingCopyBackups" - ], - "vs/workbench/services/extensionManagement/electron-sandbox/extensionManagementServerService": [ - "local", - "remote" - ], - "vs/workbench/services/integrity/electron-sandbox/integrityService": [ - "integrity.prompt", - "integrity.moreInformation", - "integrity.dontShowAgain" - ], - "vs/workbench/services/workingCopy/electron-sandbox/workingCopyHistoryService": [ - "join.workingCopyHistory" - ], - "vs/workbench/contrib/files/electron-sandbox/files.contribution": [ - "textFileEditor" - ], - "vs/workbench/contrib/logs/electron-sandbox/logs.contribution": [ - "mainLog", - "sharedLog" + "horizontalScrolling setting", + "tree indent setting", + "render tree indent guides", + "list smoothScrolling setting", + "Mouse Wheel Scroll Sensitivity", + "Fast Scroll Sensitivity", + "defaultFindModeSettingKey.highlight", + "defaultFindModeSettingKey.filter", + "defaultFindModeSettingKey", + "keyboardNavigationSettingKey.simple", + "keyboardNavigationSettingKey.highlight", + "keyboardNavigationSettingKey.filter", + "keyboardNavigationSettingKey", + "keyboardNavigationSettingKeyDeprecated", + "expand mode" ], - "vs/workbench/contrib/localization/electron-sandbox/localization.contribution": [ - "updateLocale", - "activateLanguagePack", - "changeAndRestart", - "restart", - "doNotChangeAndRestart", - "doNotRestart", - "neverAgain", - "vscode.extension.contributes.localizations", - "vscode.extension.contributes.localizations.languageId", - "vscode.extension.contributes.localizations.languageName", - "vscode.extension.contributes.localizations.languageNameLocalized", - "vscode.extension.contributes.localizations.translations", - "vscode.extension.contributes.localizations.translations.id", - "vscode.extension.contributes.localizations.translations.id.pattern", - "vscode.extension.contributes.localizations.translations.path" + "vs/platform/markers/common/markers": [ + "sev.error", + "sev.warning", + "sev.info" ], - "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": [ - "revealInWindows", - "revealInMac", - "openContainer", - "filesCategory" + "vs/platform/contextkey/browser/contextKeyService": [ + "getContextKeyInfo" ], - "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": [ + "vs/workbench/browser/workbench.contribution": [ + "workbench.editor.titleScrollbarSizing.default", + "workbench.editor.titleScrollbarSizing.large", + "tabScrollbarHeight", + "showEditorTabs", + "wrapTabs", { - "key": "reportIssueInEnglish", "comment": [ - "Translate this to \"Report Issue in English\" in all languages please!" - ] + "This is the description for a setting. Values surrounded by single quotes are not to be translated." + ], + "key": "scrollToSwitchTabs" }, + "highlightModifiedTabs", + "decorations.badges", + "decorations.colors", + "workbench.editor.labelFormat.default", + "workbench.editor.labelFormat.short", + "workbench.editor.labelFormat.medium", + "workbench.editor.labelFormat.long", { - "key": "miReportIssue", "comment": [ - "&& denotes a mnemonic", - "Translate this to \"Report Issue in English\" in all languages please!" - ] + "This is the description for a setting. Values surrounded by parenthesis are not to be translated." + ], + "key": "tabDescription" }, + "workbench.editor.untitled.labelFormat.content", + "workbench.editor.untitled.labelFormat.name", { - "key": "miOpenProcessExplorerer", - "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/extensions/electron-sandbox/extensions.contribution": [ - "runtimeExtension" - ], - "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": [ - "remote", - "remote.downloadExtensionsLocally" - ], - "vs/workbench/contrib/userDataSync/electron-sandbox/userDataSync.contribution": [ - "Open Backup folder", - "no backups" - ], - "vs/workbench/contrib/tasks/electron-sandbox/taskService": [ - "TaskSystem.runningTask", - { - "key": "TaskSystem.terminateTask", "comment": [ - "&& denotes a mnemonic" - ] + "This is the description for a setting. Values surrounded by parenthesis are not to be translated." + ], + "key": "untitledLabelFormat" }, - "TaskSystem.noProcess", { - "key": "TaskSystem.exitAnyways", "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/externalTerminal/electron-sandbox/externalTerminal.contribution": [ - "globalConsoleAction", - "terminalConfigurationTitle", - "terminal.explorerKind.integrated", - "terminal.explorerKind.external", - "explorer.openInTerminalKind", - "terminal.external.windowsExec", - "terminal.external.osxExec", - "terminal.external.linuxExec" - ], - "vs/workbench/api/common/extHostExtensionService": [ - "extensionTestError1", - "extensionTestError" - ], - "vs/workbench/services/extensions/electron-sandbox/electronExtensionService": [ - "extensionService.versionMismatchCrash", - "relaunch", - "extensionService.autoRestart", - "extensionService.crash", - "devTools", - "restart", - "getEnvironmentFailure", - "looping", - "enableResolver", - "enable", - "installResolver", - "install", - "resolverExtensionNotFound", - "restartExtensionHost" - ], - "vs/workbench/api/common/extHostWorkspace": [ - "updateerror" - ], - "vs/workbench/api/common/extHostTerminalService": [ - "launchFail.idMissingOnExtHost" - ], - "vs/base/node/processes": [ - "TaskRunner.UNC" - ], - "vs/platform/terminal/node/terminalProcess": [ - "launchFail.cwdNotDirectory", - "launchFail.cwdDoesNotExist", - "launchFail.executableIsNotFileOrSymlink", - "launchFail.executableDoesNotExist" - ], - "vs/platform/shell/node/shellEnv": [ - "resolveShellEnvTimeout", - "resolveShellEnvError", - "resolveShellEnvExitError" - ], - "vs/platform/dialogs/electron-main/dialogMainService": [ - "open", - "openFolder", - "openFile", - "openWorkspaceTitle", + "This is the description for a setting. Values surrounded by single quotes are not to be translated." + ], + "key": "untitledHint" + }, + "workbench.editor.languageDetection", + "workbench.editor.historyBasedLanguageDetection", + "workbench.editor.preferBasedLanguageDetection", + "workbench.editor.showLanguageDetectionHints", + "workbench.editor.showLanguageDetectionHints.editors", + "workbench.editor.showLanguageDetectionHints.notebook", { - "key": "openWorkspace", "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/platform/files/electron-main/diskFileSystemProviderServer": [ - "binFailed", - "trashFailed" - ], - "vs/platform/externalTerminal/node/externalTerminalService": [ - "console.title", - "mac.terminal.script.failed", - "mac.terminal.type.not.supported", - "press.any.key", - "linux.term.failed", - "ext.term.app.not.found" - ], - "vs/platform/issue/electron-main/issueMainService": [ - "local", - "issueReporterWriteToClipboard", + "This is the description for a setting. Values surrounded by single quotes are not to be translated." + ], + "key": "editorTabCloseButton" + }, + "workbench.editor.tabSizing.fit", + "workbench.editor.tabSizing.shrink", { - "key": "ok", "comment": [ - "&& denotes a mnemonic" - ] + "This is the description for a setting. Values surrounded by single quotes are not to be translated." + ], + "key": "tabSizing" }, + "workbench.editor.pinnedTabSizing.normal", + "workbench.editor.pinnedTabSizing.compact", + "workbench.editor.pinnedTabSizing.shrink", { - "key": "cancel", "comment": [ - "&& denotes a mnemonic" - ] + "This is the description for a setting. Values surrounded by single quotes are not to be translated." + ], + "key": "pinnedTabSizing" }, - "confirmCloseIssueReporter", + "workbench.editor.splitSizingDistribute", + "workbench.editor.splitSizingSplit", { - "key": "yes", "comment": [ - "&& denotes a mnemonic" - ] + "This is the description for a setting. Values surrounded by single quotes are not to be translated." + ], + "key": "splitSizing" }, + "splitOnDragAndDrop", + "focusRecentEditorAfterClose", + "showIcons", + "enablePreview", + "enablePreviewFromQuickOpen", + "enablePreviewFromCodeNavigation", + "closeOnFileDelete", { - "key": "cancel", "comment": [ - "&& denotes a mnemonic" - ] + "This is the description for a setting. Values surrounded by single quotes are not to be translated." + ], + "key": "editorOpenPositioning" }, - "issueReporter", - "processExplorer" - ], - "vs/platform/native/electron-main/nativeHostMainService": [ - "warnEscalation", + "sideBySideDirection", + "closeEmptyGroups", + "revealIfOpen", + "mouseBackForwardToNavigate", + "navigationScope", + "workbench.editor.navigationScopeDefault", + "workbench.editor.navigationScopeEditorGroup", + "workbench.editor.navigationScopeEditor", + "restoreViewState", + "sharedViewState", + "splitInGroupLayout", + "workbench.editor.splitInGroupLayoutVertical", + "workbench.editor.splitInGroupLayoutHorizontal", + "centeredLayoutAutoResize", + "limitEditorsEnablement", + "limitEditorsMaximum", + "limitEditorsExcludeDirty", + "perEditorGroup", + "localHistoryEnabled", + "localHistoryMaxFileSize", + "localHistoryMaxFileEntries", + "exclude", + "mergeWindow", + "commandHistory", + "preserveInput", + "closeOnFocusLost", + "workbench.quickOpen.preserveInput", + "openDefaultSettings", + "useSplitJSON", + "openDefaultKeybindings", + "sideBarLocation", + "panelDefaultLocation", + "panelOpensMaximized", + "workbench.panel.opensMaximized.always", + "workbench.panel.opensMaximized.never", + "workbench.panel.opensMaximized.preserve", + "statusBarVisibility", + "activityBarVisibility", + "activityBarIconClickBehavior", + "workbench.activityBar.iconClickBehavior.toggle", + "workbench.activityBar.iconClickBehavior.focus", + "viewVisibility", + "fontAliasing", + "workbench.fontAliasing.default", + "workbench.fontAliasing.antialiased", + "workbench.fontAliasing.none", + "workbench.fontAliasing.auto", + "settings.editor.ui", + "settings.editor.json", + "settings.editor.desc", + "workbench.hover.delay", + "workbench.reduceMotion", + "workbench.reduceMotion.on", + "workbench.reduceMotion.off", + "workbench.reduceMotion.auto", { - "key": "ok", + "key": "layoutControlEnabled", "comment": [ - "&& denotes a mnemonic" + "{0} is a placeholder for a setting identifier." ] }, + "layoutcontrol.type.menu", + "layoutcontrol.type.toggles", + "layoutcontrol.type.both", + "layoutControlType", { - "key": "cancel", + "key": "layoutControlEnabled", "comment": [ - "&& denotes a mnemonic" + "{0} is a placeholder for a setting identifier." ] }, - "cantCreateBinFolder", - "warnEscalationUninstall", { - "key": "ok", + "key": "layoutControlEnabledDeprecation", "comment": [ - "&& denotes a mnemonic" + "{0} is a placeholder for a setting identifier." ] }, + "layoutcontrol.type.menu", + "layoutcontrol.type.toggles", + "layoutcontrol.type.both", + "layoutControlType", { - "key": "cancel", + "key": "layoutControlTypeDeprecation", "comment": [ - "&& denotes a mnemonic" + "{0} is a placeholder for a setting identifier." ] }, - "cantUninstall", - "sourceMissing" + "windowTitle", + "activeEditorShort", + "activeEditorMedium", + "activeEditorLong", + "activeFolderShort", + "activeFolderMedium", + "activeFolderLong", + "folderName", + "folderPath", + "rootName", + "rootPath", + "appName", + "remoteName", + "dirty", + "separator", + "windowConfigurationTitle", + "window.titleSeparator", + "window.commandCenter", + "window.menuBarVisibility.classic", + "window.menuBarVisibility.visible", + "window.menuBarVisibility.toggle.mac", + "window.menuBarVisibility.toggle", + "window.menuBarVisibility.hidden", + "window.menuBarVisibility.compact", + "menuBarVisibility.mac", + "menuBarVisibility", + "enableMenuBarMnemonics", + "customMenuBarAltFocus", + "window.openFilesInNewWindow.on", + "window.openFilesInNewWindow.off", + "window.openFilesInNewWindow.defaultMac", + "window.openFilesInNewWindow.default", + "openFilesInNewWindowMac", + "openFilesInNewWindow", + "window.openFoldersInNewWindow.on", + "window.openFoldersInNewWindow.off", + "window.openFoldersInNewWindow.default", + "openFoldersInNewWindow", + "window.confirmBeforeClose.always.web", + "window.confirmBeforeClose.always", + "window.confirmBeforeClose.keyboardOnly.web", + "window.confirmBeforeClose.keyboardOnly", + "window.confirmBeforeClose.never.web", + "window.confirmBeforeClose.never", + "confirmBeforeCloseWeb", + "confirmBeforeClose", + "zenModeConfigurationTitle", + "zenMode.fullScreen", + "zenMode.centerLayout", + "zenMode.hideTabs", + "zenMode.hideStatusBar", + "zenMode.hideActivityBar", + "zenMode.hideLineNumbers", + "zenMode.restore", + "zenMode.silentNotifications" ], - "vs/platform/workspace/common/workspace": [ - "codeWorkspace" + "vs/workbench/browser/actions/developerActions": [ + "inspect context keys", + "toggle screencast mode", + { + "key": "logStorage", + "comment": [ + "A developer only action to log the contents of the storage for the current window." + ] + }, + { + "key": "logWorkingCopies", + "comment": [ + "A developer only action to log the working copies that exist." + ] + }, + "screencastModeConfigurationTitle", + "screencastMode.location.verticalPosition", + "screencastMode.fontSize", + "keyboardShortcutsFormat.keys", + "keyboardShortcutsFormat.command", + "keyboardShortcutsFormat.commandWithGroup", + "keyboardShortcutsFormat.commandAndKeys", + "keyboardShortcutsFormat.commandWithGroupAndKeys", + "screencastMode.keyboardShortcutsFormat", + "screencastMode.onlyKeyboardShortcuts", + "screencastMode.keyboardOverlayTimeout", + "screencastMode.mouseIndicatorColor", + "screencastMode.mouseIndicatorSize" ], - "vs/platform/windows/electron-main/windowsMainService": [ + "vs/workbench/browser/actions/layoutActions": [ + "menuBarIcon", + "activityBarLeft", + "activityBarRight", + "panelLeft", + "panelLeftOff", + "panelRight", + "panelRightOff", + "panelBottom", + "statusBarIcon", + "panelBottomLeft", + "panelBottomRight", + "panelBottomCenter", + "panelBottomJustify", + "fullScreenIcon", + "centerLayoutIcon", + "zenModeIcon", + "closeSidebar", + "toggleActivityBar", { - "key": "ok", + "key": "miActivityBar", "comment": [ "&& denotes a mnemonic" ] }, - "pathNotExistTitle", - "uriInvalidTitle", - "pathNotExistDetail", - "uriInvalidDetail" - ], - "vs/platform/workspaces/electron-main/workspacesHistoryMainService": [ - "newWindow", - "newWindowDesc", - "recentFoldersAndWorkspaces", - "recentFolders", - "untitledWorkspace", - "workspaceName" - ], - "vs/platform/files/common/io": [ - "fileTooLargeForHeapError", - "fileTooLargeError" - ], - "vs/platform/configuration/common/configurationRegistry": [ - "defaultLanguageConfigurationOverrides.title", - "defaultLanguageConfiguration.description", - "overrideSettings.defaultDescription", - "overrideSettings.errorMessage", - "overrideSettings.defaultDescription", - "overrideSettings.errorMessage", - "config.property.empty", - "config.property.languageDefault", - "config.property.duplicate", - "config.policy.duplicate" - ], - "vs/workbench/api/node/extHostDebugService": [ - "debug.terminal.title" - ], - "vs/platform/workspaces/electron-main/workspacesManagementMainService": [ + "toggleCenteredLayout", { - "key": "ok", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "workspaceOpenedMessage", - "workspaceOpenedDetail" - ], - "vs/workbench/api/node/extHostTunnelService": [ - "tunnelPrivacy.private", - "tunnelPrivacy.public" - ], - "vs/base/common/actions": [ - "submenu.empty" - ], - "vs/base/common/jsonErrorMessages": [ - "error.invalidSymbol", - "error.invalidNumberFormat", - "error.propertyNameExpected", - "error.valueExpected", - "error.colonExpected", - "error.commaExpected", - "error.closeBraceExpected", - "error.closeBracketExpected", - "error.endOfFileExpected" - ], - "vs/platform/extensionManagement/node/extensionManagementUtil": [ - "invalidManifest" - ], - "vs/platform/extensionManagement/common/abstractExtensionManagementService": [ - "MarketPlaceDisabled", - "MarketPlaceDisabled", - "Not a Marketplace extension", - "malicious extension", - "incompatible platform", - "notFoundCompatiblePrereleaseDependency", - "notFoundReleaseExtension", - "notFoundCompatibleDependency", - "singleDependentError", - "twoDependentsError", - "multipleDependentsError", - "singleIndirectDependentError", - "twoIndirectDependentsError", - "multipleIndirectDependentsError" - ], - "vs/platform/extensions/common/extensionValidator": [ - "extensionDescription.publisher", - "extensionDescription.name", - "extensionDescription.version", - "extensionDescription.engines", - "extensionDescription.engines.vscode", - "extensionDescription.extensionDependencies", - "extensionDescription.activationEvents1", - "extensionDescription.activationEvents2", - "extensionDescription.extensionKind", - "extensionDescription.main1", - "extensionDescription.main2", - "extensionDescription.main3", - "extensionDescription.browser1", - "extensionDescription.browser2", - "extensionDescription.browser3", - "notSemver", - "versionSyntax", - "versionSpecificity1", - "versionSpecificity2", - "versionMismatch" - ], - "vs/base/node/zip": [ - "invalid file", - "incompleteExtract", - "notFound" - ], - "vs/base/common/date": [ - "date.fromNow.in", - "date.fromNow.now", - "date.fromNow.seconds.singular.ago.fullWord", - "date.fromNow.seconds.singular.ago", - "date.fromNow.seconds.plural.ago.fullWord", - "date.fromNow.seconds.plural.ago", - "date.fromNow.seconds.singular.fullWord", - "date.fromNow.seconds.singular", - "date.fromNow.seconds.plural.fullWord", - "date.fromNow.seconds.plural", - "date.fromNow.minutes.singular.ago.fullWord", - "date.fromNow.minutes.singular.ago", - "date.fromNow.minutes.plural.ago.fullWord", - "date.fromNow.minutes.plural.ago", - "date.fromNow.minutes.singular.fullWord", - "date.fromNow.minutes.singular", - "date.fromNow.minutes.plural.fullWord", - "date.fromNow.minutes.plural", - "date.fromNow.hours.singular.ago.fullWord", - "date.fromNow.hours.singular.ago", - "date.fromNow.hours.plural.ago.fullWord", - "date.fromNow.hours.plural.ago", - "date.fromNow.hours.singular.fullWord", - "date.fromNow.hours.singular", - "date.fromNow.hours.plural.fullWord", - "date.fromNow.hours.plural", - "date.fromNow.days.singular.ago", - "date.fromNow.days.plural.ago", - "date.fromNow.days.singular", - "date.fromNow.days.plural", - "date.fromNow.weeks.singular.ago.fullWord", - "date.fromNow.weeks.singular.ago", - "date.fromNow.weeks.plural.ago.fullWord", - "date.fromNow.weeks.plural.ago", - "date.fromNow.weeks.singular.fullWord", - "date.fromNow.weeks.singular", - "date.fromNow.weeks.plural.fullWord", - "date.fromNow.weeks.plural", - "date.fromNow.months.singular.ago.fullWord", - "date.fromNow.months.singular.ago", - "date.fromNow.months.plural.ago.fullWord", - "date.fromNow.months.plural.ago", - "date.fromNow.months.singular.fullWord", - "date.fromNow.months.singular", - "date.fromNow.months.plural.fullWord", - "date.fromNow.months.plural", - "date.fromNow.years.singular.ago.fullWord", - "date.fromNow.years.singular.ago", - "date.fromNow.years.plural.ago.fullWord", - "date.fromNow.years.plural.ago", - "date.fromNow.years.singular.fullWord", - "date.fromNow.years.singular", - "date.fromNow.years.plural.fullWord", - "date.fromNow.years.plural" - ], - "vs/platform/terminal/common/terminalPlatformConfiguration": [ - "terminalProfile.args", - "terminalProfile.overrideName", - "terminalProfile.icon", - "terminalProfile.color", - "terminalProfile.env", - "terminalProfile.path", - "terminalAutomationProfile.path", - "terminal.integrated.shell.linux.deprecation", - "terminal.integrated.shell.osx.deprecation", - "terminal.integrated.shell.windows.deprecation", - "terminal.integrated.automationShell.linux.deprecation", - "terminal.integrated.automationShell.osx.deprecation", - "terminal.integrated.automationShell.windows.deprecation", - "terminalIntegratedConfigurationTitle", - { - "key": "terminal.integrated.automationShell.linux", - "comment": [ - "{0} and {1} are the `shell` and `shellArgs` settings keys" - ] - }, - { - "key": "terminal.integrated.automationShell.osx", - "comment": [ - "{0} and {1} are the `shell` and `shellArgs` settings keys" - ] - }, - { - "key": "terminal.integrated.automationShell.windows", - "comment": [ - "{0} and {1} are the `shell` and `shellArgs` settings keys" - ] - }, - "terminal.integrated.automationProfile.linux", - "terminal.integrated.automationProfile.osx", - "terminal.integrated.automationProfile.windows", - "terminal.integrated.shell.linux", - "terminal.integrated.shell.osx", - "terminal.integrated.shell.windows", - "terminal.integrated.shellArgs.linux", - "terminal.integrated.shellArgs.osx", - "terminal.integrated.shellArgs.windows", - "terminal.integrated.shellArgs.windows", - "terminal.integrated.shellArgs.windows.string", - { - "key": "terminal.integrated.profiles.windows", - "comment": [ - "{0}, {1}, and {2} are the `source`, `path` and optional `args` settings keys" - ] - }, - "terminalProfile.windowsSource", - "terminalProfile.windowsExtensionIdentifier", - "terminalProfile.windowsExtensionId", - "terminalProfile.windowsExtensionTitle", - { - "key": "terminal.integrated.profile.osx", - "comment": [ - "{0} and {1} are the `path` and optional `args` settings keys" - ] - }, - "terminalProfile.osxExtensionIdentifier", - "terminalProfile.osxExtensionId", - "terminalProfile.osxExtensionTitle", - { - "key": "terminal.integrated.profile.linux", - "comment": [ - "{0} and {1} are the `path` and optional `args` settings keys" - ] - }, - "terminalProfile.linuxExtensionIdentifier", - "terminalProfile.linuxExtensionId", - "terminalProfile.linuxExtensionTitle", - "terminal.integrated.useWslProfiles", - "terminal.integrated.inheritEnv", - "terminal.integrated.persistentSessionScrollback", - "terminal.integrated.showLinkHover", - "terminal.integrated.confirmIgnoreProcesses", - "terminalIntegratedConfigurationTitle", - "terminal.integrated.defaultProfile.linux", - "terminal.integrated.defaultProfile.osx", - "terminal.integrated.defaultProfile.windows" - ], - "vs/platform/userDataSync/common/settingsSync": [ - "errorInvalidSettings" - ], - "vs/platform/userDataSync/common/keybindingsSync": [ - "errorInvalidSettings", - "errorInvalidSettings" - ], - "vs/platform/theme/common/iconRegistry": [ - "iconDefinition.fontId", - "iconDefinition.fontCharacter", - "widgetClose", - "previousChangeIcon", - "nextChangeIcon" - ], - "vs/platform/userDataSync/common/userDataAutoSyncService": [ - "default service changed", - "service changed", - "turned off", - "default service changed", - "service changed", - "session expired", - "turned off machine" - ], - "vs/base/browser/ui/tree/abstractTree": [ - "clear", - "disable filter on type", - "enable filter on type", - "empty", - "found" - ], - "vs/platform/list/browser/listService": [ - "workbenchConfigurationTitle", - "multiSelectModifier.ctrlCmd", - "multiSelectModifier.alt", - { - "key": "multiSelectModifier", - "comment": [ - "- `ctrlCmd` refers to a value the setting can take and should not be localized.", - "- `Control` and `Command` refer to the modifier keys Ctrl or Cmd on the keyboard and can be localized." - ] - }, - { - "key": "openModeModifier", - "comment": [ - "`singleClick` and `doubleClick` refers to a value the setting can take and should not be localized." - ] - }, - "horizontalScrolling setting", - "tree indent setting", - "render tree indent guides", - "list smoothScrolling setting", - "Mouse Wheel Scroll Sensitivity", - "Fast Scroll Sensitivity", - "keyboardNavigationSettingKey.simple", - "keyboardNavigationSettingKey.highlight", - "keyboardNavigationSettingKey.filter", - "keyboardNavigationSettingKey", - "automatic keyboard navigation setting", - "expand mode" - ], - "vs/platform/markers/common/markers": [ - "sev.error", - "sev.warning", - "sev.info" - ], - "vs/platform/contextkey/browser/contextKeyService": [ - "getContextKeyInfo" - ], - "vs/workbench/browser/actions/textInputActions": [ - "undo", - "redo", - "cut", - "copy", - "paste", - "selectAll" - ], - "vs/workbench/browser/actions/layoutActions": [ - "menuBarIcon", - "activityBarLeft", - "activityBarRight", - "panelLeft", - "panelLeftOff", - "panelRight", - "panelRightOff", - "panelBottom", - "statusBarIcon", - "panelBottomLeft", - "panelBottomRight", - "panelBottomCenter", - "panelBottomJustify", - "fullScreenIcon", - "centerLayoutIcon", - "zenModeIcon", - "closeSidebar", - "toggleActivityBar", - { - "key": "miShowActivityBar", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "toggleCenteredLayout", - { - "key": "miToggleCenteredLayout", + "key": "miToggleCenteredLayout", "comment": [ "&& denotes a mnemonic" ] @@ -1370,12 +1229,12 @@ "&& denotes a mnemonic" ] }, - "miShowSidebarNoMnnemonic", + "miSidebarNoMnnemonic", "toggleSideBar", "toggleSideBar", "toggleStatusbar", { - "key": "miShowStatusbar", + "key": "miStatusbar", "comment": [ "&& denotes a mnemonic" ] @@ -1385,11 +1244,12 @@ "miToggleZenMode", "toggleMenuBar", { - "key": "miShowMenuBar", + "key": "miMenuBar", "comment": [ "&& denotes a mnemonic" ] }, + "miMenuBarNoMnemonic", "resetViewLocations", "moveView", "sidebarContainer", @@ -1451,34 +1311,13 @@ "customizeLayoutQuickPickTitle", "close" ], - "vs/workbench/browser/actions/developerActions": [ - "inspect context keys", - "toggle screencast mode", - { - "key": "logStorage", - "comment": [ - "A developer only action to log the contents of the storage for the current window." - ] - }, - { - "key": "logWorkingCopies", - "comment": [ - "A developer only action to log the working copies that exist." - ] - }, - "screencastModeConfigurationTitle", - "screencastMode.location.verticalPosition", - "screencastMode.fontSize", - "keyboardShortcutsFormat.keys", - "keyboardShortcutsFormat.command", - "keyboardShortcutsFormat.commandWithGroup", - "keyboardShortcutsFormat.commandAndKeys", - "keyboardShortcutsFormat.commandWithGroupAndKeys", - "screencastMode.keyboardShortcutsFormat", - "screencastMode.onlyKeyboardShortcuts", - "screencastMode.keyboardOverlayTimeout", - "screencastMode.mouseIndicatorColor", - "screencastMode.mouseIndicatorSize" + "vs/workbench/browser/actions/textInputActions": [ + "undo", + "redo", + "cut", + "copy", + "paste", + "selectAll" ], "vs/workbench/browser/actions/helpActions": [ "keybindingsReference", @@ -1539,238 +1378,80 @@ ] } ], - "vs/workbench/browser/workbench.contribution": [ - "workbench.editor.titleScrollbarSizing.default", - "workbench.editor.titleScrollbarSizing.large", - "tabScrollbarHeight", - "showEditorTabs", - "wrapTabs", + "vs/workbench/browser/actions/windowActions": [ + "file", + "remove", + "dirtyRecentlyOpenedFolder", + "dirtyRecentlyOpenedWorkspace", + "workspacesAndFolders", + "folders", + "files", + "openRecentPlaceholderMac", + "openRecentPlaceholder", + "dirtyWorkspace", + "dirtyFolder", + "dirtyWorkspaceConfirm", + "dirtyFolderConfirm", + "dirtyWorkspaceConfirmDetail", + "dirtyFolderConfirmDetail", + "recentDirtyWorkspaceAriaLabel", + "recentDirtyFolderAriaLabel", + "openRecent", { + "key": "miMore", "comment": [ - "This is the description for a setting. Values surrounded by single quotes are not to be translated." - ], - "key": "scrollToSwitchTabs" - }, - "highlightModifiedTabs", - "decorations.badges", - "decorations.colors", - "workbench.editor.labelFormat.default", - "workbench.editor.labelFormat.short", - "workbench.editor.labelFormat.medium", - "workbench.editor.labelFormat.long", - { - "comment": [ - "This is the description for a setting. Values surrounded by parenthesis are not to be translated." - ], - "key": "tabDescription" - }, - "workbench.editor.untitled.labelFormat.content", - "workbench.editor.untitled.labelFormat.name", - { - "comment": [ - "This is the description for a setting. Values surrounded by parenthesis are not to be translated." - ], - "key": "untitledLabelFormat" - }, - { - "comment": [ - "This is the description for a setting. Values surrounded by single quotes are not to be translated." - ], - "key": "untitledHint" - }, - "workbench.editor.languageDetection", - "workbench.editor.historyBasedLanguageDetection", - "workbench.editor.preferBasedLanguageDetection", - "workbench.editor.showLanguageDetectionHints", - "workbench.editor.showLanguageDetectionHints.editors", - "workbench.editor.showLanguageDetectionHints.notebook", - { - "comment": [ - "This is the description for a setting. Values surrounded by single quotes are not to be translated." - ], - "key": "editorTabCloseButton" - }, - "workbench.editor.tabSizing.fit", - "workbench.editor.tabSizing.shrink", - { - "comment": [ - "This is the description for a setting. Values surrounded by single quotes are not to be translated." - ], - "key": "tabSizing" - }, - "workbench.editor.pinnedTabSizing.normal", - "workbench.editor.pinnedTabSizing.compact", - "workbench.editor.pinnedTabSizing.shrink", - { - "comment": [ - "This is the description for a setting. Values surrounded by single quotes are not to be translated." - ], - "key": "pinnedTabSizing" - }, - "workbench.editor.splitSizingDistribute", - "workbench.editor.splitSizingSplit", - { - "comment": [ - "This is the description for a setting. Values surrounded by single quotes are not to be translated." - ], - "key": "splitSizing" + "&& denotes a mnemonic" + ] }, - "splitOnDragAndDrop", - "focusRecentEditorAfterClose", - "showIcons", - "enablePreview", - "enablePreviewFromQuickOpen", - "enablePreviewFromCodeNavigation", - "closeOnFileDelete", + "quickOpenRecent", + "toggleFullScreen", { + "key": "miToggleFullScreen", "comment": [ - "This is the description for a setting. Values surrounded by single quotes are not to be translated." - ], - "key": "editorOpenPositioning" + "&& denotes a mnemonic" + ] }, - "sideBySideDirection", - "closeEmptyGroups", - "revealIfOpen", - "mouseBackForwardToNavigate", - "navigationScope", - "workbench.editor.navigationScopeDefault", - "workbench.editor.navigationScopeEditorGroup", - "workbench.editor.navigationScopeEditor", - "restoreViewState", - "sharedViewState", - "splitInGroupLayout", - "workbench.editor.splitInGroupLayoutVertical", - "workbench.editor.splitInGroupLayoutHorizontal", - "centeredLayoutAutoResize", - "limitEditorsEnablement", - "limitEditorsMaximum", - "limitEditorsExcludeDirty", - "perEditorGroup", - "localHistoryEnabled", - "localHistoryMaxFileSize", - "localHistoryMaxFileEntries", - "exclude", - "mergeWindow", - "commandHistory", - "preserveInput", - "closeOnFocusLost", - "workbench.quickOpen.preserveInput", - "openDefaultSettings", - "useSplitJSON", - "openDefaultKeybindings", - "sideBarLocation", - "panelDefaultLocation", - "panelOpensMaximized", - "workbench.panel.opensMaximized.always", - "workbench.panel.opensMaximized.never", - "workbench.panel.opensMaximized.preserve", - "statusBarVisibility", - "activityBarVisibility", - "activityBarIconClickBehavior", - "workbench.activityBar.iconClickBehavior.toggle", - "workbench.activityBar.iconClickBehavior.focus", - "viewVisibility", - "fontAliasing", - "workbench.fontAliasing.default", - "workbench.fontAliasing.antialiased", - "workbench.fontAliasing.none", - "workbench.fontAliasing.auto", - "settings.editor.ui", - "settings.editor.json", - "settings.editor.desc", - "workbench.hover.delay", - "workbench.reduceMotion", - "workbench.reduceMotion.on", - "workbench.reduceMotion.off", - "workbench.reduceMotion.auto", + "reloadWindow", + "about", { - "key": "layoutControlEnabled", + "key": "miAbout", "comment": [ - "{0} is a placeholder for a setting identifier." + "&& denotes a mnemonic" ] }, - "layoutcontrol.type.menu", - "layoutcontrol.type.toggles", - "layoutcontrol.type.both", - "layoutControlType", + "newWindow", { - "key": "layoutControlEnabled", + "key": "miNewWindow", "comment": [ - "{0} is a placeholder for a setting identifier." + "&& denotes a mnemonic" ] }, + "blur", + "miConfirmClose", { - "key": "layoutControlEnabledDeprecation", + "key": "miOpenRecent", "comment": [ - "{0} is a placeholder for a setting identifier." + "&& denotes a mnemonic" ] - }, - "layoutcontrol.type.menu", - "layoutcontrol.type.toggles", - "layoutcontrol.type.both", - "layoutControlType", + } + ], + "vs/workbench/browser/actions/workspaceCommands": [ + "addFolderToWorkspace", { - "key": "layoutControlTypeDeprecation", + "key": "add", "comment": [ - "{0} is a placeholder for a setting identifier." + "&& denotes a mnemonic" ] }, - "dropIntoEditor", - "windowTitle", - "activeEditorShort", - "activeEditorMedium", - "activeEditorLong", - "activeFolderShort", - "activeFolderMedium", - "activeFolderLong", - "folderName", - "folderPath", - "rootName", - "rootPath", - "appName", - "remoteName", - "dirty", - "separator", - "windowConfigurationTitle", - "window.titleSeparator", - "window.experimental.commandCenter", - "window.menuBarVisibility.classic", - "window.menuBarVisibility.visible", - "window.menuBarVisibility.toggle.mac", - "window.menuBarVisibility.toggle", - "window.menuBarVisibility.hidden", - "window.menuBarVisibility.compact", - "menuBarVisibility.mac", - "menuBarVisibility", - "enableMenuBarMnemonics", - "customMenuBarAltFocus", - "window.openFilesInNewWindow.on", - "window.openFilesInNewWindow.off", - "window.openFilesInNewWindow.defaultMac", - "window.openFilesInNewWindow.default", - "openFilesInNewWindowMac", - "openFilesInNewWindow", - "window.openFoldersInNewWindow.on", - "window.openFoldersInNewWindow.off", - "window.openFoldersInNewWindow.default", - "openFoldersInNewWindow", - "window.confirmBeforeClose.always.web", - "window.confirmBeforeClose.always", - "window.confirmBeforeClose.keyboardOnly.web", - "window.confirmBeforeClose.keyboardOnly", - "window.confirmBeforeClose.never.web", - "window.confirmBeforeClose.never", - "confirmBeforeCloseWeb", - "confirmBeforeClose", - "zenModeConfigurationTitle", - "zenMode.fullScreen", - "zenMode.centerLayout", - "zenMode.hideTabs", - "zenMode.hideStatusBar", - "zenMode.hideActivityBar", - "zenMode.hideLineNumbers", - "zenMode.restore", - "zenMode.silentNotifications" + "addFolderToWorkspaceTitle", + "workspaceFolderPickerPlaceholder" + ], + "vs/workbench/browser/actions/quickAccessActions": [ + "quickOpen", + "quickNavigateNext", + "quickNavigatePrevious", + "quickSelectNext", + "quickSelectPrevious" ], "vs/workbench/browser/actions/navigationActions": [ "navigateLeft", @@ -1844,73 +1525,47 @@ ] } ], - "vs/workbench/browser/actions/workspaceCommands": [ - "addFolderToWorkspace", - { - "key": "add", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "addFolderToWorkspaceTitle", - "workspaceFolderPickerPlaceholder" - ], - "vs/workbench/browser/actions/windowActions": [ - "file", - "remove", - "dirtyRecentlyOpenedFolder", - "dirtyRecentlyOpenedWorkspace", - "workspacesAndFolders", - "folders", - "files", - "openRecentPlaceholderMac", - "openRecentPlaceholder", - "dirtyWorkspace", - "dirtyFolder", - "dirtyWorkspaceConfirm", - "dirtyFolderConfirm", - "dirtyWorkspaceConfirmDetail", - "dirtyFolderConfirmDetail", - "recentDirtyWorkspaceAriaLabel", - "recentDirtyFolderAriaLabel", - "openRecent", - { - "key": "miMore", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "quickOpenRecent", - "toggleFullScreen", - { - "key": "miToggleFullScreen", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "reloadWindow", - "about", - { - "key": "miAbout", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "newWindow", - { - "key": "miNewWindow", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "blur", - "miConfirmClose", - { - "key": "miOpenRecent", - "comment": [ - "&& denotes a mnemonic" - ] - } + "vs/workbench/api/common/configurationExtensionPoint": [ + "vscode.extension.contributes.configuration.title", + "vscode.extension.contributes.configuration.order", + "vscode.extension.contributes.configuration.properties", + "vscode.extension.contributes.configuration.property.empty", + "vscode.extension.contributes.configuration.properties.schema", + "scope.application.description", + "scope.machine.description", + "scope.window.description", + "scope.resource.description", + "scope.language-overridable.description", + "scope.machine-overridable.description", + "scope.description", + "scope.enumDescriptions", + "scope.markdownEnumDescriptions", + "scope.markdownDescription", + "scope.deprecationMessage", + "scope.markdownDeprecationMessage", + "scope.singlelineText.description", + "scope.multilineText.description", + "scope.editPresentation", + "scope.order", + "config.property.defaultConfiguration.warning", + "vscode.extension.contributes.configuration", + "invalid.title", + "invalid.properties", + "config.property.duplicate", + "invalid.property", + "invalid.allOf", + "workspaceConfig.folders.description", + "workspaceConfig.path.description", + "workspaceConfig.name.description", + "workspaceConfig.uri.description", + "workspaceConfig.name.description", + "workspaceConfig.settings.description", + "workspaceConfig.launch.description", + "workspaceConfig.tasks.description", + "workspaceConfig.extensions.description", + "workspaceConfig.remoteAuthority", + "workspaceConfig.transient", + "unknownWorkspaceProperty" ], "vs/workbench/api/browser/viewsExtensionPoint": [ { @@ -1936,6 +1591,7 @@ "vscode.extension.contributes.view.initialState.visible", "vscode.extension.contributes.view.initialState.hidden", "vscode.extension.contributes.view.initialState.collapsed", + "vscode.extension.contributs.view.size", "vscode.extension.contributes.view.id", "vscode.extension.contributes.view.name", "vscode.extension.contributes.view.when", @@ -1967,58 +1623,6 @@ "optstring", "optenum" ], - "vs/workbench/browser/actions/quickAccessActions": [ - "quickOpen", - "quickNavigateNext", - "quickNavigatePrevious", - "quickSelectNext", - "quickSelectPrevious" - ], - "vs/workbench/api/common/configurationExtensionPoint": [ - "vscode.extension.contributes.configuration.title", - "vscode.extension.contributes.configuration.order", - "vscode.extension.contributes.configuration.properties", - "vscode.extension.contributes.configuration.property.empty", - "vscode.extension.contributes.configuration.properties.schema", - "scope.application.description", - "scope.machine.description", - "scope.window.description", - "scope.resource.description", - "scope.language-overridable.description", - "scope.machine-overridable.description", - "scope.description", - "scope.enumDescriptions", - "scope.markdownEnumDescriptions", - "scope.markdownDescription", - "scope.deprecationMessage", - "scope.markdownDeprecationMessage", - "scope.singlelineText.description", - "scope.multilineText.description", - "scope.editPresentation", - "scope.order", - "config.property.defaultConfiguration.warning", - "vscode.extension.contributes.configuration", - "invalid.title", - "invalid.properties", - "config.property.duplicate", - "invalid.property", - "invalid.allOf", - "workspaceConfig.folders.description", - "workspaceConfig.path.description", - "workspaceConfig.name.description", - "workspaceConfig.uri.description", - "workspaceConfig.name.description", - "workspaceConfig.settings.description", - "workspaceConfig.launch.description", - "workspaceConfig.tasks.description", - "workspaceConfig.extensions.description", - "workspaceConfig.remoteAuthority", - "workspaceConfig.transient", - "unknownWorkspaceProperty" - ], - "vs/workbench/browser/parts/banner/bannerPart": [ - "focusBanner" - ], "vs/workbench/services/actions/common/menusExtensionPoint": [ "menus.commandPalette", "menus.touchBar", @@ -2026,6 +1630,7 @@ "menus.editorTitleRun", "menus.editorContext", "menus.editorContextCopyAs", + "menus.editorContextShare", "menus.explorerContext", "menus.editorTabContext", "menus.debugCallstackContext", @@ -2062,8 +1667,10 @@ "view.tunnelOriginInline", "view.tunnelPortInline", "file.newFile", + "menus.share", "inlineCompletions.actions", "merge.toolbar", + "webview.context", "requirestring", "optstring", "optstring", @@ -2120,7 +1727,6 @@ "submenuId.invalid.id", "submenuId.duplicate.id", "submenuId.invalid.label", - "menuId.invalid", "proposedAPI.invalid", "missing.command", "missing.altCommand", @@ -2168,7 +1774,7 @@ "showOpenedEditors", "closeAll", "closeAllSaved", - "toggleKeepEditors", + "togglePreviewMode", "lockGroup", "splitEditorRight", "splitEditorDown", @@ -2214,6 +1820,7 @@ "&& denotes a mnemonic" ] }, + "miShare", { "key": "miEditorLayout", "comment": [ @@ -2318,18 +1925,6 @@ "&& denotes a mnemonic" ] }, - { - "key": "miBack", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "miForward", - "comment": [ - "&& denotes a mnemonic" - ] - }, { "key": "miLastEditLocation", "comment": [ @@ -2475,15 +2070,15 @@ ] } ], - "vs/workbench/services/keybinding/common/keybindingEditing": [ - "errorKeybindingsFileDirty", - "parseErrors", - "errorInvalidConfiguration", - "emptyKeybindingsHeader" - ], "vs/workbench/browser/parts/statusbar/statusbarPart": [ "hideStatusBar" ], + "vs/workbench/browser/parts/banner/bannerPart": [ + "focusBanner" + ], + "vs/workbench/services/decorations/browser/decorationsService": [ + "bubbleTitle" + ], "vs/workbench/browser/parts/views/viewsService": [ "show view", "toggle view", @@ -2595,9 +2190,6 @@ ] } ], - "vs/workbench/services/decorations/browser/decorationsService": [ - "bubbleTitle" - ], "vs/workbench/services/extensions/browser/extensionUrlHandler": [ "confirmUrl", "rememberConfirmUrl", @@ -2613,12 +2205,11 @@ "extensions", "no" ], - "vs/workbench/services/preferences/browser/preferencesService": [ - "openFolderFirst", - "emptyKeybindingsHeader", - "defaultKeybindings", - "defaultKeybindings", - "fail.createSettings" + "vs/workbench/services/keybinding/common/keybindingEditing": [ + "errorKeybindingsFileDirty", + "parseErrors", + "errorInvalidConfiguration", + "emptyKeybindingsHeader" ], "vs/workbench/services/progress/browser/progressService": [ "progress.text2", @@ -2630,6 +2221,17 @@ "cancel", "dismiss" ], + "vs/workbench/services/preferences/browser/preferencesService": [ + "openFolderFirst", + "emptyKeybindingsHeader", + "defaultKeybindings", + "defaultKeybindings", + "fail.createSettings" + ], + "vs/workbench/services/configuration/common/jsonEditingService": [ + "errorInvalidFile", + "errorFileDirty" + ], "vs/workbench/services/editor/browser/editorResolverService": [ "editorResolver.conflictingDefaults", "editorResolver.configureDefault", @@ -2638,13 +2240,9 @@ "promptOpenWith.currentDefault", "promptOpenWith.currentDefaultAndActive", "promptOpenWith.configureDefault", - "prompOpenWith.updateDefaultPlaceHolder", + "promptOpenWith.updateDefaultPlaceHolder", "promptOpenWith.placeHolder" ], - "vs/workbench/services/configuration/common/jsonEditingService": [ - "errorInvalidFile", - "errorFileDirty" - ], "vs/workbench/services/keybinding/browser/keybindingService": [ "nonempty", "requirestring", @@ -2709,14 +2307,6 @@ "vs/workbench/services/themes/browser/workbenchThemeService": [ "error.cannotloadtheme" ], - "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": [ - "select for remove", - "select for add", - "select for remove", - "select for add", - "workspace folder", - "workspace" - ], "vs/workbench/services/label/common/labelService": [ "vscode.extension.contributes.resourceLabelFormatters", "vscode.extension.contributes.resourceLabelFormatters.scheme", @@ -2732,9 +2322,13 @@ "workspaceNameVerbose", "workspaceName" ], - "vs/workbench/services/extensionManagement/browser/webExtensionsScannerService": [ - "not a web extension", - "openInstalledWebExtensionsResource" + "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": [ + "select for remove", + "select for add", + "select for remove", + "select for add", + "workspace folder", + "workspace" ], "vs/workbench/services/extensionManagement/browser/extensionEnablementService": [ "extensionsDisabled", @@ -2749,14 +2343,25 @@ "noWorkspace", "cannot disable auth extension in workspace" ], - "vs/workbench/services/profiles/common/profileService": [ - "profiles.applying", - "applied profile" - ], "vs/workbench/services/notification/common/notificationService": [ "neverShowAgain", "neverShowAgain" ], + "vs/workbench/services/userDataProfile/browser/userDataProfileManagement": [ + "reload message when removed", + "cannotRenameDefaultProfile", + "cannotDeleteDefaultProfile", + "reload message", + "reload button" + ], + "vs/workbench/services/userDataProfile/common/userDataProfileImportExportService": [ + "name", + "save profile as", + "profiles.importing", + "imported profile", + "profiles.applying", + "applied profile" + ], "vs/workbench/services/remote/common/remoteExplorerService": [ "tunnel.source.user", "tunnel.source.auto", @@ -2769,67 +2374,24 @@ "hideView", "resetViewLocation" ], - "vs/workbench/services/authentication/browser/authenticationService": [ - "authentication.id", - "authentication.label", - { - "key": "authenticationExtensionPoint", - "comment": [ - "'Contributes' means adds here" - ] - }, - "authentication.Placeholder", - "authentication.missingId", - "authentication.missingLabel", - "authentication.idConflict", - "loading", - "sign in", - "confirmAuthenticationAccess", - "allow", - "deny", - "cancel", - "useOtherAccount", + "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": [ + "no authentication providers", + "no account", + "no account", + "show log", + "sync turned on", + "sync in progress", + "settings sync", { - "key": "selectAccount", + "key": "yes", "comment": [ - "The placeholder {0} is the name of an extension. {1} is the name of the type of account, such as Microsoft or GitHub." + "&& denotes a mnemonic" ] }, - "getSessionPlateholder", { - "key": "accessRequest", + "key": "no", "comment": [ - "The placeholder {0} will be replaced with an authentication provider''s label. {1} will be replaced with an extension name. (1) is to indicate that this menu item contributes to a badge count" - ] - }, - { - "key": "signInRequest", - "comment": [ - "The placeholder {0} will be replaced with an authentication provider's label. {1} will be replaced with an extension name. (1) is to indicate that this menu item contributes to a badge count." - ] - } - ], - "vs/workbench/contrib/performance/browser/performance.contribution": [ - "show.label" - ], - "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": [ - "no authentication providers", - "no account", - "no account", - "show log", - "sync turned on", - "sync in progress", - "settings sync", - { - "key": "yes", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "no", - "comment": [ - "&& denotes a mnemonic" + "&& denotes a mnemonic" ] }, "turning on", @@ -2859,93 +2421,66 @@ "successive auth failures", "sign in" ], - "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": [ - "defineKeybinding.start", - "defineKeybinding.kbLayoutErrorMessage", + "vs/workbench/services/authentication/browser/authenticationService": [ + "authentication.id", + "authentication.label", { - "key": "defineKeybinding.kbLayoutLocalAndUSMessage", + "key": "authenticationExtensionPoint", "comment": [ - "Please translate maintaining the stars (*) around the placeholders such that they will be rendered in bold.", - "The placeholders will contain a keyboard combination e.g. Ctrl+Shift+/" + "'Contributes' means adds here" ] }, + "authentication.Placeholder", + "authentication.missingId", + "authentication.missingLabel", + "authentication.idConflict", + "loading", + "sign in", + "confirmAuthenticationAccess", + "allow", + "deny", + "cancel", + "useOtherAccount", { - "key": "defineKeybinding.kbLayoutLocalMessage", - "comment": [ - "Please translate maintaining the stars (*) around the placeholder such that it will be rendered in bold.", - "The placeholder will contain a keyboard combination e.g. Ctrl+Shift+/" - ] - } - ], - "vs/workbench/contrib/preferences/browser/preferences.contribution": [ - "settingsEditor2", - "keybindingsEditor", - "openSettings2", - "preferences", - "settings", - { - "key": "miOpenSettings", + "key": "selectAccount", "comment": [ - "&& denotes a mnemonic" + "The placeholder {0} is the name of an extension. {1} is the name of the type of account, such as Microsoft or GitHub." ] }, - "openSettings2", - "openSettingsJson", - "openGlobalSettings", - "openRawDefaultSettings", - "openSettingsJson", - "openWorkspaceSettings", - "openWorkspaceSettingsFile", - "openFolderSettings", - "openFolderSettingsFile", - "openFolderSettings", + "getSessionPlateholder", { - "key": "miOpenOnlineSettings", + "key": "accessRequest", "comment": [ - "&& denotes a mnemonic" + "The placeholder {0} will be replaced with an authentication provider''s label. {1} will be replaced with an extension name. (1) is to indicate that this menu item contributes to a badge count" ] }, - "showTelemtrySettings", - "filterUntrusted", - "openRemoteSettings", - "openRemoteSettingsJSON", - "settings.focusSearch", - "settings.clearResults", - "settings.focusFile", - "settings.focusFile", - "settings.focusSettingsList", - "settings.focusSettingsTOC", - "settings.focusSettingControl", - "settings.showContextMenu", - "settings.focusLevelUp", - "preferences", - "openGlobalKeybindings", - "Keyboard Shortcuts", - "Keyboard Shortcuts", - "openDefaultKeybindingsFile", - "openGlobalKeybindingsFile", - "showDefaultKeybindings", - "showExtensionKeybindings", - "showUserKeybindings", - "clear", { - "key": "miPreferences", + "key": "signInRequest", "comment": [ - "&& denotes a mnemonic" + "The placeholder {0} will be replaced with an authentication provider's label. {1} will be replaced with an extension name. (1) is to indicate that this menu item contributes to a badge count." ] } ], - "vs/workbench/contrib/testing/browser/testing.contribution": [ - "test", + "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": [ + "defineKeybinding.start", + "defineKeybinding.kbLayoutErrorMessage", { - "key": "miViewTesting", + "key": "defineKeybinding.kbLayoutLocalAndUSMessage", "comment": [ - "&& denotes a mnemonic" + "Please translate maintaining the stars (*) around the placeholders such that they will be rendered in bold.", + "The placeholders will contain a keyboard combination e.g. Ctrl+Shift+/" ] }, - "noTestProvidersRegistered", - "searchForAdditionalTestExtensions", - "testExplorer" + { + "key": "defineKeybinding.kbLayoutLocalMessage", + "comment": [ + "Please translate maintaining the stars (*) around the placeholder such that it will be rendered in bold.", + "The placeholder will contain a keyboard combination e.g. Ctrl+Shift+/" + ] + } + ], + "vs/workbench/contrib/performance/browser/performance.contribution": [ + "show.label" ], "vs/workbench/contrib/notebook/browser/notebook.contribution": [ "notebook.editorOptions.experimentalCustomization", @@ -2971,6 +2506,7 @@ "notebook.consolidatedOutputButton.description", "notebook.showFoldingControls.description", "showFoldingControls.always", + "showFoldingControls.never", "showFoldingControls.mouseover", "notebook.dragAndDrop.description", "notebook.consolidatedRunButton.description", @@ -2982,6 +2518,22 @@ "notebook.outputFontSize", "notebook.outputFontFamily" ], + "vs/workbench/contrib/interactive/browser/interactive.contribution": [ + "interactive.open", + "interactive.open", + "interactive.execute", + "interactive.input.clear", + "interactive.history.previous", + "interactive.history.next", + "interactiveScrollToTop", + "interactiveScrollToBottom", + "interactive.input.focus", + "interactive.history.focus", + "interactive.activeCodeBorder", + "interactive.inactiveCodeBorder", + "interactiveWindow.alwaysScrollOnNewCell", + "interactiveWindow.restore" + ], "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": [ "helpQuickAccessPlaceholder", "helpQuickAccess", @@ -3062,6 +2614,25 @@ ] } ], + "vs/workbench/contrib/logs/common/logs.contribution": [ + "userDataSyncLog", + "editSessionsLog", + "rendererLog", + "telemetryLog", + "show window log" + ], + "vs/workbench/contrib/testing/browser/testing.contribution": [ + "test", + { + "key": "miViewTesting", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "noTestProvidersRegistered", + "searchForAdditionalTestExtensions", + "testExplorer" + ], "vs/workbench/contrib/files/browser/fileActions.contribution": [ "filesCategory", "copyPath", @@ -3141,64 +2712,6 @@ ] } ], - "vs/workbench/contrib/logs/common/logs.contribution": [ - "userDataSyncLog", - "rendererLog", - "telemetryLog", - "show window log" - ], - "vs/workbench/contrib/interactive/browser/interactive.contribution": [ - "interactive.open", - "interactive.open", - "interactive.execute", - "interactive.input.clear", - "interactive.history.previous", - "interactive.history.next", - "interactiveScrollToTop", - "interactiveScrollToBottom", - "interactive.input.focus", - "interactive.history.focus", - "interactive.activeCodeBorder", - "interactive.inactiveCodeBorder", - "interactiveWindow.alwaysScrollOnNewCell" - ], - "vs/workbench/contrib/bulkEdit/browser/bulkEditService": [ - "summary.0", - "summary.nm", - "summary.n0", - "summary.textFiles", - "workspaceEdit", - "workspaceEdit", - "nothing", - "fileOperation", - "closeTheWindow", - "changeWorkspace", - "reloadTheWindow", - "quit", - "areYouSureQuiteBulkEdit", - "refactoring.autoSave" - ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": [ - "overlap", - "cancel", - "continue", - "detail", - "apply", - "cat", - "Discard", - "cat", - "toogleSelection", - "cat", - "groupByFile", - "cat", - "groupByType", - "cat", - "groupByType", - "cat", - "refactorPreviewViewIcon", - "panel", - "panel" - ], "vs/workbench/contrib/files/browser/files.contribution": [ "binaryFileEditor", "hotExit.off", @@ -3210,8 +2723,15 @@ "hotExit", "filesConfigurationTitle", "exclude", + "trueDescription", + "falseDescription", "files.exclude.boolean", - "files.exclude.when", + { + "key": "files.exclude.when", + "comment": [ + "\\$(basename) should not be translated" + ] + }, "associations", "encoding", "autoGuessEncoding", @@ -3352,97 +2872,27 @@ "fileNestingPatterns", "fileNesting.description" ], - "vs/workbench/contrib/sash/browser/sash.contribution": [ - "sashSize", - "sashHoverDelay" - ], - "vs/workbench/contrib/scm/browser/scm.contribution": [ - "sourceControlViewIcon", - "source control", - "no open repo", - "no open repo in an untrusted workspace", - "manageWorkspaceTrustAction", - "source control", + "vs/workbench/contrib/search/browser/search.contribution": [ + "search", + "copyMatchLabel", + "copyPathLabel", + "copyAllLabel", + "CancelSearchAction.label", + "RefreshAction.label", + "CollapseDeepestExpandedLevelAction.label", + "ExpandAllAction.label", + "ClearSearchResultsAction.label", + "revealInSideBar", + "clearSearchHistoryLabel", + "focusSearchListCommandLabel", + "findInFolder", + "findInWorkspace", + "showTriggerActions", + "showTriggerActions", + "name", + "search", { - "key": "miViewSCM", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "source control repositories", - "scmConfigurationTitle", - "scm.diffDecorations.all", - "scm.diffDecorations.gutter", - "scm.diffDecorations.overviewRuler", - "scm.diffDecorations.minimap", - "scm.diffDecorations.none", - "diffDecorations", - "diffGutterWidth", - "scm.diffDecorationsGutterVisibility.always", - "scm.diffDecorationsGutterVisibility.hover", - "scm.diffDecorationsGutterVisibility", - "scm.diffDecorationsGutterAction.diff", - "scm.diffDecorationsGutterAction.none", - "scm.diffDecorationsGutterAction", - "diffGutterPattern", - "diffGutterPatternAdded", - "diffGutterPatternModifed", - "scm.diffDecorationsIgnoreTrimWhitespace.true", - "scm.diffDecorationsIgnoreTrimWhitespace.false", - "scm.diffDecorationsIgnoreTrimWhitespace.inherit", - "diffDecorationsIgnoreTrimWhitespace", - "alwaysShowActions", - "scm.countBadge.all", - "scm.countBadge.focused", - "scm.countBadge.off", - "scm.countBadge", - "scm.providerCountBadge.hidden", - "scm.providerCountBadge.auto", - "scm.providerCountBadge.visible", - "scm.providerCountBadge", - "scm.defaultViewMode.tree", - "scm.defaultViewMode.list", - "scm.defaultViewMode", - "scm.defaultViewSortKey.name", - "scm.defaultViewSortKey.path", - "scm.defaultViewSortKey.status", - "scm.defaultViewSortKey", - "autoReveal", - "inputFontFamily", - "inputFontSize", - "alwaysShowRepository", - "scm.repositoriesSortOrder.discoveryTime", - "scm.repositoriesSortOrder.name", - "scm.repositoriesSortOrder.path", - "repositoriesSortOrder", - "providersVisible", - "showActionButton", - "scm accept", - "scm view next commit", - "scm view previous commit", - "open in terminal" - ], - "vs/workbench/contrib/search/browser/search.contribution": [ - "search", - "copyMatchLabel", - "copyPathLabel", - "copyAllLabel", - "CancelSearchAction.label", - "RefreshAction.label", - "CollapseDeepestExpandedLevelAction.label", - "ExpandAllAction.label", - "ClearSearchResultsAction.label", - "revealInSideBar", - "clearSearchHistoryLabel", - "focusSearchListCommandLabel", - "findInFolder", - "findInWorkspace", - "showTriggerActions", - "showTriggerActions", - "name", - "search", - { - "key": "miViewSearch", + "key": "miViewSearch", "comment": [ "&& denotes a mnemonic" ] @@ -3469,7 +2919,12 @@ "searchConfigurationTitle", "exclude", "exclude.boolean", - "exclude.when", + { + "key": "exclude.when", + "comment": [ + "\\$(basename) should not be translated" + ] + }, "search.mode", "search.mode.view", "search.mode.reuseEditor", @@ -3530,6 +2985,88 @@ ] } ], + "vs/workbench/contrib/scm/browser/scm.contribution": [ + "sourceControlViewIcon", + "source control", + "no open repo", + "no open repo in an untrusted workspace", + "manageWorkspaceTrustAction", + "source control", + { + "key": "miViewSCM", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "source control repositories", + "scmConfigurationTitle", + "scm.diffDecorations.all", + "scm.diffDecorations.gutter", + "scm.diffDecorations.overviewRuler", + "scm.diffDecorations.minimap", + "scm.diffDecorations.none", + "diffDecorations", + "diffGutterWidth", + "scm.diffDecorationsGutterVisibility.always", + "scm.diffDecorationsGutterVisibility.hover", + "scm.diffDecorationsGutterVisibility", + "scm.diffDecorationsGutterAction.diff", + "scm.diffDecorationsGutterAction.none", + "scm.diffDecorationsGutterAction", + "diffGutterPattern", + "diffGutterPatternAdded", + "diffGutterPatternModifed", + "scm.diffDecorationsIgnoreTrimWhitespace.true", + "scm.diffDecorationsIgnoreTrimWhitespace.false", + "scm.diffDecorationsIgnoreTrimWhitespace.inherit", + "diffDecorationsIgnoreTrimWhitespace", + "alwaysShowActions", + "scm.countBadge.all", + "scm.countBadge.focused", + "scm.countBadge.off", + "scm.countBadge", + "scm.providerCountBadge.hidden", + "scm.providerCountBadge.auto", + "scm.providerCountBadge.visible", + "scm.providerCountBadge", + "scm.defaultViewMode.tree", + "scm.defaultViewMode.list", + "scm.defaultViewMode", + "scm.defaultViewSortKey.name", + "scm.defaultViewSortKey.path", + "scm.defaultViewSortKey.status", + "scm.defaultViewSortKey", + "autoReveal", + "inputFontFamily", + "inputFontSize", + "alwaysShowRepository", + "scm.repositoriesSortOrder.discoveryTime", + "scm.repositoriesSortOrder.name", + "scm.repositoriesSortOrder.path", + "repositoriesSortOrder", + "providersVisible", + "showActionButton", + "scm accept", + "scm view next commit", + "scm view previous commit", + "open in terminal" + ], + "vs/workbench/contrib/bulkEdit/browser/bulkEditService": [ + "summary.0", + "summary.nm", + "summary.n0", + "summary.textFiles", + "workspaceEdit", + "workspaceEdit", + "nothing", + "fileOperation", + "closeTheWindow", + "changeWorkspace", + "reloadTheWindow", + "quit", + "areYouSureQuiteBulkEdit", + "refactoring.autoSave" + ], "vs/workbench/contrib/search/browser/searchView": [ "searchCanceled", "moreSearch", @@ -3588,75 +3125,16 @@ "searchWithoutFolder", "openFolder" ], - "vs/workbench/contrib/debug/browser/callStackEditorContribution": [ - "topStackFrameLineHighlight", - "focusedStackFrameLineHighlight" - ], - "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": [ - "searchEditor", - "promptOpenWith.searchEditor.displayName", - "search", - "searchEditor.deleteResultBlock", - "search.openNewSearchEditor", - "search.openSearchEditor", - "search.openNewEditorToSide", - "search.openResultsInEditor", - "search.rerunSearchInEditor", - "search.action.focusQueryEditorWidget", - "searchEditor.action.toggleSearchEditorCaseSensitive", - "searchEditor.action.toggleSearchEditorWholeWord", - "searchEditor.action.toggleSearchEditorRegex", - "searchEditor.action.toggleSearchEditorContextLines", - "searchEditor.action.increaseSearchEditorContextLines", - "searchEditor.action.decreaseSearchEditorContextLines", - "searchEditor.action.selectAllSearchEditorMatches", - "search.openNewEditor" - ], - "vs/workbench/contrib/debug/browser/breakpointEditorContribution": [ - "logPoint", - "breakpoint", - "breakpointHasConditionDisabled", - "message", - "condition", - "breakpointHasConditionEnabled", - "message", - "condition", - "removeLogPoint", - "disableLogPoint", - "disable", - "enable", - "cancel", - "logPoint", - "breakpoint", - "removeBreakpoint", - "editBreakpoint", - "disableBreakpoint", - "enableBreakpoint", - "removeBreakpoints", - "removeInlineBreakpointOnColumn", - "removeLineBreakpoint", - "editBreakpoints", - "editInlineBreakpointOnColumn", - "editLineBreakpoint", - "enableDisableBreakpoints", - "disableInlineColumnBreakpoint", - "disableBreakpointOnLine", - "enableBreakpoints", - "enableBreakpointOnLine", - "addBreakpoint", - "addConditionalBreakpoint", - "addLogPoint", - "runToLine", - "debugIcon.breakpointForeground", - "debugIcon.breakpointDisabledForeground", - "debugIcon.breakpointUnverifiedForeground", - "debugIcon.breakpointCurrentStackframeForeground", - "debugIcon.breakpointStackframeForeground" + "vs/workbench/contrib/sash/browser/sash.contribution": [ + "sashSize", + "sashHoverDelay" ], "vs/workbench/contrib/debug/browser/debug.contribution": [ "debugCategory", "startDebugPlaceholder", "startDebuggingHelp", + "tasksQuickAccessPlaceholder", + "tasksQuickAccessHelp", "terminateThread", { "comment": [ @@ -3891,62 +3369,133 @@ "editor.inlineValuesBackground", "addConfiguration" ], - "vs/workbench/contrib/debug/browser/repl": [ - { - "key": "workbench.debug.filter.placeholder", - "comment": [ - "Text in the brackets after e.g. is not localizable" - ] - }, - "debugConsole", - "startDebugFirst", - { - "key": "actions.repl.acceptInput", - "comment": [ - "Apply input from the debug console input box" - ] - }, - "repl.action.filter", - "actions.repl.copyAll", - "filter", - "selectRepl", - "clearRepl", - "debugConsoleCleared", - "collapse", - "paste", - "copyAll", - "copy" + "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": [ + "searchEditor", + "promptOpenWith.searchEditor.displayName", + "search", + "searchEditor.deleteResultBlock", + "search.openNewSearchEditor", + "search.openSearchEditor", + "search.openNewEditorToSide", + "search.openResultsInEditor", + "search.rerunSearchInEditor", + "search.action.focusQueryEditorWidget", + "search.action.focusFilesToInclude", + "search.action.focusFilesToExclude", + "searchEditor.action.toggleSearchEditorCaseSensitive", + "searchEditor.action.toggleSearchEditorWholeWord", + "searchEditor.action.toggleSearchEditorRegex", + "searchEditor.action.toggleSearchEditorContextLines", + "searchEditor.action.increaseSearchEditorContextLines", + "searchEditor.action.decreaseSearchEditorContextLines", + "searchEditor.action.selectAllSearchEditorMatches", + "search.openNewEditor" ], - "vs/workbench/contrib/debug/browser/debugViewlet": [ + "vs/workbench/contrib/preferences/browser/preferences.contribution": [ + "settingsEditor2", + "keybindingsEditor", + "openSettings2", + "openUserSettingsJson", + "openCurrentProfileSettingsJson", + "preferences", + "settings", { - "key": "miOpenConfigurations", + "key": "miOpenSettings", "comment": [ "&& denotes a mnemonic" ] }, + "openSettings2", + "openGlobalSettings", + "openRawDefaultSettings", + "openSettingsJson", + "openSettingsJson", + "openWorkspaceSettings", + "openWorkspaceSettingsFile", + "openFolderSettings", + "openFolderSettingsFile", + "openFolderSettings", { - "key": "selectWorkspaceFolder", + "key": "miOpenOnlineSettings", "comment": [ - "User picks a workspace folder or a workspace configuration file here. Workspace configuration files can contain settings and thus a launch.json configuration can be written into one." + "&& denotes a mnemonic" ] }, - "debugPanel", - "startAdditionalSession" + "showTelemtrySettings", + "filterUntrusted", + "openRemoteSettings", + "openRemoteSettingsJSON", + "settings.focusSearch", + "settings.clearResults", + "settings.focusFile", + "settings.focusFile", + "settings.focusSettingsList", + "settings.focusSettingsTOC", + "settings.focusSettingControl", + "settings.showContextMenu", + "settings.focusLevelUp", + "preferences", + "openGlobalKeybindings", + "Keyboard Shortcuts", + "Keyboard Shortcuts", + "openDefaultKeybindingsFile", + "openGlobalKeybindingsFile", + "showDefaultKeybindings", + "showExtensionKeybindings", + "showUserKeybindings", + "clear", + "clearHistory", + { + "key": "miPreferences", + "comment": [ + "&& denotes a mnemonic" + ] + } ], - "vs/workbench/contrib/comments/browser/comments.contribution": [ - "commentsConfigurationTitle", - "openComments", - "comments.openPanel.deprecated", - "comments.openView.never", - "comments.openView.file", - "comments.openView.firstFile", - "comments.openView", - "useRelativeTime" + "vs/workbench/contrib/debug/browser/breakpointEditorContribution": [ + "logPoint", + "breakpoint", + "breakpointHasConditionDisabled", + "message", + "condition", + "breakpointHasConditionEnabled", + "message", + "condition", + "removeLogPoint", + "disableLogPoint", + "disable", + "enable", + "cancel", + "logPoint", + "breakpoint", + "removeBreakpoint", + "editBreakpoint", + "disableBreakpoint", + "enableBreakpoint", + "removeBreakpoints", + "removeInlineBreakpointOnColumn", + "removeLineBreakpoint", + "editBreakpoints", + "editInlineBreakpointOnColumn", + "editLineBreakpoint", + "enableDisableBreakpoints", + "disableInlineColumnBreakpoint", + "disableBreakpointOnLine", + "enableBreakpoints", + "enableBreakpointOnLine", + "addBreakpoint", + "addConditionalBreakpoint", + "addLogPoint", + "runToLine", + "debugIcon.breakpointForeground", + "debugIcon.breakpointDisabledForeground", + "debugIcon.breakpointUnverifiedForeground", + "debugIcon.breakpointCurrentStackframeForeground", + "debugIcon.breakpointStackframeForeground" ], - "vs/workbench/contrib/url/browser/url.contribution": [ - "openUrl", - "urlToOpen", - "workbench.trustedDomains.promptInTrustedWorkspace" + "vs/workbench/contrib/debug/browser/callStackEditorContribution": [ + "topStackFrameLineHighlight", + "focusedStackFrameLineHighlight" ], "vs/workbench/contrib/markers/browser/markers.contribution": [ "markersViewIcon", @@ -3979,61 +3528,74 @@ "manyProblems", "totalProblems" ], + "vs/workbench/contrib/debug/browser/debugViewlet": [ + { + "key": "miOpenConfigurations", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "selectWorkspaceFolder", + "comment": [ + "User picks a workspace folder or a workspace configuration file here. Workspace configuration files can contain settings and thus a launch.json configuration can be written into one." + ] + }, + "debugPanel", + "startAdditionalSession" + ], + "vs/workbench/contrib/debug/browser/repl": [ + { + "key": "workbench.debug.filter.placeholder", + "comment": [ + "Text in the brackets after e.g. is not localizable" + ] + }, + "debugConsole", + "startDebugFirst", + { + "key": "actions.repl.acceptInput", + "comment": [ + "Apply input from the debug console input box" + ] + }, + "repl.action.filter", + "actions.repl.copyAll", + "filter", + "selectRepl", + "clearRepl", + "debugConsoleCleared", + "collapse", + "paste", + "copyAll", + "copy" + ], "vs/workbench/contrib/mergeEditor/browser/mergeEditor.contribution": [ - "name", - "toggle.title", - "toggle.title2", - "title", - "merge.dev.copyContents", - "mergeEditor.name", - "mergeEditor.noActiveMergeEditor", - "mergeEditor.name", - "mergeEditor.successfullyCopiedMergeEditorContents", - "merge.dev.openContents", - "mergeEditor.enterJSON" + "name" + ], + "vs/workbench/contrib/comments/browser/comments.contribution": [ + "commentsConfigurationTitle", + "openComments", + "comments.openPanel.deprecated", + "comments.openView.never", + "comments.openView.file", + "comments.openView.firstFile", + "comments.openView", + "useRelativeTime" ], "vs/workbench/contrib/webview/browser/webview.contribution": [ "cut", "copy", "paste" ], - "vs/workbench/contrib/output/browser/outputView": [ - "output model title", - "channel", - "output", - "outputViewWithInputAriaLabel", - "outputViewAriaLabel", - "outputChannels", - "logChannel" + "vs/workbench/contrib/url/browser/url.contribution": [ + "openUrl", + "urlToOpen", + "workbench.trustedDomains.promptInTrustedWorkspace" ], "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": [ "webview.editor.label" ], - "vs/workbench/contrib/output/browser/output.contribution": [ - "outputViewIcon", - "output", - "output", - { - "key": "miToggleOutput", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "logViewer", - "switchToOutput.label", - "clearOutput.label", - "outputCleared", - "toggleAutoScroll", - "outputScrollOff", - "outputScrollOn", - "openActiveLogOutputFile", - "showLogs", - "selectlog", - "openLogFile", - "selectlogFile", - "output", - "output.smartScroll.enabled" - ], "vs/workbench/contrib/extensions/browser/extensionsViewlet": [ "installed", "select and install local extensions", @@ -4070,6 +3632,7 @@ "untrustedPartiallySupportedExtensions", "virtualUnsupportedExtensions", "virtualPartiallySupportedExtensions", + "deprecated", "searchExtensions", "extensionFoundInSection", "extensionFound", @@ -4111,6 +3674,7 @@ "extensionsWebWorker", "extensions.supportVirtualWorkspaces", "extensions.affinity", + "extensionsUseUtilityProcess", "extensions.supportUntrustedWorkspaces", "extensions.supportUntrustedWorkspaces.true", "extensions.supportUntrustedWorkspaces.false", @@ -4122,6 +3686,7 @@ "workbench.extensions.installExtension.option.installOnlyNewlyAddedFromExtensionPackVSIX", "workbench.extensions.installExtension.option.installPreReleaseVersion", "workbench.extensions.installExtension.option.donotSync", + "workbench.extensions.installExtension.option.context", "notFound", "workbench.extensions.uninstallExtension.description", "workbench.extensions.uninstallExtension.arg.name", @@ -4234,13 +3799,26 @@ "extensions", "extensions" ], - "vs/workbench/contrib/relauncher/browser/relauncher.contribution": [ - "relaunchSettingMessage", - "relaunchSettingMessageWeb", - "relaunchSettingDetail", - "relaunchSettingDetailWeb", - "restart", - "restartWeb" + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": [ + "overlap", + "continue", + "cancel", + "detail", + "apply", + "cat", + "Discard", + "cat", + "toogleSelection", + "cat", + "groupByFile", + "cat", + "groupByType", + "cat", + "groupByType", + "cat", + "refactorPreviewViewIcon", + "panel", + "panel" ], "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": [ "scopedConsoleAction", @@ -4249,14 +3827,95 @@ "scopedConsoleAction.wt", "scopedConsoleAction.external" ], - "vs/workbench/contrib/terminal/browser/terminalView": [ - "terminal.useMonospace", - "terminal.monospaceOnly", - "terminals", - "terminalConnectingLabel" + "vs/workbench/contrib/output/browser/outputView": [ + "output model title", + "channel", + "output", + "outputViewWithInputAriaLabel", + "outputViewAriaLabel", + "outputChannels", + "logChannel" ], - "vs/workbench/contrib/keybindings/browser/keybindings.contribution": [ - "toggleKeybindingsLog" + "vs/workbench/contrib/output/browser/output.contribution": [ + "outputViewIcon", + "output", + "output", + { + "key": "miToggleOutput", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "logViewer", + "switchToOutput.label", + "clearOutput.label", + "outputCleared", + "toggleAutoScroll", + "outputScrollOff", + "outputScrollOn", + "openActiveLogOutputFile", + "showLogs", + "selectlog", + "openLogFile", + "selectlogFile", + "output", + "output.smartScroll.enabled" + ], + "vs/workbench/contrib/relauncher/browser/relauncher.contribution": [ + "relaunchSettingMessage", + "relaunchSettingMessageWeb", + "relaunchSettingDetail", + "relaunchSettingDetailWeb", + "restart", + "restartWeb" + ], + "vs/workbench/contrib/remote/common/remote.contribution": [ + "remoteExtensionLog", + "remotePtyHostLog", + "invalidWorkspaceMessage", + "invalidWorkspaceDetail", + "invalidWorkspacePrimary", + "invalidWorkspaceCancel", + "triggerReconnect", + "pauseSocketWriting", + "ui", + "workspace", + "remote", + "remote.extensionKind", + "remote.restoreForwardedPorts", + "remote.autoForwardPorts", + "remote.autoForwardPortsSource", + "remote.autoForwardPortsSource.process", + "remote.autoForwardPortsSource.output", + "remote.portsAttributes.port", + "remote.portsAttributes.notify", + "remote.portsAttributes.openBrowser", + "remote.portsAttributes.openBrowserOnce", + "remote.portsAttributes.openPreview", + "remote.portsAttributes.silent", + "remote.portsAttributes.ignore", + "remote.portsAttributes.onForward", + "remote.portsAttributes.elevateIfNeeded", + "remote.portsAttributes.label", + "remote.portsAttributes.labelDefault", + "remote.portsAttributes.requireLocalPort", + "remote.portsAttributes.protocol", + "remote.portsAttributes.labelDefault", + "remote.portsAttributes", + "remote.portsAttributes.patternError", + "remote.portsAttributes.notify", + "remote.portsAttributes.openBrowser", + "remote.portsAttributes.openPreview", + "remote.portsAttributes.silent", + "remote.portsAttributes.ignore", + "remote.portsAttributes.onForward", + "remote.portsAttributes.elevateIfNeeded", + "remote.portsAttributes.label", + "remote.portsAttributes.labelDefault", + "remote.portsAttributes.requireLocalPort", + "remote.portsAttributes.protocol", + "remote.portsAttributes.defaults", + "remote.localPortHost" ], "vs/workbench/contrib/terminal/browser/terminal.contribution": [ "tasksQuickAccessPlaceholder", @@ -4270,6 +3929,15 @@ ] } ], + "vs/workbench/contrib/terminal/browser/terminalView": [ + "terminal.useMonospace", + "terminal.monospaceOnly", + "terminals", + "terminalConnectingLabel" + ], + "vs/workbench/contrib/keybindings/browser/keybindings.contribution": [ + "toggleKeybindingsLog" + ], "vs/workbench/contrib/tasks/browser/task.contribution": [ "building", "status.runningTasks", @@ -4343,60 +4011,69 @@ "task.quickOpen.detail", "task.quickOpen.skip", "task.quickOpen.showAll", + "ttask.allowAutomaticTasks.on", + "task.allowAutomaticTasks.auto", + "task.allowAutomaticTasks.off", + "task.allowAutomaticTasks", + "task.showDecorations", + "task.experimental.reconnection", "task.saveBeforeRun", "task.saveBeforeRun.always", "task.saveBeforeRun.never", "task.SaveBeforeRun.prompt" ], - "vs/workbench/contrib/remote/common/remote.contribution": [ - "remoteExtensionLog", - "invalidWorkspaceMessage", - "invalidWorkspaceDetail", - "invalidWorkspacePrimary", - "invalidWorkspaceCancel", - "triggerReconnect", - "pauseSocketWriting", - "ui", - "workspace", - "remote", - "remote.extensionKind", - "remote.restoreForwardedPorts", - "remote.autoForwardPorts", - "remote.autoForwardPortsSource", - "remote.autoForwardPortsSource.process", - "remote.autoForwardPortsSource.output", - "remote.portsAttributes.port", - "remote.portsAttributes.notify", - "remote.portsAttributes.openBrowser", - "remote.portsAttributes.openBrowserOnce", - "remote.portsAttributes.openPreview", - "remote.portsAttributes.silent", - "remote.portsAttributes.ignore", - "remote.portsAttributes.onForward", - "remote.portsAttributes.elevateIfNeeded", - "remote.portsAttributes.label", - "remote.portsAttributes.labelDefault", - "remote.portsAttributes.requireLocalPort", - "remote.portsAttributes.protocol", - "remote.portsAttributes.labelDefault", - "remote.portsAttributes", - "remote.portsAttributes.patternError", - "remote.portsAttributes.notify", - "remote.portsAttributes.openBrowser", - "remote.portsAttributes.openPreview", - "remote.portsAttributes.silent", - "remote.portsAttributes.ignore", - "remote.portsAttributes.onForward", - "remote.portsAttributes.elevateIfNeeded", - "remote.portsAttributes.label", - "remote.portsAttributes.labelDefault", - "remote.portsAttributes.requireLocalPort", - "remote.portsAttributes.protocol", - "remote.portsAttributes.defaults", - "remote.localPortHost" + "vs/workbench/contrib/themes/browser/themes.contribution": [ + "manageExtensionIcon", + "themes.selectMarketplaceTheme", + "installing extensions", + "selectTheme.label", + "installColorThemes", + "browseColorThemes", + "themes.selectTheme", + "themes.category.light", + "themes.category.dark", + "themes.category.hc", + "selectIconTheme.label", + "installIconThemes", + "themes.selectIconTheme", + "fileIconThemeCategory", + "noIconThemeLabel", + "noIconThemeDesc", + "selectProductIconTheme.label", + "installProductIconThemes", + "browseProductIconThemes", + "themes.selectProductIconTheme", + "productIconThemeCategory", + "defaultProductIconThemeLabel", + "manage extension", + "generateColorTheme.label", + "toggleLightDarkThemes.label", + { + "key": "miSelectColorTheme", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "miSelectIconTheme", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "miSelectProductIconTheme", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "selectTheme.label", + "themes.selectIconTheme.label", + "themes.selectProductIconTheme.label" ], "vs/workbench/contrib/snippets/browser/snippets.contribution": [ + "editor.snippets.codeActions.enabled", "snippetSchema.json.prefix", + "snippetSchema.json.isFileTemplate", "snippetSchema.json.body", "snippetSchema.json.description", "snippetSchema.json.default", @@ -4405,53 +4082,23 @@ "snippetSchema.json", "snippetSchema.json.scope" ], - "vs/workbench/contrib/snippets/browser/surroundWithSnippet": [ - "label" - ], - "vs/workbench/contrib/snippets/browser/configureSnippets": [ - "global.scope", - "global.1", - "name", - "bad_name1", - "bad_name2", - "bad_name3", - "openSnippet.label", - "userSnippets", - { - "key": "miOpenSnippets", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "new.global_scope", - "new.global", - "new.workspace_scope", - "new.folder", - "group.global", - "new.global.sep", - "new.global.sep", - "openSnippet.pickLanguage" - ], - "vs/workbench/contrib/snippets/browser/insertSnippet": [ - "snippet.suggestions.label" - ], - "vs/workbench/contrib/snippets/browser/snippetsService": [ - "invalid.path.0", - "invalid.language.0", - "invalid.language", - "invalid.path.1", - "vscode.extension.contributes.snippets", - "vscode.extension.contributes.snippets-language", - "vscode.extension.contributes.snippets-path", - "badVariableUse", - "badFile" - ], "vs/workbench/contrib/inlayHints/browser/inlayHintsAccessibilty": [ "isReadingLineWithInlayHints", "description", "read.title", "stop.title" ], + "vs/workbench/contrib/surveys/browser/ces.contribution": [ + "cesSurveyQuestion", + "giveFeedback", + "remindLater" + ], + "vs/workbench/contrib/surveys/browser/nps.contribution": [ + "surveyQuestion", + "takeSurvey", + "remindLater", + "neverAgain" + ], "vs/workbench/contrib/update/browser/update.contribution": [ "downloadUpdate", "installUpdate", @@ -4461,27 +4108,16 @@ "comment": [ "&& denotes a mnemonic" ] + }, + "applyUpdate", + "pickUpdate", + { + "key": "updateButton", + "comment": [ + "&& denotes a mnemonic" + ] } ], - "vs/workbench/contrib/welcomeOverlay/browser/welcomeOverlay": [ - "welcomeOverlay.explorer", - "welcomeOverlay.search", - "welcomeOverlay.git", - "welcomeOverlay.debug", - "welcomeOverlay.extensions", - "welcomeOverlay.problems", - "welcomeOverlay.terminal", - "welcomeOverlay.commandPalette", - "welcomeOverlay.notifications", - "welcomeOverlay", - "hideWelcomeOverlay" - ], - "vs/workbench/contrib/surveys/browser/nps.contribution": [ - "surveyQuestion", - "takeSurvey", - "remindLater", - "neverAgain" - ], "vs/workbench/contrib/watermark/browser/watermark": [ "watermark.showCommands", "watermark.quickAccess", @@ -4507,52 +4143,47 @@ "watermark.showSettings", "tips.enabled" ], - "vs/workbench/contrib/themes/browser/themes.contribution": [ - "manageExtensionIcon", - "themes.selectMarketplaceTheme", - "installing extensions", - "selectTheme.label", - "installColorThemes", - "browseColorThemes", - "themes.selectTheme", - "themes.category.light", - "themes.category.dark", - "themes.category.hc", - "selectIconTheme.label", - "installIconThemes", - "themes.selectIconTheme", - "fileIconThemeCategory", - "noIconThemeLabel", - "noIconThemeDesc", - "selectProductIconTheme.label", - "installProductIconThemes", - "browseProductIconThemes", - "themes.selectProductIconTheme", - "productIconThemeCategory", - "defaultProductIconThemeLabel", - "manage extension", - "generateColorTheme.label", - { - "key": "miSelectColorTheme", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "miSelectIconTheme", - "comment": [ - "&& denotes a mnemonic" - ] - }, + "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": [ + "helpUs", + "takeShortSurvey", + "remindLater", + "neverAgain" + ], + "vs/workbench/contrib/welcomeWalkthrough/browser/walkThrough.contribution": [ + "walkThrough.editor.label", { - "key": "miSelectProductIconTheme", + "key": "miPlayground", "comment": [ "&& denotes a mnemonic" ] - }, - "selectTheme.label", - "themes.selectIconTheme.label", - "themes.selectProductIconTheme.label" + } + ], + "vs/workbench/contrib/welcomeOverlay/browser/welcomeOverlay": [ + "welcomeOverlay.explorer", + "welcomeOverlay.search", + "welcomeOverlay.git", + "welcomeOverlay.debug", + "welcomeOverlay.extensions", + "welcomeOverlay.problems", + "welcomeOverlay.terminal", + "welcomeOverlay.commandPalette", + "welcomeOverlay.notifications", + "welcomeOverlay", + "hideWelcomeOverlay" + ], + "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": [ + "editorHasCallHierarchyProvider", + "callHierarchyVisible", + "callHierarchyDirection", + "no.item", + "error", + "title", + "title.incoming", + "showIncomingCallsIcons", + "title.outgoing", + "showOutgoingCallsIcon", + "title.refocus", + "close" ], "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted.contribution": [ "miGetStarted", @@ -4601,62 +4232,6 @@ "deprecationMessage", "workbench.welcomePage.preferReducedMotion" ], - "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": [ - "helpUs", - "takeShortSurvey", - "remindLater", - "neverAgain" - ], - "vs/workbench/contrib/welcomeWalkthrough/browser/walkThrough.contribution": [ - "walkThrough.editor.label", - { - "key": "miPlayground", - "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/surveys/browser/ces.contribution": [ - "cesSurveyQuestion", - "giveFeedback", - "remindLater" - ], - "vs/workbench/contrib/welcomeViews/common/newFile.contribution": [ - "Built-In", - "Create", - "welcome.newFile", - "createNew", - "file", - "notebook", - "change keybinding", - "miNewFile2" - ], - "vs/workbench/contrib/typeHierarchy/browser/typeHierarchy.contribution": [ - "editorHasTypeHierarchyProvider", - "typeHierarchyVisible", - "typeHierarchyDirection", - "no.item", - "error", - "title", - "title.supertypes", - "title.subtypes", - "title.refocusTypeHierarchy", - "close" - ], - "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": [ - "editorHasCallHierarchyProvider", - "callHierarchyVisible", - "callHierarchyDirection", - "no.item", - "error", - "title", - "title.incoming", - "showIncomingCallsIcons", - "title.outgoing", - "showOutgoingCallsIcon", - "title.refocus", - "close" - ], "vs/workbench/contrib/outline/browser/outline.contribution": [ "outlineViewIcon", "name", @@ -4692,12 +4267,39 @@ "filteredTypes.operator", "filteredTypes.typeParameter" ], + "vs/workbench/contrib/languageDetection/browser/languageDetection.contribution": [ + "status.autoDetectLanguage", + "langDetection.name", + "langDetection.aria", + "detectlang", + "noDetection" + ], + "vs/workbench/contrib/welcomeViews/common/newFile.contribution": [ + "Built-In", + "Create", + "welcome.newFile", + "selectFileType", + "file", + "notebook", + "change keybinding", + "miNewFileWithName", + "miNewFile2" + ], + "vs/workbench/contrib/typeHierarchy/browser/typeHierarchy.contribution": [ + "editorHasTypeHierarchyProvider", + "typeHierarchyVisible", + "typeHierarchyDirection", + "no.item", + "error", + "title", + "title.supertypes", + "title.subtypes", + "title.refocusTypeHierarchy", + "close" + ], "vs/workbench/contrib/experiments/browser/experiments.contribution": [ "workbench.enableExperiments" ], - "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsOutline": [ - "document" - ], "vs/workbench/contrib/languageStatus/browser/languageStatus.contribution": [ "langStatus.name", "langStatus.aria", @@ -4709,6 +4311,43 @@ "reset", "cat" ], + "vs/workbench/contrib/timeline/browser/timeline.contribution": [ + "timelineViewIcon", + "timelineOpenIcon", + "timelineConfigurationTitle", + "timeline.excludeSources", + "timeline.pageSize", + "timeline.pageOnScroll", + "files.openTimeline", + "timelineFilter", + "filterTimeline" + ], + "vs/workbench/contrib/editSessions/browser/editSessions.contribution": [ + "continue edit session", + "continue edit session in local folder", + "show edit session", + "resume latest.v2", + "resuming edit session", + "store current.v2", + "storing edit session", + "no edit session", + "no edit session content for ref", + "client too old", + "resume edit session warning", + "resume failed", + "no edits to store", + "payload too large", + "payload failed", + "continueEditSession.openLocalFolder.title", + "continueEditSessionPick.title", + "continueEditSessionPick.placeholder", + "continueEditSessionItem.openInLocalFolder", + "continueEditSessionExtPoint", + "continueEditSessionExtPoint.command", + "continueEditSessionExtPoint.group", + "continueEditSessionExtPoint.when", + "editSessionsEnabled" + ], "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": [ { "key": "local too many requests - reload", @@ -4735,19 +4374,27 @@ "settings sync", "show sync logs" ], - "vs/workbench/contrib/languageDetection/browser/languageDetection.contribution": [ - "status.autoDetectLanguage", - "langDetection.name", - "langDetection.aria", - "detectlang", - "noDetection" + "vs/workbench/contrib/audioCues/browser/audioCues.contribution": [ + "audioCues.enabled.auto", + "audioCues.enabled.on", + "audioCues.enabled.off", + "audioCues.volume", + "audioCues.lineHasBreakpoint", + "audioCues.lineHasInlineSuggestion", + "audioCues.lineHasError", + "audioCues.lineHasFoldedArea", + "audioCues.lineHasWarning", + "audioCues.onDebugBreak", + "audioCues.noInlayHints" ], - "vs/workbench/contrib/workspaces/browser/workspaces.contribution": [ - "workspaceFound", - "openWorkspace", - "workspacesFound", - "selectWorkspace", - "selectToOpen" + "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsOutline": [ + "document" + ], + "vs/workbench/contrib/deprecatedExtensionMigrator/browser/deprecatedExtensionMigrator.contribution": [ + "bracketPairColorizer.notification", + "bracketPairColorizer.notification.action.uninstall", + "bracketPairColorizer.notification.action.enableNative", + "bracketPairColorizer.notification.action.showMoreInfo" ], "vs/workbench/contrib/workspace/browser/workspace.contribution": [ "openLooseFileWorkspaceDetails", @@ -4836,60 +4483,95 @@ "workspace.trust.untrustedFiles.newWindow", "workspace.trust.emptyWindow.description" ], - "vs/workbench/contrib/audioCues/browser/audioCues.contribution": [ - "audioCues.enabled.auto", - "audioCues.enabled.on", - "audioCues.enabled.off", - "audioCues.volume", - "audioCues.lineHasBreakpoint", - "audioCues.lineHasInlineSuggestion", - "audioCues.lineHasError", - "audioCues.lineHasFoldedArea", - "audioCues.lineHasWarning", - "audioCues.onDebugBreak", - "audioCues.noInlayHints" - ], - "vs/workbench/contrib/timeline/browser/timeline.contribution": [ - "timelineViewIcon", - "timelineOpenIcon", - "timelineConfigurationTitle", - "timeline.excludeSources", - "timeline.pageSize", - "timeline.pageOnScroll", - "files.openTimeline", - "timelineFilter", - "filterTimeline" + "vs/workbench/contrib/workspaces/browser/workspaces.contribution": [ + "workspaceFound", + "openWorkspace", + "workspacesFound", + "selectWorkspace", + "selectToOpen" ], - "vs/workbench/services/textfile/browser/textFileService": [ - "textFileCreate.source", - "textFileOverwrite.source", - "textFileModelDecorations", - "readonlyAndDeleted", - "readonly", - "deleted", - "fileBinaryError", - "confirmOverwrite", - "irreversible", - { - "key": "replaceButtonLabel", + "vs/workbench/electron-sandbox/window": [ + "learnMore", + "keychainWriteError", + "troubleshooting", + "proxyAuthRequired", + { + "key": "loginButton", "comment": [ "&& denotes a mnemonic" ] - } + }, + { + "key": "cancelButton", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "username", + "password", + "proxyDetail", + "rememberCredentials", + "quitMessageMac", + "quitMessage", + "closeWindowMessage", + { + "key": "quitButtonLabel", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "exitButtonLabel", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "closeWindowButtonLabel", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "doNotAskAgain", + "shutdownErrorDetail", + "willShutdownDetail", + "shutdownErrorClose", + "shutdownErrorQuit", + "shutdownErrorReload", + "shutdownErrorLoad", + "shutdownTitleClose", + "shutdownTitleQuit", + "shutdownTitleReload", + "shutdownTitleLoad", + "shutdownForceClose", + "shutdownForceQuit", + "shutdownForceReload", + "shutdownForceLoad", + "runningAsRoot", + "loaderCycle" ], - "vs/platform/dialogs/common/dialogs": [ - "moreFile", - "moreFiles" + "vs/workbench/browser/workbench": [ + "loaderErrorNative" ], - "vs/workbench/services/userDataSync/common/userDataSync": [ - "settings", - "keybindings", - "snippets", - "tasks", - "extensions", - "ui state label", - "sync category", - "syncViewIcon" + "vs/platform/workspace/common/workspace": [ + "codeWorkspace" + ], + "vs/workbench/services/configuration/browser/configurationService": [ + "configurationDefaults.description", + "experimental" + ], + "vs/workbench/services/remote/electron-sandbox/remoteAgentService": [ + "devTools", + "directUrl", + "connectionError" + ], + "vs/platform/workspace/common/workspaceTrust": [ + "trusted", + "untrusted" + ], + "vs/workbench/services/userDataProfile/common/userDataProfile": [ + "settings profiles", + "profile" ], "vs/workbench/electron-sandbox/actions/developerActions": [ "toggleDevTools", @@ -4897,14 +4579,12 @@ "toggleSharedProcess", "reloadWindowWithExtensionsDisabled" ], - "vs/platform/contextkey/common/contextkeys": [ - "isMac", - "isLinux", - "isWindows", - "isWeb", - "isMacNative", - "isIOS", - "inputFocus" + "vs/workbench/electron-sandbox/actions/installActions": [ + "shellCommand", + "install", + "successIn", + "uninstall", + "successFrom" ], "vs/workbench/electron-sandbox/actions/windowActions": [ "closeWindow", @@ -4943,6 +4623,18 @@ "switchWindow", "quickSwitchWindow" ], + "vs/platform/configuration/common/configurationRegistry": [ + "defaultLanguageConfigurationOverrides.title", + "defaultLanguageConfiguration.description", + "overrideSettings.defaultDescription", + "overrideSettings.errorMessage", + "overrideSettings.defaultDescription", + "overrideSettings.errorMessage", + "config.property.empty", + "config.property.languageDefault", + "config.property.duplicate", + "config.policy.duplicate" + ], "vs/workbench/common/contextkeys": [ "workbenchState", "workspaceFolderCount", @@ -5002,88 +4694,66 @@ "resourceSet", "isFileSystemResource" ], - "vs/workbench/browser/workbench": [ - "loaderErrorNative" + "vs/platform/contextkey/common/contextkeys": [ + "isMac", + "isLinux", + "isWindows", + "isWeb", + "isMacNative", + "isIOS", + "productQualityType", + "inputFocus" ], - "vs/workbench/electron-sandbox/window": [ - "learnMore", - "keychainWriteError", - "troubleshooting", - "proxyAuthRequired", - { - "key": "loginButton", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "cancelButton", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "username", - "password", - "proxyDetail", - "rememberCredentials", - "quitMessageMac", - "quitMessage", - "closeWindowMessage", - { - "key": "quitButtonLabel", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "exitButtonLabel", - "comment": [ - "&& denotes a mnemonic" - ] - }, + "vs/platform/userDataSync/common/keybindingsSync": [ + "errorInvalidSettings", + "errorInvalidSettings" + ], + "vs/platform/userDataSync/common/settingsSync": [ + "errorInvalidSettings" + ], + "vs/workbench/services/userDataSync/common/userDataSync": [ + "settings", + "keybindings", + "snippets", + "tasks", + "extensions", + "ui state label", + "sync category", + "syncViewIcon" + ], + "vs/platform/dialogs/common/dialogs": [ + "moreFile", + "moreFiles" + ], + "vs/workbench/services/textfile/browser/textFileService": [ + "textFileCreate.source", + "textFileOverwrite.source", + "textFileModelDecorations", + "readonlyAndDeleted", + "readonly", + "deleted", + "fileBinaryError", + "confirmOverwrite", + "irreversible", { - "key": "closeWindowButtonLabel", + "key": "replaceButtonLabel", "comment": [ "&& denotes a mnemonic" ] - }, - "doNotAskAgain", - "shutdownErrorDetail", - "willShutdownDetail", - "shutdownErrorClose", - "shutdownErrorQuit", - "shutdownErrorReload", - "shutdownErrorLoad", - "shutdownTitleClose", - "shutdownTitleQuit", - "shutdownTitleReload", - "shutdownTitleLoad", - "shutdownForceClose", - "shutdownForceQuit", - "shutdownForceReload", - "shutdownForceLoad", - "runningAsRoot", - "loaderCycle" - ], - "vs/workbench/electron-sandbox/actions/installActions": [ - "shellCommand", - "install", - "successIn", - "uninstall", - "successFrom" - ], - "vs/workbench/services/configuration/browser/configurationService": [ - "configurationDefaults.description", - "experimental" - ], - "vs/workbench/services/remote/electron-sandbox/remoteAgentService": [ - "devTools", - "directUrl", - "connectionError" + } ], - "vs/platform/workspace/common/workspaceTrust": [ - "trusted", - "untrusted" + "vs/workbench/services/textMate/browser/abstractTextMateService": [ + "alreadyDebugging", + "stop", + "progress1", + "progress2", + "invalid.language", + "invalid.scopeName", + "invalid.path.0", + "invalid.injectTo", + "invalid.embeddedLanguages", + "invalid.tokenTypes", + "invalid.path.1" ], "vs/workbench/browser/parts/dialogs/dialogHandler": [ { @@ -5119,52 +4789,6 @@ ] } ], - "vs/workbench/services/dialogs/browser/abstractFileDialogService": [ - "saveChangesDetail", - "saveChangesMessage", - "saveChangesMessages", - { - "key": "saveAll", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "save", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "dontSave", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "cancel", - "openFileOrFolder.title", - "openFile.title", - "openFolder.title", - "openWorkspace.title", - "filterName.workspace", - "saveFileAs.title", - "saveAsTitle", - "allFiles", - "noExt" - ], - "vs/workbench/services/textMate/browser/abstractTextMateService": [ - "alreadyDebugging", - "stop", - "progress1", - "progress2", - "invalid.language", - "invalid.scopeName", - "invalid.path.0", - "invalid.injectTo", - "invalid.embeddedLanguages", - "invalid.tokenTypes", - "invalid.path.1" - ], "vs/platform/theme/common/colorRegistry": [ "foreground", "disabledForeground", @@ -5208,6 +4832,7 @@ "checkbox.foreground", "checkbox.border", "buttonForeground", + "buttonSeparator", "buttonBackground", "buttonHoverBackground", "buttonBorder", @@ -5235,6 +4860,8 @@ "sashActiveBorder", "editorBackground", "editorForeground", + "editorStickyScrollBackground", + "editorStickyScrollHoverBackground", "editorWidgetBackground", "editorWidgetForeground", "editorWidgetBorder", @@ -5290,6 +4917,7 @@ "listFocusBackground", "listFocusForeground", "listFocusOutline", + "listFocusAndSelectionOutline", "listActiveSelectionBackground", "listActiveSelectionForeground", "listActiveSelectionIconForeground", @@ -5309,6 +4937,7 @@ "listFilterWidgetBackground", "listFilterWidgetOutline", "listFilterWidgetNoMatchesOutline", + "listFilterWidgetShadow", "listFilterMatchHighlight", "listFilterMatchHighlightBorder", "treeIndentGuidesStroke", @@ -5372,6 +5001,42 @@ "chartsGreen", "chartsPurple" ], + "vs/workbench/services/dialogs/browser/abstractFileDialogService": [ + "saveChangesDetail", + "saveChangesMessage", + "saveChangesMessages", + { + "key": "saveAll", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "save", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "dontSave", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "cancel", + "openFileOrFolder.title", + "openFile.title", + "openFolder.title", + "openWorkspace.title", + "filterName.workspace", + "saveFileAs.title", + "saveAsTitle", + "allFiles", + "noExt" + ], + "vs/base/common/actions": [ + "submenu.empty" + ], "vs/workbench/common/theme": [ "tabActiveBackground", "tabUnfocusedActiveBackground", @@ -5495,20 +5160,6 @@ "errorWorkspaceConfigurationFileDirty", "openWorkspaceConfigurationFile" ], - "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": [ - "notFoundCompatiblePrereleaseDependency", - "notFoundReleaseExtension", - "notFoundCompatibleDependency" - ], - "vs/workbench/services/configurationResolver/browser/baseConfigurationResolverService": [ - "commandVariable.noStringType", - "inputVariable.noInputSection", - "inputVariable.missingAttribute", - "inputVariable.defaultInputValue", - "inputVariable.command.noStringType", - "inputVariable.unknownType", - "inputVariable.undefinedVariable" - ], "vs/workbench/services/extensionManagement/common/extensionManagementService": [ "singleDependentError", "twoDependentsError", @@ -5539,10 +5190,14 @@ "showExtensions", "cancel" ], - "vs/workbench/services/workingCopy/common/workingCopyHistoryService": [ - "default.source", - "moved.source", - "renamed.source" + "vs/workbench/services/configurationResolver/browser/baseConfigurationResolverService": [ + "commandVariable.noStringType", + "inputVariable.noInputSection", + "inputVariable.missingAttribute", + "inputVariable.defaultInputValue", + "inputVariable.command.noStringType", + "inputVariable.unknownType", + "inputVariable.undefinedVariable" ], "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupTracker": [ "backupTrackerBackupFailed", @@ -5554,14 +5209,6 @@ "revertBeforeShutdown", "discardBackupsBeforeShutdown" ], - "vs/workbench/browser/editor": [ - "preview", - "pinned" - ], - "vs/workbench/common/editor": [ - "promptOpenWith.defaultEditor.displayName", - "builtinProviderDisplayName" - ], "vs/workbench/common/actions": [ "view", "help", @@ -5578,126 +5225,10 @@ "openLogsFolder", "openExtensionLogsFolder" ], - "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": [ - "actions.pasteSelectionClipboard" - ], - "vs/workbench/contrib/codeEditor/electron-sandbox/startDebugTextMate": [ - "startDebugTextMate" - ], - "vs/workbench/services/extensions/common/extensionsRegistry": [ - "ui", - "workspace", - "vscode.extension.engines", - "vscode.extension.engines.vscode", - "vscode.extension.publisher", - "vscode.extension.displayName", - "vscode.extension.categories", - "vscode.extension.category.languages.deprecated", - "vscode.extension.galleryBanner", - "vscode.extension.galleryBanner.color", - "vscode.extension.galleryBanner.theme", - "vscode.extension.contributes", - "vscode.extension.preview", - "vscode.extension.enableProposedApi.deprecated", - "vscode.extension.enabledApiProposals", - "vscode.extension.activationEvents", - "vscode.extension.activationEvents.onWebviewPanel", - "vscode.extension.activationEvents.onLanguage", - "vscode.extension.activationEvents.onCommand", - "vscode.extension.activationEvents.onDebug", - "vscode.extension.activationEvents.onDebugInitialConfigurations", - "vscode.extension.activationEvents.onDebugDynamicConfigurations", - "vscode.extension.activationEvents.onDebugResolve", - "vscode.extension.activationEvents.onDebugAdapterProtocolTracker", - "vscode.extension.activationEvents.workspaceContains", - "vscode.extension.activationEvents.onStartupFinished", - "vscode.extension.activationEvents.onTaskType", - "vscode.extension.activationEvents.onFileSystem", - "vscode.extension.activationEvents.onSearch", - "vscode.extension.activationEvents.onView", - "vscode.extension.activationEvents.onIdentity", - "vscode.extension.activationEvents.onUri", - "vscode.extension.activationEvents.onOpenExternalUri", - "vscode.extension.activationEvents.onCustomEditor", - "vscode.extension.activationEvents.onNotebook", - "vscode.extension.activationEvents.onAuthenticationRequest", - "vscode.extension.activationEvents.onRenderer", - "vscode.extension.activationEvents.onTerminalProfile", - "vscode.extension.activationEvents.onWalkthrough", - "vscode.extension.activationEvents.star", - "vscode.extension.badges", - "vscode.extension.badges.url", - "vscode.extension.badges.href", - "vscode.extension.badges.description", - "vscode.extension.markdown", - "vscode.extension.qna", - "vscode.extension.extensionDependencies", - "vscode.extension.contributes.extensionPack", - "extensionKind", - "extensionKind.ui", - "extensionKind.workspace", - "extensionKind.ui-workspace", - "extensionKind.workspace-ui", - "extensionKind.empty", - "vscode.extension.capabilities", - "vscode.extension.capabilities.virtualWorkspaces", - "vscode.extension.capabilities.virtualWorkspaces.supported", - "vscode.extension.capabilities.virtualWorkspaces.supported.limited", - "vscode.extension.capabilities.virtualWorkspaces.supported.true", - "vscode.extension.capabilities.virtualWorkspaces.supported.false", - "vscode.extension.capabilities.virtualWorkspaces.description", - "vscode.extension.capabilities.untrustedWorkspaces", - "vscode.extension.capabilities.untrustedWorkspaces.supported", - "vscode.extension.capabilities.untrustedWorkspaces.supported.limited", - "vscode.extension.capabilities.untrustedWorkspaces.supported.true", - "vscode.extension.capabilities.untrustedWorkspaces.supported.false", - "vscode.extension.capabilities.untrustedWorkspaces.restrictedConfigurations", - "vscode.extension.capabilities.untrustedWorkspaces.description", - "vscode.extension.contributes.sponsor", - "vscode.extension.contributes.sponsor.url", - "vscode.extension.scripts.prepublish", - "vscode.extension.scripts.uninstall", - "vscode.extension.icon", - "product.extensionEnabledApiProposals" - ], - "vs/workbench/contrib/files/electron-sandbox/textFileEditor": [ - "fileTooLargeForHeapError", - "relaunchWithIncreasedMemoryLimit", - "configureMemoryLimit" - ], - "vs/workbench/contrib/localization/browser/localizationsActions": [ - "restart", - "configureLocale", - "chooseLocale", - "installed", - "available", - "relaunchDisplayLanguageMessage", - "relaunchDisplayLanguageDetail", - "clearDisplayLanguage", - "relaunchAfterClearDisplayLanguageMessage", - "relaunchAfterClearDisplayLanguageDetail" - ], - "vs/workbench/contrib/localization/electron-sandbox/minimalTranslations": [ - "showLanguagePackExtensions", - "searchMarketplace", - "installAndRestartMessage", - "installAndRestart" - ], - "vs/workbench/contrib/issue/electron-sandbox/issueActions": [ - "openProcessExplorer", - { - "key": "reportPerformanceIssue", - "comment": [ - "Here, 'issue' means problem or bug" - ] - } - ], - "vs/workbench/contrib/extensions/electron-sandbox/runtimeExtensionsEditor": [ - "extensionHostProfileStart", - "stopExtensionHostProfileStart", - "saveExtensionHostProfile", - "saveprofile.dialogTitle", - "saveprofile.saveButton" + "vs/workbench/services/workingCopy/common/workingCopyHistoryService": [ + "default.source", + "moved.source", + "renamed.source" ], "vs/editor/common/editorContextKeys": [ "editorTextFocus", @@ -5731,34 +5262,71 @@ "editorHasMultipleDocumentFormattingProvider", "editorHasMultipleDocumentSelectionFormattingProvider" ], - "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": [ - "openExtensionsFolder" + "vs/workbench/common/editor": [ + "promptOpenWith.defaultEditor.displayName", + "builtinProviderDisplayName" ], - "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": [ - "extensionsInputName" + "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": [ + "notFoundCompatiblePrereleaseDependency", + "notFoundReleaseExtension", + "notFoundCompatibleDependency" ], - "vs/workbench/contrib/extensions/electron-sandbox/debugExtensionHostAction": [ - "debugExtensionHost", - "restart1", - "restart2", - "restart3", - "cancel", - "debugExtensionHost.launch.name" + "vs/workbench/services/extensions/electron-sandbox/electronExtensionService": [ + "extensionService.versionMismatchCrash", + "relaunch", + "extensionService.autoRestart", + "extensionService.crash", + "devTools", + "restart", + "getEnvironmentFailure", + "looping", + "enableResolver", + "enable", + "installResolver", + "install", + "resolverExtensionNotFound", + "restartExtensionHost" ], - "vs/workbench/contrib/extensions/electron-sandbox/extensionsAutoProfiler": [ - "unresponsive-exthost", - "show" + "vs/workbench/contrib/codeEditor/electron-sandbox/startDebugTextMate": [ + "startDebugTextMate" ], - "vs/workbench/contrib/extensions/electron-sandbox/extensionProfileService": [ - "status.profiler", - "profilingExtensionHost", - "profilingExtensionHost", - "selectAndStartDebug", - "profilingExtensionHostTime", - "restart1", - "restart2", - "restart3", - "cancel" + "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": [ + "actions.pasteSelectionClipboard" + ], + "vs/workbench/contrib/localization/electron-sandbox/minimalTranslations": [ + "showLanguagePackExtensions", + "searchMarketplace", + "installAndRestartMessage", + "installAndRestart" + ], + "vs/workbench/contrib/localization/browser/localizationsActions": [ + "configureLocale", + "chooseLocale", + "installed", + "available", + "clearDisplayLanguage" + ], + "vs/workbench/contrib/localization/electron-sandbox/localeService": [ + "argvInvalid", + "openArgv", + "installing", + "restartDisplayLanguageMessage", + "restartDisplayLanguageDetail", + { + "key": "restart", + "comment": [ + "&& denotes a mnemonic character" + ] + } + ], + "vs/workbench/contrib/files/electron-sandbox/textFileEditor": [ + "fileTooLargeForHeapError", + "relaunchWithIncreasedMemoryLimit", + "configureMemoryLimit" + ], + "vs/workbench/browser/editor": [ + "preview", + "pinned" ], "vs/workbench/services/dialogs/browser/simpleFileDialog": [ "openLocalFile", @@ -5779,6 +5347,127 @@ "remoteFileDialog.validateFileOnly", "remoteFileDialog.validateFolderOnly" ], + "vs/workbench/contrib/extensions/electron-sandbox/runtimeExtensionsEditor": [ + "extensionHostProfileStart", + "stopExtensionHostProfileStart", + "saveExtensionHostProfile", + "saveprofile.dialogTitle", + "saveprofile.saveButton" + ], + "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": [ + "extensionsInputName" + ], + "vs/workbench/contrib/issue/electron-sandbox/issueActions": [ + "openProcessExplorer", + { + "key": "reportPerformanceIssue", + "comment": [ + "Here, 'issue' means problem or bug" + ] + } + ], + "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": [ + "openExtensionsFolder" + ], + "vs/workbench/contrib/extensions/electron-sandbox/debugExtensionHostAction": [ + "debugExtensionHost", + "restart1", + "restart2", + "restart3", + "cancel", + "debugExtensionHost.launch.name" + ], + "vs/workbench/contrib/extensions/electron-sandbox/extensionProfileService": [ + "status.profiler", + "profilingExtensionHost", + "profilingExtensionHost", + "selectAndStartDebug", + "profilingExtensionHostTime", + "restart1", + "restart2", + "restart3", + "cancel" + ], + "vs/workbench/services/extensions/common/extensionsRegistry": [ + "ui", + "workspace", + "vscode.extension.engines", + "vscode.extension.engines.vscode", + "vscode.extension.publisher", + "vscode.extension.displayName", + "vscode.extension.categories", + "vscode.extension.category.languages.deprecated", + "vscode.extension.galleryBanner", + "vscode.extension.galleryBanner.color", + "vscode.extension.galleryBanner.theme", + "vscode.extension.contributes", + "vscode.extension.preview", + "vscode.extension.enableProposedApi.deprecated", + "vscode.extension.enabledApiProposals", + "vscode.extension.activationEvents", + "vscode.extension.activationEvents.onWebviewPanel", + "vscode.extension.activationEvents.onLanguage", + "vscode.extension.activationEvents.onCommand", + "vscode.extension.activationEvents.onDebug", + "vscode.extension.activationEvents.onDebugInitialConfigurations", + "vscode.extension.activationEvents.onDebugDynamicConfigurations", + "vscode.extension.activationEvents.onDebugResolve", + "vscode.extension.activationEvents.onDebugAdapterProtocolTracker", + "vscode.extension.activationEvents.workspaceContains", + "vscode.extension.activationEvents.onStartupFinished", + "vscode.extension.activationEvents.onTaskType", + "vscode.extension.activationEvents.onFileSystem", + "vscode.extension.activationEvents.onSearch", + "vscode.extension.activationEvents.onView", + "vscode.extension.activationEvents.onIdentity", + "vscode.extension.activationEvents.onUri", + "vscode.extension.activationEvents.onOpenExternalUri", + "vscode.extension.activationEvents.onCustomEditor", + "vscode.extension.activationEvents.onNotebook", + "vscode.extension.activationEvents.onAuthenticationRequest", + "vscode.extension.activationEvents.onRenderer", + "vscode.extension.activationEvents.onTerminalProfile", + "vscode.extension.activationEvents.onWalkthrough", + "vscode.extension.activationEvents.star", + "vscode.extension.badges", + "vscode.extension.badges.url", + "vscode.extension.badges.href", + "vscode.extension.badges.description", + "vscode.extension.markdown", + "vscode.extension.qna", + "vscode.extension.extensionDependencies", + "vscode.extension.contributes.extensionPack", + "extensionKind", + "extensionKind.ui", + "extensionKind.workspace", + "extensionKind.ui-workspace", + "extensionKind.workspace-ui", + "extensionKind.empty", + "vscode.extension.capabilities", + "vscode.extension.capabilities.virtualWorkspaces", + "vscode.extension.capabilities.virtualWorkspaces.supported", + "vscode.extension.capabilities.virtualWorkspaces.supported.limited", + "vscode.extension.capabilities.virtualWorkspaces.supported.true", + "vscode.extension.capabilities.virtualWorkspaces.supported.false", + "vscode.extension.capabilities.virtualWorkspaces.description", + "vscode.extension.capabilities.untrustedWorkspaces", + "vscode.extension.capabilities.untrustedWorkspaces.supported", + "vscode.extension.capabilities.untrustedWorkspaces.supported.limited", + "vscode.extension.capabilities.untrustedWorkspaces.supported.true", + "vscode.extension.capabilities.untrustedWorkspaces.supported.false", + "vscode.extension.capabilities.untrustedWorkspaces.restrictedConfigurations", + "vscode.extension.capabilities.untrustedWorkspaces.description", + "vscode.extension.contributes.sponsor", + "vscode.extension.contributes.sponsor.url", + "vscode.extension.scripts.prepublish", + "vscode.extension.scripts.uninstall", + "vscode.extension.icon", + "product.extensionEnabledApiProposals" + ], + "vs/workbench/contrib/extensions/electron-sandbox/extensionsAutoProfiler": [ + "unresponsive-exthost", + "show" + ], "vs/workbench/contrib/terminal/common/terminal": [ "terminalCategory", "vscode.extension.contributes.terminal", @@ -5804,40 +5493,152 @@ "prof.detail.restart", "prof.restart.button" ], + "vs/workbench/contrib/webview/electron-sandbox/webviewCommands": [ + "openToolsLabel", + "iframeWebviewAlert" + ], + "vs/base/common/date": [ + "date.fromNow.in", + "date.fromNow.now", + "date.fromNow.seconds.singular.ago.fullWord", + "date.fromNow.seconds.singular.ago", + "date.fromNow.seconds.plural.ago.fullWord", + "date.fromNow.seconds.plural.ago", + "date.fromNow.seconds.singular.fullWord", + "date.fromNow.seconds.singular", + "date.fromNow.seconds.plural.fullWord", + "date.fromNow.seconds.plural", + "date.fromNow.minutes.singular.ago.fullWord", + "date.fromNow.minutes.singular.ago", + "date.fromNow.minutes.plural.ago.fullWord", + "date.fromNow.minutes.plural.ago", + "date.fromNow.minutes.singular.fullWord", + "date.fromNow.minutes.singular", + "date.fromNow.minutes.plural.fullWord", + "date.fromNow.minutes.plural", + "date.fromNow.hours.singular.ago.fullWord", + "date.fromNow.hours.singular.ago", + "date.fromNow.hours.plural.ago.fullWord", + "date.fromNow.hours.plural.ago", + "date.fromNow.hours.singular.fullWord", + "date.fromNow.hours.singular", + "date.fromNow.hours.plural.fullWord", + "date.fromNow.hours.plural", + "date.fromNow.days.singular.ago", + "date.fromNow.days.plural.ago", + "date.fromNow.days.singular", + "date.fromNow.days.plural", + "date.fromNow.weeks.singular.ago.fullWord", + "date.fromNow.weeks.singular.ago", + "date.fromNow.weeks.plural.ago.fullWord", + "date.fromNow.weeks.plural.ago", + "date.fromNow.weeks.singular.fullWord", + "date.fromNow.weeks.singular", + "date.fromNow.weeks.plural.fullWord", + "date.fromNow.weeks.plural", + "date.fromNow.months.singular.ago.fullWord", + "date.fromNow.months.singular.ago", + "date.fromNow.months.plural.ago.fullWord", + "date.fromNow.months.plural.ago", + "date.fromNow.months.singular.fullWord", + "date.fromNow.months.singular", + "date.fromNow.months.plural.fullWord", + "date.fromNow.months.plural", + "date.fromNow.years.singular.ago.fullWord", + "date.fromNow.years.singular.ago", + "date.fromNow.years.plural.ago.fullWord", + "date.fromNow.years.plural.ago", + "date.fromNow.years.singular.fullWord", + "date.fromNow.years.singular", + "date.fromNow.years.plural.fullWord", + "date.fromNow.years.plural" + ], + "vs/workbench/contrib/localHistory/electron-sandbox/localHistoryCommands": [ + "revealInWindows", + "revealInMac", + "openContainer" + ], + "vs/workbench/contrib/terminal/common/terminalContextKey": [ + "terminalFocusContextKey", + "terminalEditorFocusContextKey", + "terminalCountContextKey", + "terminalTabsFocusContextKey", + "terminalShellTypeContextKey", + "terminalAltBufferActive", + "terminalViewShowing", + "terminalTextSelectedContextKey", + "terminalProcessSupportedContextKey", + "terminalTabsSingularSelectedContextKey", + "isSplitTerminalContextKey", + "inTerminalRunCommandPickerContextKey", + "terminalShellIntegrationEnabled" + ], "vs/workbench/contrib/tasks/common/tasks": [ "tasks.taskRunningContext", "tasksCategory", "TaskDefinition.missingRequiredProperty" ], + "vs/workbench/contrib/tasks/common/taskService": [ + "tasks.customExecutionSupported", + "tasks.shellExecutionSupported", + "tasks.taskCommandsRegistered", + "tasks.processExecutionSupported" + ], + "vs/workbench/common/views": [ + "defaultViewIcon", + "duplicateId" + ], "vs/workbench/contrib/tasks/browser/terminalTaskSystem": [ "TerminalTaskSystem.unknownError", "TerminalTaskSystem.taskLoadReporting", "dependencyCycle", "dependencyFailed", "TerminalTaskSystem.nonWatchingMatcher", - "closeTerminal", - "reuseTerminal", - "TerminalTaskSystem", - "unknownProblemMatcher" - ], - "vs/workbench/common/views": [ - "defaultViewIcon", - "duplicateId" - ], - "vs/workbench/contrib/tasks/common/taskService": [ - "tasks.customExecutionSupported", - "tasks.shellExecutionSupported", - "tasks.processExecutionSupported" - ], - "vs/workbench/contrib/localHistory/electron-sandbox/localHistoryCommands": [ - "revealInWindows", - "revealInMac", - "openContainer" + { + "key": "task.executingInFolder", + "comment": [ + "The workspace folder the task is running in", + "The task command line or label" + ] + }, + { + "key": "task.executing", + "comment": [ + "The task command line or label" + ] + }, + { + "key": "task.executingInFolder", + "comment": [ + "The workspace folder the task is running in", + "The task command line or label" + ] + }, + { + "key": "task.executing", + "comment": [ + "The task command line or label" + ] + }, + { + "key": "task.executing", + "comment": [ + "The task command line or label" + ] + }, + "TerminalTaskSystem", + "unknownProblemMatcher", + "closeTerminal", + "reuseTerminal" ], "vs/workbench/contrib/tasks/browser/abstractTaskService": [ "ConfigureTaskRunnerAction.label", "tasks", "TaskService.pickBuildTaskForLabel", + "runTask.arg", + "runTask.label", + "runTask.type", + "runTask.task", "taskServiceOutputPrompt", "showOutput", "TaskServer.folderIgnored", @@ -5892,7 +5693,9 @@ "TaskService.notAgain", "TaskService.requestTrust", "TaskService.pickRunTask", - "TaskService.noEntryToRunSlow", + "TaskService.pickRunTask", + "TaskService.noEntryToRun", + "TaskService.pickRunTask", "TaskService.noEntryToRun", "TaskService.fetchingBuildTasks", "TaskService.pickBuildTask", @@ -5913,6 +5716,7 @@ "TaskService.openJsonFile", "TaskService.pickTask", "TaskService.defaultBuildTaskExists", + "TaskService.pickTask", "TaskService.pickDefaultBuildTask", "TaskService.defaultTestTaskExists", "TaskService.pickDefaultTestTask", @@ -5923,138 +5727,103 @@ "taskService.openDiff", "taskService.openDiffs" ], - "vs/workbench/contrib/webview/electron-sandbox/webviewCommands": [ - "openToolsLabel", - "iframeWebviewAlert" - ], - "vs/workbench/services/extensions/common/abstractExtensionService": [ - "looping", - "extensionTestError", - "extensionService.autoRestart", - "extensionService.crash", - "restart" - ], - "vs/workbench/contrib/terminal/common/terminalContextKey": [ - "terminalFocusContextKey", - "terminalEditorFocusContextKey", - "terminalCountContextKey", - "terminalTabsFocusContextKey", - "terminalShellTypeContextKey", - "terminalAltBufferActive", - "terminalViewShowing", - "terminalTextSelectedContextKey", - "terminalProcessSupportedContextKey", - "terminalTabsSingularSelectedContextKey", - "isSplitTerminalContextKey" - ], - "vs/workbench/services/extensions/electron-sandbox/cachedExtensionScanner": [ - "extensionCache.invalid", - "reloadWindow" + "vs/workbench/api/common/extHostExtensionService": [ + "extensionTestError1", + "extensionTestError" ], - "vs/workbench/services/extensions/electron-sandbox/localProcessExtensionHost": [ - "extensionHost.startupFailDebug", - "extensionHost.startupFail", - "reloadWindow", - "extension host Log", - "extensionHost.error", - "join.extensionDevelopment" + "vs/workbench/api/common/extHostWorkspace": [ + "updateerror" ], - "vs/workbench/services/extensions/common/remoteExtensionHost": [ - "remote extension host Log" + "vs/workbench/api/common/extHostTerminalService": [ + "launchFail.idMissingOnExtHost" ], - "vs/workbench/services/extensions/browser/webWorkerExtensionHost": [ - "name" + "vs/base/node/processes": [ + "TaskRunner.UNC" ], - "vs/workbench/contrib/debug/common/abstractDebugAdapter": [ - "timeout" + "vs/platform/terminal/node/terminalProcess": [ + "launchFail.cwdNotDirectory", + "launchFail.cwdDoesNotExist", + "launchFail.executableIsNotFileOrSymlink", + "launchFail.executableDoesNotExist" ], - "vs/workbench/services/configurationResolver/common/variableResolver": [ - "canNotResolveFile", - "canNotResolveFolderForFile", - "canNotFindFolder", - "canNotResolveWorkspaceFolderMultiRoot", - "canNotResolveWorkspaceFolder", - "missingEnvVarName", - "configNotFound", - "configNoString", - "missingConfigName", - "extensionNotInstalled", - "missingExtensionName", - "canNotResolveUserHome", - "canNotResolveLineNumber", - "canNotResolveSelectedText", - "noValueForCommand" + "vs/platform/shell/node/shellEnv": [ + "resolveShellEnvTimeout", + "resolveShellEnvError", + "resolveShellEnvExitError" ], - "vs/platform/menubar/electron-main/menubar": [ - { - "key": "miNewWindow", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "mFile", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "mEdit", - "comment": [ - "&& denotes a mnemonic" - ] - }, + "vs/platform/dialogs/electron-main/dialogMainService": [ + "open", + "openFolder", + "openFile", + "openWorkspaceTitle", { - "key": "mSelection", + "key": "openWorkspace", "comment": [ "&& denotes a mnemonic" ] - }, + } + ], + "vs/platform/externalTerminal/node/externalTerminalService": [ + "console.title", + "mac.terminal.script.failed", + "mac.terminal.type.not.supported", + "press.any.key", + "linux.term.failed", + "ext.term.app.not.found" + ], + "vs/platform/files/electron-main/diskFileSystemProviderServer": [ + "binFailed", + "trashFailed" + ], + "vs/platform/issue/electron-main/issueMainService": [ + "local", + "issueReporterWriteToClipboard", { - "key": "mView", + "key": "ok", "comment": [ "&& denotes a mnemonic" ] }, { - "key": "mGoto", + "key": "cancel", "comment": [ "&& denotes a mnemonic" ] }, + "confirmCloseIssueReporter", { - "key": "mRun", + "key": "yes", "comment": [ "&& denotes a mnemonic" ] }, { - "key": "mTerminal", + "key": "cancel", "comment": [ "&& denotes a mnemonic" ] }, - "mWindow", + "issueReporter", + "processExplorer" + ], + "vs/platform/native/electron-main/nativeHostMainService": [ + "warnEscalation", { - "key": "mHelp", + "key": "ok", "comment": [ "&& denotes a mnemonic" ] }, - "mAbout", { - "key": "miPreferences", + "key": "cancel", "comment": [ "&& denotes a mnemonic" ] }, - "mServices", - "mHide", - "mHideOthers", - "mShowAll", - "miQuit", + "cantCreateBinFolder", + "warnEscalationUninstall", { - "key": "quit", + "key": "ok", "comment": [ "&& denotes a mnemonic" ] @@ -6065,248 +5834,325 @@ "&& denotes a mnemonic" ] }, - "quitMessage", - "mMinimize", - "mZoom", - "mBringToFront", - { - "key": "miSwitchWindow", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "mNewTab", - "mShowPreviousTab", - "mShowNextTab", - "mMoveTabToNewWindow", - "mMergeAllWindows", - "miCheckForUpdates", - "miCheckingForUpdates", - "miDownloadUpdate", - "miDownloadingUpdate", - "miInstallUpdate", - "miInstallingUpdate", - "miRestartToUpdate" + "cantUninstall", + "sourceMissing" ], - "vs/platform/windows/electron-main/window": [ - { - "key": "reopen", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "wait", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "close", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "appStalled", - "appStalledDetail", - "doNotRestoreEditors", - "appCrashed", - "appCrashedDetails", + "vs/platform/workspaces/electron-main/workspacesHistoryMainService": [ + "newWindow", + "newWindowDesc", + "recentFoldersAndWorkspaces", + "recentFolders", + "untitledWorkspace", + "workspaceName" + ], + "vs/platform/windows/electron-main/windowsMainService": [ { - "key": "reopen", + "key": "ok", "comment": [ "&& denotes a mnemonic" ] }, + "pathNotExistTitle", + "uriInvalidTitle", + "pathNotExistDetail", + "uriInvalidDetail" + ], + "vs/platform/workspaces/electron-main/workspacesManagementMainService": [ { - "key": "close", + "key": "ok", "comment": [ "&& denotes a mnemonic" ] }, - "appCrashedDetail", - "doNotRestoreEditors", - "hiddenMenuBar" + "workspaceOpenedMessage", + "workspaceOpenedDetail" ], - "vs/workbench/contrib/debug/node/debugAdapter": [ - "debugAdapterBinNotFound", - { - "key": "debugAdapterCannotDetermineExecutable", - "comment": [ - "Adapter executable file not found" - ] - }, - "unableToLaunchDebugAdapter", - "unableToLaunchDebugAdapterNoArgs" + "vs/platform/files/common/io": [ + "fileTooLargeForHeapError", + "fileTooLargeError" ], - "vs/platform/terminal/common/terminalProfiles": [ - "terminalAutomaticProfile" + "vs/workbench/api/node/extHostDebugService": [ + "debug.terminal.title" ], - "vs/platform/userDataSync/common/abstractSynchronizer": [ - { - "key": "incompatible", - "comment": [ - "This is an error while syncing a resource that its local version is not compatible with its remote version." - ] - }, - "incompatible sync data" + "vs/workbench/api/node/extHostTunnelService": [ + "tunnelPrivacy.private", + "tunnelPrivacy.public" ], - "vs/editor/common/core/editorColorRegistry": [ - "lineHighlight", - "lineHighlightBorderBox", - "rangeHighlight", - "rangeHighlightBorder", - "symbolHighlight", - "symbolHighlightBorder", - "caret", - "editorCursorBackground", - "editorWhitespaces", - "editorIndentGuides", - "editorActiveIndentGuide", - "editorLineNumbers", - "editorActiveLineNumber", - "deprecatedEditorActiveLineNumber", - "editorActiveLineNumber", - "editorRuler", - "editorCodeLensForeground", - "editorBracketMatchBackground", - "editorBracketMatchBorder", - "editorOverviewRulerBorder", - "editorOverviewRulerBackground", - "editorGutter", - "unnecessaryCodeBorder", - "unnecessaryCodeOpacity", - "editorGhostTextBorder", - "editorGhostTextForeground", - "editorGhostTextBackground", - "overviewRulerRangeHighlight", - "overviewRuleError", - "overviewRuleWarning", - "overviewRuleInfo", - "editorBracketHighlightForeground1", - "editorBracketHighlightForeground2", - "editorBracketHighlightForeground3", - "editorBracketHighlightForeground4", - "editorBracketHighlightForeground5", - "editorBracketHighlightForeground6", - "editorBracketHighlightUnexpectedBracketForeground", - "editorBracketPairGuide.background1", - "editorBracketPairGuide.background2", - "editorBracketPairGuide.background3", - "editorBracketPairGuide.background4", - "editorBracketPairGuide.background5", - "editorBracketPairGuide.background6", - "editorBracketPairGuide.activeBackground1", - "editorBracketPairGuide.activeBackground2", - "editorBracketPairGuide.activeBackground3", - "editorBracketPairGuide.activeBackground4", - "editorBracketPairGuide.activeBackground5", - "editorBracketPairGuide.activeBackground6", - "editorUnicodeHighlight.border", - "editorUnicodeHighlight.background" + "vs/platform/extensionManagement/node/extensionManagementUtil": [ + "invalidManifest" ], - "vs/editor/browser/coreCommands": [ - "stickydesc", - "stickydesc", - "removedCursor" + "vs/base/node/zip": [ + "invalid file", + "incompleteExtract", + "notFound" ], - "vs/editor/browser/widget/codeEditorWidget": [ - "cursors.maximum" + "vs/platform/extensions/common/extensionValidator": [ + "extensionDescription.publisher", + "extensionDescription.name", + "extensionDescription.version", + "extensionDescription.engines", + "extensionDescription.engines.vscode", + "extensionDescription.extensionDependencies", + "extensionDescription.activationEvents1", + "extensionDescription.activationEvents2", + "extensionDescription.extensionKind", + "extensionDescription.main1", + "extensionDescription.main2", + "extensionDescription.main3", + "extensionDescription.browser1", + "extensionDescription.browser2", + "extensionDescription.browser3", + "notSemver", + "versionSyntax", + "versionSpecificity1", + "versionSpecificity2", + "versionMismatch" ], - "vs/editor/browser/widget/diffEditorWidget": [ - "diffInsertIcon", - "diffRemoveIcon", - "diff.tooLarge" + "vs/platform/extensionManagement/common/abstractExtensionManagementService": [ + "MarketPlaceDisabled", + "MarketPlaceDisabled", + "Not a Marketplace extension", + "malicious extension", + "incompatible platform", + "notFoundCompatiblePrereleaseDependency", + "notFoundReleaseExtension", + "notFoundCompatibleDependency", + "singleDependentError", + "twoDependentsError", + "multipleDependentsError", + "singleIndirectDependentError", + "twoIndirectDependentsError", + "multipleIndirectDependentsError" ], - "vs/editor/contrib/caretOperations/browser/caretOperations": [ - "caret.moveLeft", - "caret.moveRight" + "vs/base/common/jsonErrorMessages": [ + "error.invalidSymbol", + "error.invalidNumberFormat", + "error.propertyNameExpected", + "error.valueExpected", + "error.colonExpected", + "error.commaExpected", + "error.closeBraceExpected", + "error.closeBracketExpected", + "error.endOfFileExpected" ], - "vs/editor/contrib/anchorSelect/browser/anchorSelect": [ - "selectionAnchor", - "anchorSet", - "setSelectionAnchor", - "goToSelectionAnchor", - "selectFromAnchorToCursor", - "cancelSelectionAnchor" + "vs/platform/userDataSync/common/userDataAutoSyncService": [ + "default service changed", + "service changed", + "turned off", + "default service changed", + "service changed", + "session expired", + "turned off machine" ], - "vs/editor/contrib/bracketMatching/browser/bracketMatching": [ - "overviewRulerBracketMatchForeground", - "smartSelect.jumpBracket", - "smartSelect.selectToBracket", + "vs/platform/terminal/common/terminalPlatformConfiguration": [ + "terminalProfile.args", + "terminalProfile.overrideName", + "terminalProfile.icon", + "terminalProfile.color", + "terminalProfile.env", + "terminalProfile.path", + "terminalAutomationProfile.path", + "terminal.integrated.shell.linux.deprecation", + "terminal.integrated.shell.osx.deprecation", + "terminal.integrated.shell.windows.deprecation", + "terminal.integrated.automationShell.linux.deprecation", + "terminal.integrated.automationShell.osx.deprecation", + "terminal.integrated.automationShell.windows.deprecation", + "terminalIntegratedConfigurationTitle", { - "key": "miGoToBracket", + "key": "terminal.integrated.automationShell.linux", "comment": [ - "&& denotes a mnemonic" + "{0} and {1} are the `shell` and `shellArgs` settings keys" ] - } - ], - "vs/editor/contrib/clipboard/browser/clipboard": [ + }, { - "key": "miCut", + "key": "terminal.integrated.automationShell.osx", "comment": [ - "&& denotes a mnemonic" + "{0} and {1} are the `shell` and `shellArgs` settings keys" ] }, - "actions.clipboard.cutLabel", - "actions.clipboard.cutLabel", - "actions.clipboard.cutLabel", { - "key": "miCopy", + "key": "terminal.integrated.automationShell.windows", "comment": [ - "&& denotes a mnemonic" + "{0} and {1} are the `shell` and `shellArgs` settings keys" ] }, - "actions.clipboard.copyLabel", - "actions.clipboard.copyLabel", - "actions.clipboard.copyLabel", - "copy as", - "copy as", + "terminal.integrated.automationProfile.linux", + "terminal.integrated.automationProfile.osx", + "terminal.integrated.automationProfile.windows", + "terminal.integrated.shell.linux", + "terminal.integrated.shell.osx", + "terminal.integrated.shell.windows", + "terminal.integrated.shellArgs.linux", + "terminal.integrated.shellArgs.osx", + "terminal.integrated.shellArgs.windows", + "terminal.integrated.shellArgs.windows", + "terminal.integrated.shellArgs.windows.string", { - "key": "miPaste", + "key": "terminal.integrated.profiles.windows", "comment": [ - "&& denotes a mnemonic" + "{0}, {1}, and {2} are the `source`, `path` and optional `args` settings keys" ] }, - "actions.clipboard.pasteLabel", - "actions.clipboard.pasteLabel", - "actions.clipboard.pasteLabel", - "actions.clipboard.copyWithSyntaxHighlightingLabel" - ], - "vs/editor/contrib/caretOperations/browser/transpose": [ - "transposeLetters.label" - ], - "vs/editor/contrib/copyPaste/browser/copyPasteContribution": [ - "pasteActions" - ], - "vs/editor/contrib/codelens/browser/codelensController": [ - "showLensOnLine" - ], - "vs/editor/contrib/comment/browser/comment": [ - "comment.line", + "terminalProfile.windowsSource", + "terminalProfile.windowsExtensionIdentifier", + "terminalProfile.windowsExtensionId", + "terminalProfile.windowsExtensionTitle", { - "key": "miToggleLineComment", + "key": "terminal.integrated.profile.osx", "comment": [ - "&& denotes a mnemonic" + "{0} and {1} are the `path` and optional `args` settings keys" ] }, - "comment.line.add", - "comment.line.remove", - "comment.block", + "terminalProfile.osxExtensionIdentifier", + "terminalProfile.osxExtensionId", + "terminalProfile.osxExtensionTitle", { - "key": "miToggleBlockComment", + "key": "terminal.integrated.profile.linux", "comment": [ - "&& denotes a mnemonic" + "{0} and {1} are the `path` and optional `args` settings keys" ] - } - ], - "vs/editor/contrib/cursorUndo/browser/cursorUndo": [ - "cursor.undo", + }, + "terminalProfile.linuxExtensionIdentifier", + "terminalProfile.linuxExtensionId", + "terminalProfile.linuxExtensionTitle", + "terminal.integrated.useWslProfiles", + "terminal.integrated.inheritEnv", + "terminal.integrated.persistentSessionScrollback", + "terminal.integrated.showLinkHover", + "terminal.integrated.confirmIgnoreProcesses", + "terminalIntegratedConfigurationTitle", + "terminal.integrated.defaultProfile.linux", + "terminal.integrated.defaultProfile.osx", + "terminal.integrated.defaultProfile.windows" + ], + "vs/platform/theme/common/iconRegistry": [ + "iconDefinition.fontId", + "iconDefinition.fontCharacter", + "widgetClose", + "previousChangeIcon", + "nextChangeIcon" + ], + "vs/base/browser/ui/tree/abstractTree": [ + "filter", + "type to filter", + "type to search", + "type to search", + "close", + "not found" + ], + "vs/editor/contrib/anchorSelect/browser/anchorSelect": [ + "selectionAnchor", + "anchorSet", + "setSelectionAnchor", + "goToSelectionAnchor", + "selectFromAnchorToCursor", + "cancelSelectionAnchor" + ], + "vs/editor/browser/coreCommands": [ + "stickydesc", + "stickydesc", + "removedCursor" + ], + "vs/editor/browser/widget/diffEditorWidget": [ + "diffInsertIcon", + "diffRemoveIcon", + "diff.tooLarge" + ], + "vs/editor/browser/widget/codeEditorWidget": [ + "cursors.maximum" + ], + "vs/editor/contrib/clipboard/browser/clipboard": [ + { + "key": "miCut", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "actions.clipboard.cutLabel", + "actions.clipboard.cutLabel", + "actions.clipboard.cutLabel", + { + "key": "miCopy", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "actions.clipboard.copyLabel", + "actions.clipboard.copyLabel", + "actions.clipboard.copyLabel", + "copy as", + "copy as", + "share", + { + "key": "miPaste", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "actions.clipboard.pasteLabel", + "actions.clipboard.pasteLabel", + "actions.clipboard.pasteLabel", + "actions.clipboard.copyWithSyntaxHighlightingLabel" + ], + "vs/editor/contrib/bracketMatching/browser/bracketMatching": [ + "overviewRulerBracketMatchForeground", + "smartSelect.jumpBracket", + "smartSelect.selectToBracket", + { + "key": "miGoToBracket", + "comment": [ + "&& denotes a mnemonic" + ] + } + ], + "vs/editor/contrib/caretOperations/browser/transpose": [ + "transposeLetters.label" + ], + "vs/editor/contrib/comment/browser/comment": [ + "comment.line", + { + "key": "miToggleLineComment", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "comment.line.add", + "comment.line.remove", + "comment.block", + { + "key": "miToggleBlockComment", + "comment": [ + "&& denotes a mnemonic" + ] + } + ], + "vs/editor/contrib/cursorUndo/browser/cursorUndo": [ + "cursor.undo", "cursor.redo" ], "vs/editor/contrib/contextmenu/browser/contextmenu": [ + "context.minimap.minimap", + "context.minimap.renderCharacters", + "context.minimap.size", + "context.minimap.size.proportional", + "context.minimap.size.fill", + "context.minimap.size.fit", + "context.minimap.slider", + "context.minimap.slider.mouseover", + "context.minimap.slider.always", "action.showContextMenu.label" ], + "vs/editor/contrib/copyPaste/browser/copyPasteContribution": [ + "pasteActions" + ], + "vs/editor/contrib/caretOperations/browser/caretOperations": [ + "caret.moveLeft", + "caret.moveRight" + ], + "vs/editor/contrib/codelens/browser/codelensController": [ + "showLensOnLine" + ], "vs/editor/contrib/find/browser/findController": [ "startFindAction", { @@ -6350,10 +6196,15 @@ "gotoParentFold.label", "gotoPreviousFold.label", "gotoNextFold.label", + "createManualFoldRange.label", + "removeManualFoldingRanges.label", "foldLevelAction.label", "foldBackgroundBackground", "editorGutter.foldingControlForeground" ], + "vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": [ + "dropProgressTitle" + ], "vs/editor/contrib/fontZoom/browser/fontZoom": [ "EditorFontZoomIn.label", "EditorFontZoomOut.label", @@ -6379,13 +6230,65 @@ ] } ], - "vs/editor/contrib/gotoSymbol/browser/link/goToDefinitionAtPosition": [ - "multipleResults" - ], "vs/editor/contrib/format/browser/formatActions": [ "formatDocument.label", "formatSelection.label" ], + "vs/editor/contrib/lineSelection/browser/lineSelection": [ + "expandLineSelection" + ], + "vs/editor/contrib/inPlaceReplace/browser/inPlaceReplace": [ + "InPlaceReplaceAction.previous.label", + "InPlaceReplaceAction.next.label" + ], + "vs/editor/contrib/hover/browser/hover": [ + { + "key": "showHover", + "comment": [ + "Label for action that will trigger the showing of a hover in the editor.", + "This allows for users to show the hover without using the mouse." + ] + }, + { + "key": "showDefinitionPreviewHover", + "comment": [ + "Label for action that will trigger the showing of definition preview hover in the editor.", + "This allows for users to show the definition preview hover without using the mouse." + ] + } + ], + "vs/editor/contrib/links/browser/links": [ + "invalid.url", + "missing.url", + "links.navigate.executeCmd", + "links.navigate.follow", + "links.navigate.kb.meta.mac", + "links.navigate.kb.meta", + "links.navigate.kb.alt.mac", + "links.navigate.kb.alt", + "tooltip.explanation", + "label" + ], + "vs/editor/contrib/indentation/browser/indentation": [ + "indentationToSpaces", + "indentationToTabs", + "configuredTabSize", + { + "key": "selectTabWidth", + "comment": [ + "Tab corresponds to the tab key" + ] + }, + "indentUsingTabs", + "indentUsingSpaces", + "detectIndentation", + "editor.reindentlines", + "editor.reindentselectedlines" + ], + "vs/editor/contrib/linkedEditing/browser/linkedEditing": [ + "linkedEditing.label", + "editorLinkedEditingBackground" + ], "vs/editor/contrib/gotoSymbol/browser/goToCommands": [ "peek.submenu", "def.title", @@ -6452,81 +6355,78 @@ ] } ], - "vs/editor/contrib/lineSelection/browser/lineSelection": [ - "expandLineSelection" - ], - "vs/editor/contrib/hover/browser/hover": [ + "vs/editor/contrib/linesOperations/browser/linesOperations": [ + "lines.copyUp", { - "key": "showHover", + "key": "miCopyLinesUp", "comment": [ - "Label for action that will trigger the showing of a hover in the editor.", - "This allows for users to show the hover without using the mouse." + "&& denotes a mnemonic" ] }, + "lines.copyDown", { - "key": "showDefinitionPreviewHover", - "comment": [ - "Label for action that will trigger the showing of definition preview hover in the editor.", - "This allows for users to show the definition preview hover without using the mouse." - ] - } - ], - "vs/editor/contrib/indentation/browser/indentation": [ - "indentationToSpaces", - "indentationToTabs", - "configuredTabSize", - { - "key": "selectTabWidth", + "key": "miCopyLinesDown", "comment": [ - "Tab corresponds to the tab key" + "&& denotes a mnemonic" ] }, - "indentUsingTabs", - "indentUsingSpaces", - "detectIndentation", - "editor.reindentlines", - "editor.reindentselectedlines" - ], - "vs/editor/contrib/inPlaceReplace/browser/inPlaceReplace": [ - "InPlaceReplaceAction.previous.label", - "InPlaceReplaceAction.next.label" - ], - "vs/editor/contrib/linkedEditing/browser/linkedEditing": [ - "linkedEditing.label", - "editorLinkedEditingBackground" - ], - "vs/editor/contrib/links/browser/links": [ - "invalid.url", - "missing.url", - "links.navigate.executeCmd", - "links.navigate.follow", - "links.navigate.kb.meta.mac", - "links.navigate.kb.meta", - "links.navigate.kb.alt.mac", - "links.navigate.kb.alt", - "tooltip.explanation", - "label" - ], - "vs/editor/contrib/parameterHints/browser/parameterHints": [ - "parameterHints.trigger.label" - ], - "vs/editor/contrib/rename/browser/rename": [ - "no result", - "resolveRenameLocationFailed", - "label", - "quotableLabel", - "aria", - "rename.failedApply", - "rename.failed", - "rename.label", - "enablePreview" - ], - "vs/editor/contrib/multicursor/browser/multicursor": [ - "cursorAdded", - "cursorsAdded", - "mutlicursor.insertAbove", + "duplicateSelection", { - "key": "miInsertCursorAbove", + "key": "miDuplicateSelection", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "lines.moveUp", + { + "key": "miMoveLinesUp", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "lines.moveDown", + { + "key": "miMoveLinesDown", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "lines.sortAscending", + "lines.sortDescending", + "lines.deleteDuplicates", + "lines.trimTrailingWhitespace", + "lines.delete", + "lines.indent", + "lines.outdent", + "lines.insertBefore", + "lines.insertAfter", + "lines.deleteAllLeft", + "lines.deleteAllRight", + "lines.joinLines", + "editor.transpose", + "editor.transformToUppercase", + "editor.transformToLowercase", + "editor.transformToTitlecase", + "editor.transformToSnakecase", + "editor.transformToKebabcase" + ], + "vs/editor/contrib/rename/browser/rename": [ + "no result", + "resolveRenameLocationFailed", + "label", + "quotableLabel", + "aria", + "rename.failedApply", + "rename.failed", + "rename.label", + "enablePreview" + ], + "vs/editor/contrib/multicursor/browser/multicursor": [ + "cursorAdded", + "cursorsAdded", + "mutlicursor.insertAbove", + { + "key": "miInsertCursorAbove", "comment": [ "&& denotes a mnemonic" ] @@ -6576,60 +6476,6 @@ "mutlicursor.focusPreviousCursor", "mutlicursor.focusPreviousCursor.description" ], - "vs/editor/contrib/linesOperations/browser/linesOperations": [ - "lines.copyUp", - { - "key": "miCopyLinesUp", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "lines.copyDown", - { - "key": "miCopyLinesDown", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "duplicateSelection", - { - "key": "miDuplicateSelection", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "lines.moveUp", - { - "key": "miMoveLinesUp", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "lines.moveDown", - { - "key": "miMoveLinesDown", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "lines.sortAscending", - "lines.sortDescending", - "lines.deleteDuplicates", - "lines.trimTrailingWhitespace", - "lines.delete", - "lines.indent", - "lines.outdent", - "lines.insertBefore", - "lines.insertAfter", - "lines.deleteAllLeft", - "lines.deleteAllRight", - "lines.joinLines", - "editor.transpose", - "editor.transformToUppercase", - "editor.transformToLowercase", - "editor.transformToTitlecase", - "editor.transformToSnakecase" - ], "vs/editor/contrib/smartSelect/browser/smartSelect": [ "smartSelect.expand", { @@ -6646,11 +6492,18 @@ ] } ], - "vs/editor/contrib/snippet/browser/snippetController2": [ - "inSnippetMode", - "hasNextTabstop", - "hasPrevTabstop", - "next" + "vs/editor/contrib/parameterHints/browser/parameterHints": [ + "parameterHints.trigger.label" + ], + "vs/editor/contrib/toggleTabFocusMode/browser/toggleTabFocusMode": [ + { + "key": "toggle.tabMovesFocus", + "comment": [ + "Turn on/off use of tab key for moving focus around VS Code" + ] + }, + "toggle.tabMovesFocus.on", + "toggle.tabMovesFocus.off" ], "vs/editor/contrib/suggest/browser/suggestController": [ "aria.alert.snippet", @@ -6667,15 +6520,11 @@ "vs/editor/contrib/tokenization/browser/tokenization": [ "forceRetokenize" ], - "vs/editor/contrib/toggleTabFocusMode/browser/toggleTabFocusMode": [ - { - "key": "toggle.tabMovesFocus", - "comment": [ - "Turn on/off use of tab key for moving focus around VS Code" - ] - }, - "toggle.tabMovesFocus.on", - "toggle.tabMovesFocus.off" + "vs/editor/contrib/snippet/browser/snippetController2": [ + "inSnippetMode", + "hasNextTabstop", + "hasPrevTabstop", + "next" ], "vs/editor/contrib/unicodeHighlighter/browser/unicodeHighlighter": [ "warningIcon", @@ -6709,6 +6558,24 @@ "unusualLineTerminators.fix", "unusualLineTerminators.ignore" ], + "vs/editor/contrib/wordHighlighter/browser/wordHighlighter": [ + "wordHighlight", + "wordHighlightStrong", + "wordHighlightBorder", + "wordHighlightStrongBorder", + "overviewRulerWordHighlightForeground", + "overviewRulerWordHighlightStrongForeground", + "wordHighlight.next.label", + "wordHighlight.previous.label", + "wordHighlight.trigger.label" + ], + "vs/editor/contrib/wordOperations/browser/wordOperations": [ + "deleteInsideWord" + ], + "vs/editor/contrib/readOnlyMessage/browser/contribution": [ + "editor.simple.readonly", + "editor.readonly" + ], "vs/editor/common/standaloneStrings": [ "noSelection", "singleSelectionRange", @@ -6745,50 +6612,6 @@ "toggleHighContrast", "bulkEditServiceSummary" ], - "vs/editor/contrib/wordHighlighter/browser/wordHighlighter": [ - "wordHighlight", - "wordHighlightStrong", - "wordHighlightBorder", - "wordHighlightStrongBorder", - "overviewRulerWordHighlightForeground", - "overviewRulerWordHighlightStrongForeground", - "wordHighlight.next.label", - "wordHighlight.previous.label", - "wordHighlight.trigger.label" - ], - "vs/workbench/services/themes/common/iconExtensionPoint": [ - "contributes.icons", - "contributes.icon.id", - "contributes.icon.id.format", - "contributes.icon.description", - "contributes.icon.default.fontPath", - "contributes.icon.default.fontCharacter", - "contributes.icon.default", - "invalid.icons.configuration", - "invalid.icons.id.format", - "invalid.icons.description", - "invalid.icons.default.fontPath.extension", - "invalid.icons.default.fontPath.path", - "invalid.icons.default" - ], - "vs/workbench/services/themes/common/colorExtensionPoint": [ - "contributes.color", - "contributes.color.id", - "contributes.color.id.format", - "contributes.color.description", - "contributes.defaults.light", - "contributes.defaults.dark", - "contributes.defaults.highContrast", - "contributes.defaults.highContrastLight", - "invalid.colorConfiguration", - "invalid.default.colorType", - "invalid.id", - "invalid.id.format", - "invalid.description", - "invalid.defaults", - "invalid.defaults.highContrast", - "invalid.defaults.highContrastLight" - ], "vs/workbench/api/common/jsonValidationExtensionPoint": [ "contributes.jsonValidation", "contributes.jsonValidation.fileMatch", @@ -6800,6 +6623,60 @@ "invalid.url.fileschema", "invalid.url.schema" ], + "vs/editor/common/core/editorColorRegistry": [ + "lineHighlight", + "lineHighlightBorderBox", + "rangeHighlight", + "rangeHighlightBorder", + "symbolHighlight", + "symbolHighlightBorder", + "caret", + "editorCursorBackground", + "editorWhitespaces", + "editorIndentGuides", + "editorActiveIndentGuide", + "editorLineNumbers", + "editorActiveLineNumber", + "deprecatedEditorActiveLineNumber", + "editorActiveLineNumber", + "editorRuler", + "editorCodeLensForeground", + "editorBracketMatchBackground", + "editorBracketMatchBorder", + "editorOverviewRulerBorder", + "editorOverviewRulerBackground", + "editorGutter", + "unnecessaryCodeBorder", + "unnecessaryCodeOpacity", + "editorGhostTextBorder", + "editorGhostTextForeground", + "editorGhostTextBackground", + "overviewRulerRangeHighlight", + "overviewRuleError", + "overviewRuleWarning", + "overviewRuleInfo", + "editorBracketHighlightForeground1", + "editorBracketHighlightForeground2", + "editorBracketHighlightForeground3", + "editorBracketHighlightForeground4", + "editorBracketHighlightForeground5", + "editorBracketHighlightForeground6", + "editorBracketHighlightUnexpectedBracketForeground", + "editorBracketPairGuide.background1", + "editorBracketPairGuide.background2", + "editorBracketPairGuide.background3", + "editorBracketPairGuide.background4", + "editorBracketPairGuide.background5", + "editorBracketPairGuide.background6", + "editorBracketPairGuide.activeBackground1", + "editorBracketPairGuide.activeBackground2", + "editorBracketPairGuide.activeBackground3", + "editorBracketPairGuide.activeBackground4", + "editorBracketPairGuide.activeBackground5", + "editorBracketPairGuide.activeBackground6", + "editorUnicodeHighlight.border", + "editorUnicodeHighlight.background" + ], "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": [ "contributes.semanticTokenTypes", "contributes.semanticTokenTypes.id", @@ -6826,76 +6703,44 @@ "invalid.semanticTokenScopes.scopes.value", "invalid.semanticTokenScopes.scopes.selector" ], - "vs/editor/contrib/wordOperations/browser/wordOperations": [ - "deleteInsideWord" + "vs/workbench/api/browser/mainThreadCLICommands": [ + "cannot be installed" ], - "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": [ - "parseErrors", - "formatError", - "schema.openBracket", - "schema.closeBracket", - "schema.comments", - "schema.blockComments", - "schema.blockComment.begin", - "schema.blockComment.end", - "schema.lineComment", - "schema.brackets", - "schema.colorizedBracketPairs", - "schema.autoClosingPairs", - "schema.autoClosingPairs.notIn", - "schema.autoCloseBefore", - "schema.surroundingPairs", - "schema.wordPattern", - "schema.wordPattern.pattern", - "schema.wordPattern.flags", - "schema.wordPattern.flags.errorMessage", - "schema.indentationRules", - "schema.indentationRules.increaseIndentPattern", - "schema.indentationRules.increaseIndentPattern.pattern", - "schema.indentationRules.increaseIndentPattern.flags", - "schema.indentationRules.increaseIndentPattern.errorMessage", - "schema.indentationRules.decreaseIndentPattern", - "schema.indentationRules.decreaseIndentPattern.pattern", - "schema.indentationRules.decreaseIndentPattern.flags", - "schema.indentationRules.decreaseIndentPattern.errorMessage", - "schema.indentationRules.indentNextLinePattern", - "schema.indentationRules.indentNextLinePattern.pattern", - "schema.indentationRules.indentNextLinePattern.flags", - "schema.indentationRules.indentNextLinePattern.errorMessage", - "schema.indentationRules.unIndentedLinePattern", - "schema.indentationRules.unIndentedLinePattern.pattern", - "schema.indentationRules.unIndentedLinePattern.flags", - "schema.indentationRules.unIndentedLinePattern.errorMessage", - "schema.folding", - "schema.folding.offSide", - "schema.folding.markers", - "schema.folding.markers.start", - "schema.folding.markers.end", - "schema.onEnterRules", - "schema.onEnterRules", - "schema.onEnterRules.beforeText", - "schema.onEnterRules.beforeText.pattern", - "schema.onEnterRules.beforeText.flags", - "schema.onEnterRules.beforeText.errorMessage", - "schema.onEnterRules.afterText", - "schema.onEnterRules.afterText.pattern", - "schema.onEnterRules.afterText.flags", - "schema.onEnterRules.afterText.errorMessage", - "schema.onEnterRules.previousLineText", - "schema.onEnterRules.previousLineText.pattern", - "schema.onEnterRules.previousLineText.flags", - "schema.onEnterRules.previousLineText.errorMessage", - "schema.onEnterRules.action", - "schema.onEnterRules.action.indent", - "schema.onEnterRules.action.indent.none", - "schema.onEnterRules.action.indent.indent", - "schema.onEnterRules.action.indent.indentOutdent", - "schema.onEnterRules.action.indent.outdent", - "schema.onEnterRules.action.appendText", - "schema.onEnterRules.action.removeText" + "vs/workbench/services/themes/common/iconExtensionPoint": [ + "contributes.icons", + "contributes.icon.id", + "contributes.icon.id.format", + "contributes.icon.description", + "contributes.icon.default.fontPath", + "contributes.icon.default.fontCharacter", + "contributes.icon.default", + "invalid.icons.configuration", + "invalid.icons.id.format", + "invalid.icons.description", + "invalid.icons.default.fontPath.extension", + "invalid.icons.default.fontPath.path", + "invalid.icons.default" ], - "vs/workbench/api/browser/mainThreadCLICommands": [ - "cannot be installed" + "vs/editor/contrib/gotoSymbol/browser/link/goToDefinitionAtPosition": [ + "multipleResults" + ], + "vs/workbench/services/themes/common/colorExtensionPoint": [ + "contributes.color", + "contributes.color.id", + "contributes.color.id.format", + "contributes.color.description", + "contributes.defaults.light", + "contributes.defaults.dark", + "contributes.defaults.highContrast", + "contributes.defaults.highContrastLight", + "invalid.colorConfiguration", + "invalid.default.colorType", + "invalid.id", + "invalid.id.format", + "invalid.description", + "invalid.defaults", + "invalid.defaults.highContrast", + "invalid.defaults.highContrastLight" ], "vs/workbench/api/browser/mainThreadExtensionService": [ "reload window", @@ -6962,6 +6807,71 @@ "vs/workbench/api/browser/mainThreadProgress": [ "manageExtension" ], + "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": [ + "parseErrors", + "formatError", + "schema.openBracket", + "schema.closeBracket", + "schema.comments", + "schema.blockComments", + "schema.blockComment.begin", + "schema.blockComment.end", + "schema.lineComment", + "schema.brackets", + "schema.colorizedBracketPairs", + "schema.autoClosingPairs", + "schema.autoClosingPairs.notIn", + "schema.autoCloseBefore", + "schema.surroundingPairs", + "schema.wordPattern", + "schema.wordPattern.pattern", + "schema.wordPattern.flags", + "schema.wordPattern.flags.errorMessage", + "schema.indentationRules", + "schema.indentationRules.increaseIndentPattern", + "schema.indentationRules.increaseIndentPattern.pattern", + "schema.indentationRules.increaseIndentPattern.flags", + "schema.indentationRules.increaseIndentPattern.errorMessage", + "schema.indentationRules.decreaseIndentPattern", + "schema.indentationRules.decreaseIndentPattern.pattern", + "schema.indentationRules.decreaseIndentPattern.flags", + "schema.indentationRules.decreaseIndentPattern.errorMessage", + "schema.indentationRules.indentNextLinePattern", + "schema.indentationRules.indentNextLinePattern.pattern", + "schema.indentationRules.indentNextLinePattern.flags", + "schema.indentationRules.indentNextLinePattern.errorMessage", + "schema.indentationRules.unIndentedLinePattern", + "schema.indentationRules.unIndentedLinePattern.pattern", + "schema.indentationRules.unIndentedLinePattern.flags", + "schema.indentationRules.unIndentedLinePattern.errorMessage", + "schema.folding", + "schema.folding.offSide", + "schema.folding.markers", + "schema.folding.markers.start", + "schema.folding.markers.end", + "schema.onEnterRules", + "schema.onEnterRules", + "schema.onEnterRules.beforeText", + "schema.onEnterRules.beforeText.pattern", + "schema.onEnterRules.beforeText.flags", + "schema.onEnterRules.beforeText.errorMessage", + "schema.onEnterRules.afterText", + "schema.onEnterRules.afterText.pattern", + "schema.onEnterRules.afterText.flags", + "schema.onEnterRules.afterText.errorMessage", + "schema.onEnterRules.previousLineText", + "schema.onEnterRules.previousLineText.pattern", + "schema.onEnterRules.previousLineText.flags", + "schema.onEnterRules.previousLineText.errorMessage", + "schema.onEnterRules.action", + "schema.onEnterRules.action.indent", + "schema.onEnterRules.action.indent.none", + "schema.onEnterRules.action.indent.indent", + "schema.onEnterRules.action.indent.indentOutdent", + "schema.onEnterRules.action.indent.outdent", + "schema.onEnterRules.action.appendText", + "schema.onEnterRules.action.removeText" + ], "vs/workbench/api/browser/mainThreadSaveParticipant": [ "timeout.onWillSave" ], @@ -7013,6 +6923,12 @@ "allow", "cancel" ], + "vs/workbench/common/configuration": [ + "workbenchConfigurationTitle" + ], + "vs/workbench/browser/quickaccess": [ + "inQuickOpen" + ], "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarActions": [ "toggleAuxiliaryIconRight", "toggleAuxiliaryIconRightOn", @@ -7020,23 +6936,17 @@ "toggleAuxiliaryIconLeftOn", "toggleAuxiliaryBar", "focusAuxiliaryBar", - "miShowAuxiliaryBarNoMnemonic", + "miAuxiliaryBarNoMnemonic", "toggleSecondarySideBar", "toggleSecondarySideBar", { - "key": "miShowAuxiliaryBar", + "key": "miAuxiliaryBar", "comment": [ "&& denotes a mnemonic" ] }, "hideAuxiliaryBar" ], - "vs/workbench/common/configuration": [ - "workbenchConfigurationTitle" - ], - "vs/workbench/browser/quickaccess": [ - "inQuickOpen" - ], "vs/workbench/browser/parts/panel/panelActions": [ "maximizeIcon", "restoreIcon", @@ -7070,12 +6980,12 @@ "closePanel", "closeSecondarySideBar", { - "key": "miShowPanel", + "key": "miPanel", "comment": [ "&& denotes a mnemonic" ] }, - "miShowPanelNoMnemonic", + "miPanelNoMnemonic", "togglePanel", "hidePanel", "movePanelToSecondarySideBar", @@ -7100,23 +7010,6 @@ "viewMoveRight", "viewsMove" ], - "vs/workbench/contrib/remote/browser/remoteExplorer": [ - "ports", - "1forwardedPort", - "nForwardedPorts", - "remote.forwardedPorts.statusbarTextNone", - "remote.forwardedPorts.statusbarTooltip", - "status.forwardedPorts", - "remote.tunnelsView.automaticForward", - { - "key": "remote.tunnelsView.notificationLink2", - "comment": [ - "[See all forwarded ports]({0}) is a link. Only translate `See all forwarded ports`. Do not change brackets and parentheses or {0}" - ] - }, - "remote.tunnelsView.elevationMessage", - "remote.tunnelsView.elevationButton" - ], "vs/workbench/contrib/debug/common/debug": [ "debugType", "debugConfigurationType", @@ -7172,6 +7065,23 @@ "debuggerDisabled", "internalConsoleOptions" ], + "vs/workbench/contrib/remote/browser/remoteExplorer": [ + "ports", + "1forwardedPort", + "nForwardedPorts", + "remote.forwardedPorts.statusbarTextNone", + "remote.forwardedPorts.statusbarTooltip", + "status.forwardedPorts", + "remote.tunnelsView.automaticForward", + { + "key": "remote.tunnelsView.notificationLink2", + "comment": [ + "[See all forwarded ports]({0}) is a link. Only translate `See all forwarded ports`. Do not change brackets and parentheses or {0}" + ] + }, + "remote.tunnelsView.elevationMessage", + "remote.tunnelsView.elevationButton" + ], "vs/workbench/contrib/files/common/files": [ "explorerViewletVisible", "explorerResourceIsFolder", @@ -7185,61 +7095,98 @@ "explorerViewletFocus", "explorerViewletCompressedFocus", "explorerViewletCompressedFirstFocus", - "explorerViewletCompressedLastFocus" - ], - "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarPart": [ - "move second side bar left", - "move second side bar right", - "hideAuxiliaryBar" - ], - "vs/workbench/browser/parts/activitybar/activitybarPart": [ - "settingsViewBarIcon", - "accountsViewBarIcon", - "pinned view containers", - "accounts visibility key", - "menu", - "hideMenu", - "accounts", - "hideActivitBar", - "resetLocation", - "resetLocation", - "manage", - "manage", - "accounts", - "accounts" - ], - "vs/workbench/browser/parts/panel/panelPart": [ - "pinned view containers", - "resetLocation", - "resetLocation", - "panel.emptyMessage", - "moreActions", - "hidePanel" - ], - "vs/workbench/browser/parts/editor/editorGroupView": [ - "ariaLabelGroupActions", - "emptyEditorGroup", - "groupLabel", - "groupAriaLabel" - ], - "vs/workbench/browser/parts/editor/editorDropTarget": [ - "dropIntoEditorPrompt" + "explorerViewletCompressedLastFocus", + "viewHasSomeCollapsibleItem" ], "vs/workbench/common/editor/sideBySideEditorInput": [ "sideBySideLabels" ], - "vs/workbench/common/editor/diffEditorInput": [ - "sideBySideLabels" - ], "vs/workbench/browser/parts/editor/sideBySideEditor": [ "sideBySideEditor" ], - "vs/workbench/browser/parts/editor/textResourceEditor": [ - "textEditor" + "vs/workbench/common/editor/diffEditorInput": [ + "sideBySideLabels" ], - "vs/workbench/browser/parts/editor/editorActions": [ - "splitEditor", - "splitEditorOrthogonal", + "vs/workbench/browser/parts/editor/binaryDiffEditor": [ + "metadataDiff" + ], + "vs/workbench/browser/parts/editor/textDiffEditor": [ + "textDiffEditor" + ], + "vs/workbench/browser/parts/editor/editorStatus": [ + "singleSelectionRange", + "singleSelection", + "multiSelectionRange", + "multiSelection", + "endOfLineLineFeed", + "endOfLineCarriageReturnLineFeed", + "screenReaderDetectedExplanation.question", + "screenReaderDetectedExplanation.answerYes", + "screenReaderDetectedExplanation.answerNo", + "noEditor", + "noWritableCodeEditor", + "indentConvert", + "indentView", + "pickAction", + "tabFocusModeEnabled", + "status.editor.tabFocusMode", + "disableTabMode", + "columnSelectionModeEnabled", + "status.editor.columnSelectionMode", + "disableColumnSelectionMode", + "screenReaderDetected", + "status.editor.screenReaderMode", + "status.editor.selection", + "gotoLine", + "status.editor.indentation", + "selectIndentation", + "status.editor.encoding", + "selectEncoding", + "status.editor.eol", + "selectEOL", + "status.editor.mode", + "selectLanguageMode", + "status.editor.info", + "fileInfo", + "spacesSize", + { + "key": "tabSize", + "comment": [ + "Tab corresponds to the tab key" + ] + }, + "currentProblem", + "currentProblem", + "showLanguageExtensions", + "changeMode", + "noEditor", + "languageDescription", + "languageDescriptionConfigured", + "languagesPicks", + "configureModeSettings", + "configureAssociationsExt", + "autoDetect", + "pickLanguage", + "currentAssociation", + "pickLanguageToConfigure", + "changeEndOfLine", + "noEditor", + "noWritableCodeEditor", + "pickEndOfLine", + "changeEncoding", + "noEditor", + "noEditor", + "noFileEditor", + "saveWithEncoding", + "reopenWithEncoding", + "pickAction", + "guessedEncoding", + "pickEncodingForReopen", + "pickEncodingForSave" + ], + "vs/workbench/browser/parts/editor/editorActions": [ + "splitEditor", + "splitEditorOrthogonal", "splitEditorGroupLeft", "splitEditorGroupRight", "splitEditorGroupUp", @@ -7284,7 +7231,21 @@ "firstEditorInGroup", "lastEditorInGroup", "navigateForward", + "navigateForward", + { + "key": "miForward", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "navigateBack", "navigateBack", + { + "key": "miBack", + "comment": [ + "&& denotes a mnemonic" + ] + }, "navigatePrevious", "navigateForwardInEdits", "navigateBackInEdits", @@ -7358,12 +7319,6 @@ "workbench.action.toggleEditorType", "workbench.action.reopenTextEditor" ], - "vs/workbench/browser/parts/editor/textDiffEditor": [ - "textDiffEditor" - ], - "vs/workbench/browser/parts/editor/binaryDiffEditor": [ - "metadataDiff" - ], "vs/editor/browser/editorExtensions": [ { "key": "miUndo", @@ -7387,6 +7342,13 @@ }, "selectAll" ], + "vs/workbench/browser/parts/editor/editorQuickAccess": [ + "noViewResults", + "entryAriaLabelWithGroupDirty", + "entryAriaLabelWithGroup", + "entryAriaLabelDirty", + "closeEditor" + ], "vs/workbench/browser/parts/editor/editorCommands": [ "editorCommand.activeEditorMove.description", "editorCommand.activeEditorMove.arg.name", @@ -7410,97 +7372,64 @@ "vs/workbench/browser/codeeditor": [ "openWorkspace" ], + "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarPart": [ + "move second side bar left", + "move second side bar right", + "hideAuxiliaryBar" + ], + "vs/workbench/browser/parts/activitybar/activitybarPart": [ + "settingsViewBarIcon", + "accountsViewBarIcon", + "pinned view containers", + "accounts visibility key", + "menu", + "hideMenu", + "accounts", + "hideActivitBar", + "resetLocation", + "resetLocation", + "manage", + "manage", + "accounts", + "accounts" + ], "vs/workbench/browser/parts/editor/editorConfiguration": [ "markdownPreview", "workbench.editor.autoLockGroups", "workbench.editor.defaultBinaryEditor", "editor.editorAssociations" ], - "vs/workbench/browser/parts/editor/editorQuickAccess": [ - "noViewResults", - "entryAriaLabelWithGroupDirty", - "entryAriaLabelWithGroup", - "entryAriaLabelDirty", - "closeEditor" + "vs/workbench/browser/parts/panel/panelPart": [ + "pinned view containers", + "resetLocation", + "resetLocation", + "panel.emptyMessage", + "moreActions", + "hidePanel" ], "vs/workbench/browser/parts/statusbar/statusbarModel": [ "statusbar.hidden" ], - "vs/workbench/browser/parts/editor/editorStatus": [ - "singleSelectionRange", - "singleSelection", - "multiSelectionRange", - "multiSelection", - "endOfLineLineFeed", - "endOfLineCarriageReturnLineFeed", - "screenReaderDetectedExplanation.question", - "screenReaderDetectedExplanation.answerYes", - "screenReaderDetectedExplanation.answerNo", - "noEditor", - "noWritableCodeEditor", - "indentConvert", - "indentView", - "pickAction", - "tabFocusModeEnabled", - "status.editor.tabFocusMode", - "disableTabMode", - "columnSelectionModeEnabled", - "status.editor.columnSelectionMode", - "disableColumnSelectionMode", - "screenReaderDetected", - "status.editor.screenReaderMode", - "status.editor.selection", - "gotoLine", - "status.editor.indentation", - "selectIndentation", - "status.editor.encoding", - "selectEncoding", - "status.editor.eol", - "selectEOL", - "status.editor.mode", - "selectLanguageMode", - "status.editor.info", - "fileInfo", - "spacesSize", - { - "key": "tabSize", - "comment": [ - "Tab corresponds to the tab key" - ] - }, - "currentProblem", - "currentProblem", - "showLanguageExtensions", - "changeMode", - "noEditor", - "languageDescription", - "languageDescriptionConfigured", - "languagesPicks", - "configureModeSettings", - "configureAssociationsExt", - "autoDetect", - "pickLanguage", - "currentAssociation", - "pickLanguageToConfigure", - "changeEndOfLine", - "noEditor", - "noWritableCodeEditor", - "pickEndOfLine", - "changeEncoding", - "noEditor", - "noEditor", - "noFileEditor", - "saveWithEncoding", - "reopenWithEncoding", - "pickAction", - "guessedEncoding", - "pickEncodingForReopen", - "pickEncodingForSave" - ], "vs/workbench/browser/parts/statusbar/statusbarActions": [ "hide", "focusStatusBar" ], + "vs/workbench/browser/parts/editor/editorDropTarget": [ + "dropIntoEditorPrompt" + ], + "vs/workbench/browser/parts/editor/editorGroupView": [ + "ariaLabelGroupActions", + "emptyEditorGroup", + "groupLabel", + "groupAriaLabel" + ], + "vs/platform/actions/common/menuResetAction": [ + "title", + "cat" + ], + "vs/platform/actions/common/menuService": [ + "hide.label" + ], "vs/base/browser/ui/dialog/dialog": [ "ok", "dialogInfoMessage", @@ -7509,26 +7438,26 @@ "dialogPendingMessage", "dialogClose" ], - "vs/workbench/services/preferences/browser/keybindingsEditorInput": [ - "keybindingsInputName" - ], "vs/workbench/services/preferences/common/preferencesEditorInput": [ "settingsEditor2InputName" ], - "vs/workbench/services/preferences/common/preferencesModels": [ - "commonlyUsed", - "defaultKeybindingsHeader" + "vs/workbench/services/textfile/common/textFileEditorModel": [ + "textFileCreate.source" ], "vs/workbench/services/editor/common/editorResolverService": [ "editor.editorAssociations" ], - "vs/workbench/services/textfile/common/textFileEditorModel": [ - "textFileCreate.source" + "vs/workbench/services/preferences/common/preferencesModels": [ + "commonlyUsed", + "defaultKeybindingsHeader" ], "vs/platform/keybinding/common/abstractKeybindingService": [ "first.chord", "missing.chord" ], + "vs/workbench/services/preferences/browser/keybindingsEditorInput": [ + "keybindingsInputName" + ], "vs/base/common/keybindingLabels": [ { "key": "ctrlKey", @@ -7680,21 +7609,55 @@ "error.cannotparseicontheme", "error.invalidformat" ], - "vs/workbench/services/themes/common/fileIconThemeSchema": [ - "schema.folderExpanded", - "schema.folder", - "schema.file", - "schema.folderNames", - "schema.folderName", - "schema.folderNamesExpanded", - "schema.folderNameExpanded", - "schema.fileExtensions", - "schema.fileExtension", - "schema.fileNames", - "schema.fileName", - "schema.languageIds", - "schema.languageId", - "schema.fonts", + "vs/workbench/services/themes/common/themeExtensionPoints": [ + "vscode.extension.contributes.themes", + "vscode.extension.contributes.themes.id", + "vscode.extension.contributes.themes.label", + "vscode.extension.contributes.themes.uiTheme", + "vscode.extension.contributes.themes.path", + "vscode.extension.contributes.iconThemes", + "vscode.extension.contributes.iconThemes.id", + "vscode.extension.contributes.iconThemes.label", + "vscode.extension.contributes.iconThemes.path", + "vscode.extension.contributes.productIconThemes", + "vscode.extension.contributes.productIconThemes.id", + "vscode.extension.contributes.productIconThemes.label", + "vscode.extension.contributes.productIconThemes.path", + "reqarray", + "reqpath", + "reqid", + "invalid.path.1" + ], + "vs/workbench/services/themes/common/colorThemeSchema": [ + "schema.token.settings", + "schema.token.foreground", + "schema.token.background.warning", + "schema.token.fontStyle", + "schema.fontStyle.error", + "schema.token.fontStyle.none", + "schema.properties.name", + "schema.properties.scope", + "schema.workbenchColors", + "schema.tokenColors.path", + "schema.colors", + "schema.supportsSemanticHighlighting", + "schema.semanticTokenColors" + ], + "vs/workbench/services/themes/common/fileIconThemeSchema": [ + "schema.folderExpanded", + "schema.folder", + "schema.file", + "schema.folderNames", + "schema.folderName", + "schema.folderNamesExpanded", + "schema.folderNameExpanded", + "schema.fileExtensions", + "schema.fileExtension", + "schema.fileNames", + "schema.fileName", + "schema.languageIds", + "schema.languageId", + "schema.fonts", "schema.id", "schema.id.formatError", "schema.src", @@ -7715,39 +7678,35 @@ "schema.hidesExplorerArrows", "schema.showLanguageModeIcons" ], - "vs/workbench/services/themes/common/colorThemeSchema": [ - "schema.token.settings", - "schema.token.foreground", - "schema.token.background.warning", - "schema.token.fontStyle", - "schema.fontStyle.error", - "schema.token.fontStyle.none", - "schema.properties.name", - "schema.properties.scope", - "schema.workbenchColors", - "schema.tokenColors.path", - "schema.colors", - "schema.supportsSemanticHighlighting", - "schema.semanticTokenColors" + "vs/workbench/services/themes/browser/productIconThemeData": [ + "error.parseicondefs", + "defaultTheme", + "error.cannotparseicontheme", + "error.invalidformat", + "error.missingProperties", + "error.fontWeight", + "error.fontStyle", + "error.fontSrc", + "error.noFontSrc", + "error.fontId", + "error.icon.font", + "error.icon.fontCharacter" ], - "vs/workbench/services/themes/common/themeExtensionPoints": [ - "vscode.extension.contributes.themes", - "vscode.extension.contributes.themes.id", - "vscode.extension.contributes.themes.label", - "vscode.extension.contributes.themes.uiTheme", - "vscode.extension.contributes.themes.path", - "vscode.extension.contributes.iconThemes", - "vscode.extension.contributes.iconThemes.id", - "vscode.extension.contributes.iconThemes.label", - "vscode.extension.contributes.iconThemes.path", - "vscode.extension.contributes.productIconThemes", - "vscode.extension.contributes.productIconThemes.id", - "vscode.extension.contributes.productIconThemes.label", - "vscode.extension.contributes.productIconThemes.path", - "reqarray", - "reqpath", - "reqid", - "invalid.path.1" + "vs/workbench/services/themes/common/productIconThemeSchema": [ + "schema.id", + "schema.id.formatError", + "schema.src", + "schema.font-path", + "schema.font-format", + "schema.font-weight", + "schema.font-style", + "schema.iconDefinitions" + ], + "vs/workbench/services/views/common/viewContainerModel": [ + "globalViewsStateStorageId" + ], + "vs/workbench/services/workingCopy/common/storedFileWorkingCopySaveParticipant": [ + "saveParticipants" ], "vs/workbench/services/themes/common/themeConfiguration": [ "colorTheme", @@ -7807,37 +7766,6 @@ "editorColors.semanticHighlighting.rules", "semanticTokenColors" ], - "vs/workbench/services/profiles/common/profile": [ - "settings profiles", - "profile" - ], - "vs/workbench/services/themes/browser/productIconThemeData": [ - "error.parseicondefs", - "defaultTheme", - "error.cannotparseicontheme", - "error.invalidformat", - "error.missingProperties", - "error.fontWeight", - "error.fontStyle", - "error.fontSrc", - "error.noFontSrc", - "error.fontId", - "error.icon.font", - "error.icon.fontCharacter" - ], - "vs/workbench/services/views/common/viewContainerModel": [ - "globalViewsStateStorageId" - ], - "vs/workbench/services/themes/common/productIconThemeSchema": [ - "schema.id", - "schema.id.formatError", - "schema.src", - "schema.font-path", - "schema.font-format", - "schema.font-weight", - "schema.font-style", - "schema.iconDefinitions" - ], "vs/workbench/services/extensionManagement/browser/extensionBisect": [ "bisect.singular", "bisect.plural", @@ -7863,331 +7791,71 @@ "title.stop", "help" ], - "vs/workbench/contrib/performance/browser/perfviewEditor": [ - "name" - ], "vs/workbench/contrib/preferences/browser/keybindingWidgets": [ "defineKeybinding.initial", "defineKeybinding.oneExists", "defineKeybinding.existing", "defineKeybinding.chordsTo" ], - "vs/workbench/contrib/preferences/browser/preferencesActions": [ - "configureLanguageBasedSettings", - "languageDescriptionConfigured", - "pickLanguage" - ], - "vs/editor/contrib/suggest/browser/suggest": [ - "suggestWidgetDetailsVisible", - "suggestWidgetMultipleSuggestions", - "suggestionMakesTextEdit", - "acceptSuggestionOnEnter", - "suggestionHasInsertAndReplaceRange", - "suggestionInsertMode", - "suggestionCanResolve" + "vs/workbench/contrib/performance/browser/perfviewEditor": [ + "name" ], - "vs/workbench/contrib/preferences/common/preferencesContribution": [ - "splitSettingsEditorLabel", - "enableNaturalLanguageSettingsSearch", - "settingsSearchTocBehavior.hide", - "settingsSearchTocBehavior.filter", - "settingsSearchTocBehavior" + "vs/workbench/contrib/notebook/browser/notebookEditor": [ + "fail.noEditor", + "notebookOpenInTextEditor" ], - "vs/workbench/contrib/preferences/browser/keybindingsEditor": [ - "recordKeysLabel", - "sortByPrecedeneLabel", - "SearchKeybindings.FullTextSearchPlaceholder", - "SearchKeybindings.KeybindingsSearchPlaceholder", - "clearInput", - "recording", - "command", - "keybinding", - "when", - "source", - "show sorted keybindings", - "show keybindings", - "changeLabel", - "addLabel", - "addLabel", - "editWhen", - "removeLabel", - "resetLabel", - "showSameKeybindings", - "copyLabel", - "copyCommandLabel", - "copyCommandTitleLabel", - "error", - "editKeybindingLabelWithKey", - "editKeybindingLabel", - "addKeybindingLabelWithKey", - "addKeybindingLabel", - "title", - "whenContextInputAriaLabel", - "keybindingsLabel", - "noKeybinding", - "noWhen" + "vs/workbench/contrib/notebook/browser/services/notebookKeymapServiceImpl": [ + "disableOtherKeymapsConfirmation", + "yes", + "no" ], - "vs/workbench/contrib/preferences/browser/settingsEditor2": [ - "SearchSettings.AriaLabel", - "clearInput", - "filterInput", - "noResults", - "clearSearchFilters", - "settings", - "settings require trust", - "noResults", - "oneResult", - "moreThanOneResult", - "turnOnSyncButton", - "lastSyncedLabel" + "vs/workbench/contrib/notebook/browser/notebookExecutionServiceImpl": [ + "notebookRunTrust" ], - "vs/workbench/contrib/preferences/browser/preferencesIcons": [ - "settingsGroupExpandedIcon", - "settingsGroupCollapsedIcon", - "settingsScopeDropDownIcon", - "settingsMoreActionIcon", - "keybindingsRecordKeysIcon", - "keybindingsSortIcon", - "keybindingsEditIcon", - "keybindingsAddIcon", - "settingsEditIcon", - "settingsAddIcon", - "settingsRemoveIcon", - "preferencesDiscardIcon", - "preferencesClearInput", - "settingsFilter", - "preferencesOpenSettings" + "vs/workbench/contrib/comments/browser/commentReply": [ + "reply", + "newComment", + "reply", + "reply" ], - "vs/workbench/services/workingCopy/common/storedFileWorkingCopySaveParticipant": [ - "saveParticipants" + "vs/editor/common/languages/modesRegistry": [ + "plainText.alias" ], - "vs/workbench/contrib/files/browser/fileConstants": [ - "saveAs", - "save", - "saveWithoutFormatting", - "saveAll", - "removeFolderFromWorkspace", - "newUntitledFile" + "vs/workbench/contrib/notebook/browser/controller/coreActions": [ + "notebookActions.category", + "notebookMenu.insertCell", + "notebookMenu.cellTitle", + "miShare" ], - "vs/workbench/contrib/testing/browser/icons": [ - "testViewIcon", - "testingRunIcon", - "testingRunAllIcon", - "testingDebugAllIcon", - "testingDebugIcon", - "testingCancelIcon", - "filterIcon", - "hiddenIcon", - "testingShowAsList", - "testingShowAsTree", - "testingUpdateProfiles", - "testingRefreshTests", - "testingCancelRefreshTests", - "testingErrorIcon", - "testingFailedIcon", - "testingPassedIcon", - "testingQueuedIcon", - "testingSkippedIcon", - "testingUnsetIcon" - ], - "vs/workbench/contrib/testing/browser/testingDecorations": [ - "peekTestOutout", - "expected.title", - "actual.title", - "testing.gutterMsg.contextMenu", - "testing.gutterMsg.debug", - "testing.gutterMsg.run", - "run test", - "debug test", - "testing.runUsing", - "peek failure", - "reveal test", - "run all test", - "debug all test" - ], - "vs/workbench/contrib/testing/browser/testingViewPaneContainer": [ - "testing" - ], - "vs/workbench/contrib/testing/browser/testingOutputTerminalService": [ - "testOutputTerminalTitleWithDate", - "testOutputTerminalTitle", - "testNoRunYet", - "runNoOutout", - "runFinished" - ], - "vs/workbench/contrib/testing/browser/testingProgressUiService": [ - "testProgress.runningInitial", - "testProgress.running", - "testProgressWithSkip.running", - "testProgress.completed", - "testProgressWithSkip.completed" - ], - "vs/workbench/contrib/testing/browser/testingOutputPeek": [ - "testingOutputExpected", - "testingOutputActual", - "close", - "testUnnamedTask", - "messageMoreLinesN", - "messageMoreLines1", - "testingPeekLabel", - "testing.showResultOutput", - "testing.reRunLastRun", - "testing.debugLastRun", - "testing.goToFile", - "testing.revealInExplorer", - "run test", - "debug test", - "testing.goToNextMessage", - "testing.goToPreviousMessage", - "testing.openMessageInEditor", - "testing.toggleTestingPeekHistory" - ], - "vs/workbench/contrib/testing/common/configuration": [ - "testConfigurationTitle", - "testing.autoRun.mode", - "testing.autoRun.mode.allInWorkspace", - "testing.autoRun.mode.onlyPreviouslyRun", - "testing.autoRun.delay", - "testing.automaticallyOpenPeekView", - "testing.automaticallyOpenPeekView.failureAnywhere", - "testing.automaticallyOpenPeekView.failureInVisibleDocument", - "testing.automaticallyOpenPeekView.never", - "testing.automaticallyOpenPeekViewDuringAutoRun", - "testing.followRunningTest", - "testing.defaultGutterClickAction", - "testing.defaultGutterClickAction.run", - "testing.defaultGutterClickAction.debug", - "testing.defaultGutterClickAction.contextMenu", - "testing.gutterEnabled", - "testing.saveBeforeTest", - "testing.openTesting.neverOpen", - "testing.openTesting.openOnTestStart", - "testing.openTesting.openOnTestFailure", - "testing.openTesting" - ], - "vs/workbench/contrib/testing/common/testingContextKeys": [ - "testing.canRefresh", - "testing.isRefreshing", - "testing.hasDebuggableTests", - "testing.hasRunnableTests", - "testing.hasCoverableTests", - "testing.hasNonDefaultConfig", - "testing.hasConfigurableConfig", - "testing.peekItemType", - "testing.controllerId", - "testing.testId", - "testing.testItemHasUri", - "testing.testItemIsHidden" - ], - "vs/workbench/contrib/testing/browser/testingConfigurationUi": [ - "testConfigurationUi.pick", - "updateTestConfiguration" - ], - "vs/workbench/contrib/testing/browser/testingExplorerView": [ - "defaultTestProfile", - "selectDefaultConfigs", - "configureTestProfiles", - "testingNoTest", - "testingFindExtension", - { - "key": "testing.treeElementLabelDuration", - "comment": [ - "{0} is the original label in testing.treeElementLabel, {1} is a duration" - ] - }, - "testExplorer" - ], - "vs/workbench/contrib/testing/common/testServiceImpl": [ - "testTrust", - "testError" - ], - "vs/workbench/contrib/notebook/browser/notebookEditor": [ - "fail.noEditor", - "notebookOpenInTextEditor" - ], - "vs/workbench/contrib/testing/browser/testExplorerActions": [ - "hideTest", - "unhideTest", - "unhideAllTests", - "debug test", - "testing.runUsing", - "run test", - "testing.selectDefaultTestProfiles", - "testing.configureProfile", - "configureProfile", - "runSelectedTests", - "debugSelectedTests", - "discoveringTests", - "runAllTests", - "noTestProvider", - "debugAllTests", - "noDebugTestProvider", - "testing.cancelRun", - "testing.viewAsList", - "testing.viewAsTree", - "testing.sortByStatus", - "testing.sortByLocation", - "testing.sortByDuration", - "testing.showMostRecentOutput", - "testing.collapseAll", - "testing.clearResults", - "testing.editFocusedTest", - "testing.runAtCursor", - "testing.debugAtCursor", - "testing.runCurrentFile", - "testing.debugCurrentFile", - "testing.reRunFailTests", - "testing.debugFailTests", - "testing.reRunLastRun", - "testing.debugLastRun", - "testing.searchForTestExtension", - "testing.openOutputPeek", - "testing.toggleInlineTestOutput", - "testing.refreshTests", - "testing.cancelTestRefresh" - ], - "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": [ - "notebookTreeAriaLabel" - ], - "vs/workbench/contrib/notebook/browser/services/notebookKeymapServiceImpl": [ - "disableOtherKeymapsConfirmation", - "yes", - "no" - ], - "vs/workbench/contrib/comments/browser/commentReply": [ - "reply", - "newComment", - "reply", - "reply" - ], - "vs/editor/common/languages/modesRegistry": [ - "plainText.alias" - ], - "vs/workbench/contrib/notebook/browser/notebookExecutionServiceImpl": [ - "notebookRunTrust" - ], - "vs/workbench/contrib/notebook/browser/controller/coreActions": [ - "notebookActions.category", - "notebookMenu.insertCell", - "notebookMenu.cellTitle" + "vs/workbench/contrib/notebook/browser/controller/editActions": [ + "notebookActions.editCell", + "notebookActions.quitEdit", + "notebookActions.deleteCell", + "clearCellOutputs", + "clearAllCellsOutputs", + "changeLanguage", + "changeLanguage", + "languageDescription", + "languageDescriptionConfigured", + "autoDetect", + "languagesPicks", + "pickLanguageToConfigure", + "detectLanguage", + "noDetection" ], - "vs/workbench/contrib/notebook/browser/controller/executeActions": [ - "notebookActions.renderMarkdown", - "notebookActions.executeNotebook", - "notebookActions.executeNotebook", - "notebookActions.execute", - "notebookActions.execute", - "notebookActions.executeAbove", - "notebookActions.executeBelow", - "notebookActions.executeAndFocusContainer", - "notebookActions.executeAndFocusContainer", - "notebookActions.cancel", - "notebookActions.cancel", - "notebookActions.executeAndSelectBelow", - "notebookActions.executeAndInsertBelow", - "notebookActions.cancelNotebook", - "notebookActions.cancelNotebook", - "revealRunningCell" + "vs/workbench/contrib/notebook/browser/controller/layoutActions": [ + "workbench.notebook.layout.select.label", + "workbench.notebook.layout.configure.label", + "workbench.notebook.layout.configure.label", + "customizeNotebook", + "notebook.toggleLineNumbers", + "notebook.showLineNumbers", + "notebook.toggleCellToolbarPosition", + "notebook.toggleBreadcrumb", + "notebook.saveMimeTypeOrder", + "notebook.placeholder", + "saveTarget.machine", + "saveTarget.workspace" ], "vs/workbench/contrib/notebook/browser/controller/insertCellActions": [ "notebookActions.insertCodeCellAbove", @@ -8227,63 +7895,46 @@ "notebookActions.pasteAbove", "toggleNotebookClipboardLog" ], - "vs/workbench/contrib/notebook/browser/controller/layoutActions": [ - "workbench.notebook.layout.select.label", - "workbench.notebook.layout.configure.label", - "workbench.notebook.layout.configure.label", - "customizeNotebook", - "notebook.toggleLineNumbers", - "notebook.showLineNumbers", - "notebook.toggleCellToolbarPosition", - "notebook.toggleBreadcrumb", - "notebook.saveMimeTypeOrder", - "notebook.placeholder", - "saveTarget.machine", - "saveTarget.workspace" - ], - "vs/workbench/contrib/notebook/browser/controller/editActions": [ - "notebookActions.deleteCell", - "notebookActions.editCell", - "notebookActions.quitEdit", - "notebookActions.deleteCell", - "clearCellOutputs", - "clearAllCellsOutputs", - "changeLanguage", - "changeLanguage", - "languageDescription", - "languageDescriptionConfigured", - "autoDetect", - "languagesPicks", - "pickLanguageToConfigure", - "detectLanguage", - "noDetection" - ], - "vs/workbench/contrib/notebook/browser/contrib/find/notebookFind": [ - "notebookActions.hideFind", - "notebookActions.findInNotebook" + "vs/workbench/contrib/notebook/browser/contrib/gettingStarted/notebookGettingStarted": [ + "workbench.notebook.layout.gettingStarted.label" ], "vs/workbench/contrib/notebook/browser/contrib/format/formatting": [ "format.title", "label", "formatCell.label" ], - "vs/workbench/contrib/notebook/browser/contrib/gettingStarted/notebookGettingStarted": [ - "workbench.notebook.layout.gettingStarted.label" - ], - "vs/workbench/contrib/notebook/browser/contrib/outline/notebookOutline": [ - "empty", - "outline.showCodeCells", - "breadcrumbs.showCodeCells" - ], "vs/workbench/contrib/notebook/browser/contrib/layout/layoutActions": [ "notebook.toggleCellToolbarPosition" ], - "vs/workbench/contrib/notebook/browser/contrib/profile/notebookProfile": [ - "setProfileTitle" + "vs/workbench/contrib/notebook/browser/contrib/find/notebookFind": [ + "notebookActions.hideFind", + "notebookActions.findInNotebook" ], - "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/statusBarProviders": [ - "notebook.cell.status.language", - "notebook.cell.status.autoDetectLanguage" + "vs/workbench/contrib/notebook/browser/controller/executeActions": [ + "notebookActions.renderMarkdown", + "notebookActions.executeNotebook", + "notebookActions.executeNotebook", + "notebookActions.execute", + "notebookActions.execute", + "notebookActions.executeAbove", + "notebookActions.executeBelow", + "notebookActions.executeAndFocusContainer", + "notebookActions.executeAndFocusContainer", + "notebookActions.cancel", + "notebookActions.cancel", + "notebookActions.executeAndSelectBelow", + "notebookActions.executeAndInsertBelow", + "notebookActions.cancelNotebook", + "notebookActions.cancelNotebook", + "revealRunningCell", + "revealRunningCell", + "revealRunningCellShort", + "revealLastFailedCell", + "revealLastFailedCell", + "revealLastFailedCellShort" + ], + "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": [ + "notebookTreeAriaLabel" ], "vs/workbench/contrib/notebook/browser/contrib/navigation/arrow": [ "cursorMoveDown", @@ -8299,20 +7950,17 @@ "cursorPageDownSelect", "notebook.navigation.allowNavigateToSurroundingCells" ], - "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": [ - "noViewResults", - "views", - "panels", - "secondary side bar", - "terminalTitle", - "terminals", - "logChannel", - "channels", - "openView", - "quickOpenView" + "vs/workbench/contrib/notebook/browser/contrib/profile/notebookProfile": [ + "setProfileTitle" ], - "vs/platform/quickinput/browser/helpQuickAccess": [ - "helpPickAriaLabel" + "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/statusBarProviders": [ + "notebook.cell.status.language", + "notebook.cell.status.autoDetectLanguage" + ], + "vs/workbench/contrib/notebook/browser/contrib/outline/notebookOutline": [ + "empty", + "outline.showCodeCells", + "breadcrumbs.showCodeCells" ], "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/executionStatusBarItemController": [ "notebook.cell.status.success", @@ -8320,31 +7968,25 @@ "notebook.cell.status.pending", "notebook.cell.status.executing" ], - "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": [ - "notebook.diff.switchToText", - "notebook.diff.cell.revertMetadata", - "notebook.diff.cell.switchOutputRenderingStyleToText", - "notebook.diff.cell.revertOutputs", - "notebook.diff.cell.revertInput", - "notebook.diff.showOutputs", - "notebook.diff.showMetadata", - "notebook.diff.ignoreMetadata", - "notebook.diff.ignoreOutputs" - ], - "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": [ - "noCommandResults", - "configure keybinding", - "commandWithCategory", - "showTriggerActions", - "clearCommandHistory", - "confirmClearMessage", - "confirmClearDetail", - { - "key": "clearButtonLabel", - "comment": [ - "&& denotes a mnemonic" - ] - } + "vs/workbench/contrib/notebook/browser/contrib/editorStatusBar/editorStatusBar": [ + "notebookActions.selectKernel", + "notebookActions.selectKernel.args", + "current1", + "current2", + "suggestedKernels", + "otherKernelKinds", + "installSuggestedKernel", + "searchForKernels", + "prompt.placeholder.change", + "prompt.placeholder.select", + "notebook.info", + "tooltop", + "notebook.select", + "kernel.select.label", + "kernel.select.label", + "notebook.activeCellStatusName", + "notebook.multiActiveCellIndicator", + "notebook.singleActiveCellIndicator" ], "vs/workbench/contrib/notebook/browser/contrib/cellCommands/cellCommands": [ "notebookActions.moveCellUp", @@ -8367,269 +8009,83 @@ "notebookActions.collapseAllCellOutput", "notebookActions.expandAllCellOutput" ], - "vs/workbench/contrib/notebook/browser/contrib/editorStatusBar/editorStatusBar": [ - "notebookActions.selectKernel", - "notebookActions.selectKernel.args", - "notebook.promptKernel.setDefaultTooltip", - "current1", - "current2", - "suggestedKernels", - "otherKernelKinds", - "installKernels", - "prompt.placeholder.change", - "prompt.placeholder.select", - "notebook.info", - "tooltop", - "notebook.select", - "kernel.select.label", - "kernel.select.label", - "notebook.activeCellStatusName", - "notebook.multiActiveCellIndicator", - "notebook.singleActiveCellIndicator" + "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": [ + "notebook.diff.switchToText", + "notebook.diff.cell.revertMetadata", + "notebook.diff.cell.switchOutputRenderingStyleToText", + "notebook.diff.cell.revertOutputs", + "notebook.diff.cell.revertInput", + "notebook.diff.showOutputs", + "notebook.diff.showMetadata", + "notebook.diff.ignoreMetadata", + "notebook.diff.ignoreOutputs" ], - "vs/workbench/contrib/files/browser/views/openEditorsView": [ - { - "key": "openEditors", - "comment": [ - "Open is an adjective" - ] - }, - "dirtyCounter", - "openEditors", - "flipLayout", - "miToggleEditorLayoutWithoutMnemonic", - { - "key": "miToggleEditorLayout", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "newUntitledFile" + "vs/workbench/contrib/interactive/browser/interactiveEditor": [ + "interactiveInputPlaceHolder" ], - "vs/workbench/contrib/files/browser/views/emptyView": [ - "noWorkspace" + "vs/editor/contrib/peekView/browser/peekView": [ + "inReferenceSearchEditor", + "label.close", + "peekViewTitleBackground", + "peekViewTitleForeground", + "peekViewTitleInfoForeground", + "peekViewBorder", + "peekViewResultsBackground", + "peekViewResultsMatchForeground", + "peekViewResultsFileForeground", + "peekViewResultsSelectionBackground", + "peekViewResultsSelectionForeground", + "peekViewEditorBackground", + "peekViewEditorGutterBackground", + "peekViewResultsMatchHighlight", + "peekViewEditorMatchHighlight", + "peekViewEditorMatchHighlightBorder" ], - "vs/workbench/contrib/files/browser/views/explorerView": [ - "explorerSection", - "createNewFile", - "createNewFolder", - "refreshExplorer", - "collapseExplorerFolders" + "vs/editor/contrib/suggest/browser/suggest": [ + "suggestWidgetHasSelection", + "suggestWidgetDetailsVisible", + "suggestWidgetMultipleSuggestions", + "suggestionMakesTextEdit", + "acceptSuggestionOnEnter", + "suggestionHasInsertAndReplaceRange", + "suggestionInsertMode", + "suggestionCanResolve" ], - "vs/workbench/contrib/files/browser/fileActions": [ - "newFile", - "newFolder", - "rename", - "delete", - "copyFile", - "pasteFile", - "download", - "upload", - "deleteButtonLabelRecycleBin", - { - "key": "deleteButtonLabelTrash", - "comment": [ - "&& denotes a mnemonic" - ] - }, + "vs/workbench/contrib/notebook/browser/contrib/troubleshoot/layout": [ + "workbench.notebook.toggleLayoutTroubleshoot", + "workbench.notebook.inspectLayout", + "workbench.notebook.clearNotebookEdtitorTypeCache" + ], + "vs/platform/quickinput/browser/helpQuickAccess": [ + "helpPickAriaLabel" + ], + "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": [ + "noViewResults", + "views", + "panels", + "secondary side bar", + "terminalTitle", + "terminals", + "debugConsoles", + "logChannel", + "channels", + "openView", + "quickOpenView" + ], + "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": [ + "noCommandResults", + "configure keybinding", + "commandWithCategory", + "showTriggerActions", + "clearCommandHistory", + "confirmClearMessage", + "confirmClearDetail", { - "key": "deleteButtonLabel", + "key": "clearButtonLabel", "comment": [ "&& denotes a mnemonic" ] - }, - "dirtyMessageFilesDelete", - "dirtyMessageFolderOneDelete", - "dirtyMessageFolderDelete", - "dirtyMessageFileDelete", - "dirtyWarning", - "irreversible", - "restorePlural", - "restore", - "undoBinFiles", - "undoBin", - "undoTrashFiles", - "undoTrash", - "doNotAskAgain", - { - "key": "deleteBulkEdit", - "comment": [ - "Placeholder will be replaced by the number of files deleted" - ] - }, - { - "key": "deleteFileBulkEdit", - "comment": [ - "Placeholder will be replaced by the name of the file deleted" - ] - }, - { - "key": "deletingBulkEdit", - "comment": [ - "Placeholder will be replaced by the number of files deleted" - ] - }, - { - "key": "deletingFileBulkEdit", - "comment": [ - "Placeholder will be replaced by the name of the file deleted" - ] - }, - "binFailed", - "trashFailed", - { - "key": "deletePermanentlyButtonLabel", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "retryButtonLabel", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "confirmMoveTrashMessageFilesAndDirectories", - "confirmMoveTrashMessageMultipleDirectories", - "confirmMoveTrashMessageMultiple", - "confirmMoveTrashMessageFolder", - "confirmMoveTrashMessageFile", - "confirmDeleteMessageFilesAndDirectories", - "confirmDeleteMessageMultipleDirectories", - "confirmDeleteMessageMultiple", - "confirmDeleteMessageFolder", - "confirmDeleteMessageFile", - "globalCompareFile", - "toggleAutoSave", - "saveAllInGroup", - "closeGroup", - "focusFilesExplorer", - "showInExplorer", - "openFileInNewWindow", - "openFileToShowInNewWindow.unsupportedschema", - "emptyFileNameError", - "fileNameStartsWithSlashError", - "fileNameExistsError", - "invalidFileNameError", - "fileNameWhitespaceWarning", - "compareWithClipboard", - "clipboardComparisonLabel", - "retry", - "createBulkEdit", - "creatingBulkEdit", - "renameBulkEdit", - "renamingBulkEdit", - "fileIsAncestor", - { - "key": "movingBulkEdit", - "comment": [ - "Placeholder will be replaced by the number of files being moved" - ] - }, - { - "key": "movingFileBulkEdit", - "comment": [ - "Placeholder will be replaced by the name of the file moved." - ] - }, - { - "key": "moveBulkEdit", - "comment": [ - "Placeholder will be replaced by the number of files being moved" - ] - }, - { - "key": "moveFileBulkEdit", - "comment": [ - "Placeholder will be replaced by the name of the file moved." - ] - }, - { - "key": "copyingBulkEdit", - "comment": [ - "Placeholder will be replaced by the number of files being copied" - ] - }, - { - "key": "copyingFileBulkEdit", - "comment": [ - "Placeholder will be replaced by the name of the file copied." - ] - }, - { - "key": "copyBulkEdit", - "comment": [ - "Placeholder will be replaced by the number of files being copied" - ] - }, - { - "key": "copyFileBulkEdit", - "comment": [ - "Placeholder will be replaced by the name of the file copied." - ] - }, - "fileDeleted" - ], - "vs/workbench/contrib/files/browser/fileCommands": [ - "modifiedLabel", - { - "key": "genericSaveError", - "comment": [ - "{0} is the resource that failed to save and {1} the error message" - ] - }, - "retry", - "discard", - "genericRevertError" - ], - "vs/workbench/contrib/logs/common/logsActions": [ - "setLogLevel", - "trace", - "debug", - "info", - "warn", - "err", - "critical", - "off", - "selectLogLevel", - "default and current", - "default", - "current", - "openSessionLogFile", - "current", - "sessions placeholder", - "log placeholder" - ], - "vs/workbench/contrib/interactive/browser/interactiveEditor": [ - "interactiveInputPlaceHolder" - ], - "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": [ - "userGuide", - "staleSaveError", - "readonlySaveErrorAdmin", - "readonlySaveErrorSudo", - "readonlySaveError", - "permissionDeniedSaveError", - "permissionDeniedSaveErrorSudo", - { - "key": "genericSaveError", - "comment": [ - "{0} is the resource that failed to save and {1} the error message" - ] - }, - "learnMore", - "dontShowAgain", - "compareChanges", - "saveConflictDiffLabel", - "overwriteElevated", - "overwriteElevatedSudo", - "saveElevated", - "saveElevatedSudo", - "retry", - "discard", - "overwrite", - "overwrite", - "configure" + } ], "vs/workbench/contrib/notebook/browser/notebookIcons": [ "configureKernel", @@ -8658,5819 +8114,6239 @@ "renderOutputIcon", "mimetypeIcon" ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": [ - "ok", - "cancel", - "empty.msg", - "conflict.1", - "conflict.N", - "edt.title.del", - "rename", - "create", - "edt.title.2", - "edt.title.1" + "vs/workbench/contrib/logs/common/logsActions": [ + "setLogLevel", + "trace", + "debug", + "info", + "warn", + "err", + "critical", + "off", + "selectLogLevel", + "default and current", + "default", + "current", + "openSessionLogFile", + "current", + "sessions placeholder", + "log placeholder" ], - "vs/editor/contrib/peekView/browser/peekView": [ - "inReferenceSearchEditor", - "label.close", - "peekViewTitleBackground", - "peekViewTitleForeground", - "peekViewTitleInfoForeground", - "peekViewBorder", - "peekViewResultsBackground", - "peekViewResultsMatchForeground", - "peekViewResultsFileForeground", - "peekViewResultsSelectionBackground", - "peekViewResultsSelectionForeground", - "peekViewEditorBackground", - "peekViewEditorGutterBackground", - "peekViewResultsMatchHighlight", - "peekViewEditorMatchHighlight", - "peekViewEditorMatchHighlightBorder" + "vs/workbench/contrib/files/browser/views/explorerView": [ + "explorerSection", + "createNewFile", + "createNewFolder", + "refreshExplorer", + "collapseExplorerFolders" ], - "vs/workbench/contrib/files/browser/workspaceWatcher": [ - "enospcError", - "learnMore", - "eshutdownError", - "reload" + "vs/workbench/contrib/testing/browser/icons": [ + "testViewIcon", + "testingRunIcon", + "testingRunAllIcon", + "testingDebugAllIcon", + "testingDebugIcon", + "testingCancelIcon", + "filterIcon", + "hiddenIcon", + "testingShowAsList", + "testingShowAsTree", + "testingUpdateProfiles", + "testingRefreshTests", + "testingCancelRefreshTests", + "testingErrorIcon", + "testingFailedIcon", + "testingPassedIcon", + "testingQueuedIcon", + "testingSkippedIcon", + "testingUnsetIcon" ], - "vs/workbench/contrib/files/browser/editors/binaryFileEditor": [ - "binaryFileEditor" - ], - "vs/workbench/contrib/files/common/dirtyFilesIndicator": [ - "dirtyFile", - "dirtyFiles" - ], - "vs/workbench/contrib/scm/browser/activity": [ - "status.scm", - "scmPendingChangesBadge" - ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": [ - "default" - ], - "vs/workbench/contrib/scm/browser/scmViewPaneContainer": [ - "source control" - ], - "vs/editor/common/config/editorConfigurationSchema": [ - "editorConfigurationTitle", - "tabSize", - "insertSpaces", - "detectIndentation", - "trimAutoWhitespace", - "largeFileOptimizations", - "wordBasedSuggestions", - "wordBasedSuggestionsMode.currentDocument", - "wordBasedSuggestionsMode.matchingDocuments", - "wordBasedSuggestionsMode.allDocuments", - "wordBasedSuggestionsMode", - "semanticHighlighting.true", - "semanticHighlighting.false", - "semanticHighlighting.configuredByTheme", - "semanticHighlighting.enabled", - "stablePeek", - "maxTokenizationLineLength", - "schema.brackets", - "schema.openBracket", - "schema.closeBracket", - "schema.colorizedBracketPairs", - "schema.openBracket", - "schema.closeBracket", - "maxComputationTime", - "maxFileSize", - "sideBySide", - "ignoreTrimWhitespace", - "renderIndicators", - "codeLens", - "wordWrap.off", - "wordWrap.on", - "wordWrap.inherit" - ], - "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": [ - "scm" + "vs/workbench/contrib/files/browser/fileConstants": [ + "saveAs", + "save", + "saveWithoutFormatting", + "saveAll", + "removeFolderFromWorkspace", + "newUntitledFile" ], - "vs/workbench/contrib/scm/browser/dirtydiffDecorator": [ - "changes", - "change", - "label.close", - "show previous change", - "show next change", + "vs/workbench/contrib/files/browser/views/openEditorsView": [ { - "key": "miGotoNextChange", + "key": "openEditors", "comment": [ - "&& denotes a mnemonic" + "Open is an adjective" ] }, + "dirtyCounter", + "openEditors", + "flipLayout", + "miToggleEditorLayoutWithoutMnemonic", { - "key": "miGotoPreviousChange", + "key": "miToggleEditorLayout", "comment": [ "&& denotes a mnemonic" ] }, - "move to previous change", - "move to next change", - "editorGutterModifiedBackground", - "editorGutterAddedBackground", - "editorGutterDeletedBackground", - "minimapGutterModifiedBackground", - "minimapGutterAddedBackground", - "minimapGutterDeletedBackground", - "overviewRulerModifiedForeground", - "overviewRulerAddedForeground", - "overviewRulerDeletedForeground" - ], - "vs/workbench/contrib/workspace/common/workspace": [ - "workspaceTrustEnabledCtx", - "workspaceTrustedCtx" + "newUntitledFile" ], - "vs/workbench/contrib/scm/browser/scmViewPane": [ - "scm", - "input", - "sortAction", - "repositories", - "setListViewMode", - "setTreeViewMode", - "repositorySortByDiscoveryTime", - "repositorySortByName", - "repositorySortByPath", - "sortChangesByName", - "sortChangesByPath", - "sortChangesByStatus", - "collapse all", - "expand all", - "scm.providerBorder" + "vs/workbench/contrib/files/browser/views/emptyView": [ + "noWorkspace" ], - "vs/workbench/contrib/search/browser/searchActions": [ - "replaceInFiles", - "toggleTabs", - "FocusNextSearchResult.label", - "FocusPreviousSearchResult.label", - "RemoveAction.label", - "file.replaceAll.label", - "file.replaceAll.label", - "match.replace.label" + "vs/workbench/contrib/testing/browser/testingDecorations": [ + "peekTestOutout", + "expected.title", + "actual.title", + "testing.gutterMsg.contextMenu", + "testing.gutterMsg.debug", + "testing.gutterMsg.run", + "run test", + "debug test", + "testing.runUsing", + "peek failure", + "reveal test", + "run all test", + "debug all test" ], - "vs/editor/contrib/quickAccess/browser/gotoLineQuickAccess": [ - "cannotRunGotoLine", - "gotoLineColumnLabel", - "gotoLineLabel", - "gotoLineLabelEmptyWithLimit", - "gotoLineLabelEmpty" + "vs/workbench/contrib/testing/browser/testingProgressUiService": [ + "testProgress.runningInitial", + "testProgress.running", + "testProgressWithSkip.running", + "testProgress.completed", + "testProgressWithSkip.completed" ], - "vs/workbench/contrib/search/browser/anythingQuickAccess": [ - "noAnythingResults", - "recentlyOpenedSeparator", - "fileAndSymbolResultsSeparator", - "fileResultsSeparator", - "filePickAriaLabelDirty", + "vs/workbench/contrib/testing/browser/testingExplorerView": [ + "defaultTestProfile", + "selectDefaultConfigs", + "configureTestProfiles", + "testingNoTest", + "testingFindExtension", { - "key": "openToSide", + "key": "testing.treeElementLabelDuration", "comment": [ - "Open this file in a split editor on the left/right side" + "{0} is the original label in testing.treeElementLabel, {1} is a duration" ] }, + "testExplorer" + ], + "vs/workbench/contrib/testing/browser/testingOutputTerminalService": [ + "testOutputTerminalTitleWithDate", + "testOutputTerminalTitle", + "testNoRunYet", + "runNoOutout", + "runFinished" + ], + "vs/workbench/contrib/testing/common/configuration": [ + "testConfigurationTitle", + "testing.autoRun.mode", + "testing.autoRun.mode.allInWorkspace", + "testing.autoRun.mode.onlyPreviouslyRun", + "testing.autoRun.delay", + "testing.automaticallyOpenPeekView", + "testing.automaticallyOpenPeekView.failureAnywhere", + "testing.automaticallyOpenPeekView.failureInVisibleDocument", + "testing.automaticallyOpenPeekView.never", + "testing.automaticallyOpenPeekViewDuringAutoRun", + "testing.followRunningTest", + "testing.defaultGutterClickAction", + "testing.defaultGutterClickAction.run", + "testing.defaultGutterClickAction.debug", + "testing.defaultGutterClickAction.contextMenu", + "testing.gutterEnabled", + "testing.saveBeforeTest", + "testing.openTesting.neverOpen", + "testing.openTesting.openOnTestStart", + "testing.openTesting.openOnTestFailure", + "testing.openTesting", + "testing.alwaysRevealTestOnStateChange" + ], + "vs/workbench/contrib/testing/browser/testingViewPaneContainer": [ + "testing" + ], + "vs/workbench/contrib/testing/browser/testingOutputPeek": [ + "testingOutputExpected", + "testingOutputActual", + "close", + "testUnnamedTask", + "messageMoreLinesN", + "messageMoreLines1", + "testingPeekLabel", + "testing.showResultOutput", + "testing.reRunLastRun", + "testing.debugLastRun", + "testing.goToFile", + "testing.revealInExplorer", + "run test", + "debug test", + "testing.goToNextMessage", + "testing.goToPreviousMessage", + "testing.openMessageInEditor", + "testing.toggleTestingPeekHistory" + ], + "vs/workbench/contrib/testing/common/testingContextKeys": [ + "testing.canRefresh", + "testing.isRefreshing", + "testing.hasDebuggableTests", + "testing.hasRunnableTests", + "testing.hasCoverableTests", + "testing.hasNonDefaultConfig", + "testing.hasConfigurableConfig", + "testing.peekItemType", + "testing.controllerId", + "testing.testId", + "testing.testItemHasUri", + "testing.testItemIsHidden" + ], + "vs/workbench/contrib/testing/common/testServiceImpl": [ + "testTrust", + "testError" + ], + "vs/workbench/contrib/files/browser/fileCommands": [ + "modifiedLabel", { - "key": "openToBottom", + "key": "genericSaveError", "comment": [ - "Open this file in a split editor on the bottom" + "{0} is the resource that failed to save and {1} the error message" ] }, - "closeEditor" - ], - "vs/workbench/contrib/search/browser/symbolsQuickAccess": [ - "noSymbolResults", - "openToSide", - "openToBottom" + "retry", + "discard", + "genericRevertError", + "newFileCommand.saveLabel" ], - "vs/workbench/contrib/search/browser/searchIcons": [ - "searchDetailsIcon", - "searchShowContextIcon", - "searchHideReplaceIcon", - "searchShowReplaceIcon", - "searchReplaceAllIcon", - "searchReplaceIcon", - "searchRemoveIcon", - "searchRefreshIcon", - "searchCollapseAllIcon", - "searchExpandAllIcon", - "searchClearIcon", - "searchStopIcon", - "searchViewIcon", - "searchNewEditorIcon" - ], - "vs/workbench/contrib/search/browser/searchWidget": [ - "search.action.replaceAll.disabled.label", - "search.action.replaceAll.enabled.label", - "search.replace.toggle.button.title", - "label.Search", - "search.placeHolder", - "showContext", - "label.Replace", - "search.replace.placeHolder" - ], - "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": [ - "empty", - "gotoSymbol", + "vs/workbench/contrib/files/browser/fileActions": [ + "newFile", + "newFolder", + "rename", + "delete", + "copyFile", + "pasteFile", + "download", + "upload", + "deleteButtonLabelRecycleBin", { - "key": "miGotoSymbolInEditor", + "key": "deleteButtonLabelTrash", "comment": [ "&& denotes a mnemonic" ] }, - "gotoSymbolQuickAccessPlaceholder", - "gotoSymbolQuickAccess", - "gotoSymbolByCategoryQuickAccess" - ], - "vs/workbench/services/search/common/queryBuilder": [ - "search.noWorkspaceWithName" - ], - "vs/workbench/browser/parts/views/viewPane": [ - "viewPaneContainerExpandedIcon", - "viewPaneContainerCollapsedIcon", - "viewToolbarAriaLabel" - ], - "vs/workbench/contrib/search/browser/searchMessage": [ - "unable to open trust", - "unable to open" - ], - "vs/workbench/contrib/search/browser/patternInputWidget": [ - "defaultLabel", - "onlySearchInOpenEditors", - "useExcludesAndIgnoreFilesDescription" - ], - "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindWidget": [ - "ariaSearchNoResultEmpty", - "ariaSearchNoResult", - "ariaSearchNoResultWithLineNumNoCurrentMatch" - ], - "vs/workbench/contrib/search/browser/searchResultsView": [ - "searchFolderMatch.other.label", - "searchFileMatches", - "searchFileMatch", - "searchMatches", - "searchMatch", - "lineNumStr", - "numLinesStr", - "search", - "folderMatchAriaLabel", - "otherFilesAriaLabel", - "fileMatchAriaLabel", - "replacePreviewResultAria", - "searchResultAria" - ], - "vs/platform/actions/browser/menuEntryActionViewItem": [ - "titleAndKb", - "titleAndKb", - "titleAndKbAndAlt" - ], - "vs/workbench/contrib/searchEditor/browser/searchEditor": [ - "moreSearch", - "searchScope.includes", - "label.includes", - "searchScope.excludes", - "label.excludes", - "runSearch", - "searchResultItem", - "searchEditor", - "textInputBoxBorder" - ], - "vs/workbench/contrib/searchEditor/browser/searchEditorInput": [ - "searchTitle.withQuery", - "searchTitle.withQuery", - "searchTitle" - ], - "vs/workbench/contrib/debug/browser/breakpointsView": [ - "unverifiedExceptionBreakpoint", - "expressionCondition", - "expressionAndHitCount", - "functionBreakpointsNotSupported", - "dataBreakpointsNotSupported", - "read", - "write", - "access", - "functionBreakpointPlaceholder", - "functionBreakPointInputAriaLabel", - "functionBreakpointExpressionPlaceholder", - "functionBreakPointExpresionAriaLabel", - "functionBreakpointHitCountPlaceholder", - "functionBreakPointHitCountAriaLabel", - "exceptionBreakpointAriaLabel", - "exceptionBreakpointPlaceholder", - "breakpoints", - "disabledLogpoint", - "disabledBreakpoint", - "unverifiedLogpoint", - "unverifiedBreakpoint", - "dataBreakpointUnsupported", - "dataBreakpoint", - "functionBreakpointUnsupported", - "functionBreakpoint", - "expression", - "hitCount", - "instructionBreakpointUnsupported", - "instructionBreakpointAtAddress", - "instructionBreakpoint", - "hitCount", - "breakpointUnsupported", - "logMessage", - "expression", - "hitCount", - "breakpoint", - "addFunctionBreakpoint", { - "key": "miFunctionBreakpoint", + "key": "deleteButtonLabel", "comment": [ "&& denotes a mnemonic" ] }, - "activateBreakpoints", - "removeBreakpoint", - "removeAllBreakpoints", + "dirtyMessageFilesDelete", + "dirtyMessageFolderOneDelete", + "dirtyMessageFolderDelete", + "dirtyMessageFileDelete", + "dirtyWarning", + "irreversible", + "restorePlural", + "restore", + "undoBinFiles", + "undoBin", + "undoTrashFiles", + "undoTrash", + "doNotAskAgain", { - "key": "miRemoveAllBreakpoints", + "key": "deleteBulkEdit", "comment": [ - "&& denotes a mnemonic" + "Placeholder will be replaced by the number of files deleted" ] }, - "enableAllBreakpoints", { - "key": "miEnableAllBreakpoints", + "key": "deleteFileBulkEdit", "comment": [ - "&& denotes a mnemonic" + "Placeholder will be replaced by the name of the file deleted" ] }, - "disableAllBreakpoints", { - "key": "miDisableAllBreakpoints", + "key": "deletingBulkEdit", "comment": [ - "&& denotes a mnemonic" + "Placeholder will be replaced by the number of files deleted" ] }, - "reapplyAllBreakpoints", - "editCondition", - "editCondition", - "editHitCount", - "editBreakpoint", - "editHitCount" - ], - "vs/workbench/contrib/debug/browser/debugIcons": [ - "debugConsoleViewIcon", - "runViewIcon", - "variablesViewIcon", - "watchViewIcon", - "callStackViewIcon", - "breakpointsViewIcon", - "loadedScriptsViewIcon", - "debugBreakpoint", - "debugBreakpointDisabled", - "debugBreakpointUnverified", - "debugBreakpointFunction", - "debugBreakpointFunctionDisabled", - "debugBreakpointFunctionUnverified", - "debugBreakpointConditional", - "debugBreakpointConditionalDisabled", - "debugBreakpointConditionalUnverified", - "debugBreakpointData", - "debugBreakpointDataDisabled", - "debugBreakpointDataUnverified", - "debugBreakpointLog", - "debugBreakpointLogDisabled", - "debugBreakpointLogUnverified", - "debugBreakpointHint", - "debugBreakpointUnsupported", - "debugStackframe", - "debugStackframeFocused", - "debugGripper", - "debugRestartFrame", - "debugStop", - "debugDisconnect", - "debugRestart", - "debugStepOver", - "debugStepInto", - "debugStepOut", - "debugStepBack", - "debugPause", - "debugContinue", - "debugReverseContinue", - "debugRun", - "debugStart", - "debugConfigure", - "debugConsole", - "debugRemoveConfig", - "debugCollapseAll", - "callstackViewSession", - "debugConsoleClearAll", - "watchExpressionsRemoveAll", - "watchExpressionsAdd", - "watchExpressionsAddFuncBreakpoint", - "breakpointsRemoveAll", - "breakpointsActivate", - "debugConsoleEvaluationInput", - "debugConsoleEvaluationPrompt", - "debugInspectMemory" - ], - "vs/workbench/contrib/debug/browser/breakpointWidget": [ - "breakpointWidgetLogMessagePlaceholder", - "breakpointWidgetHitCountPlaceholder", - "breakpointWidgetExpressionPlaceholder", - "expression", - "hitCount", - "logMessage", - "breakpointType" - ], - "vs/workbench/contrib/debug/browser/callStackView": [ { - "key": "running", + "key": "deletingFileBulkEdit", "comment": [ - "indicates state" + "Placeholder will be replaced by the name of the file deleted" ] }, - "showMoreStackFrames2", + "binFailed", + "trashFailed", { - "key": "session", + "key": "deletePermanentlyButtonLabel", "comment": [ - "Session is a noun" + "&& denotes a mnemonic" ] }, { - "key": "running", + "key": "retryButtonLabel", "comment": [ - "indicates state" + "&& denotes a mnemonic" ] }, - "restartFrame", - "loadAllStackFrames", - "showMoreAndOrigin", - "showMoreStackFrames", + "confirmMoveTrashMessageFilesAndDirectories", + "confirmMoveTrashMessageMultipleDirectories", + "confirmMoveTrashMessageMultiple", + "confirmMoveTrashMessageFolder", + "confirmMoveTrashMessageFile", + "confirmDeleteMessageFilesAndDirectories", + "confirmDeleteMessageMultipleDirectories", + "confirmDeleteMessageMultiple", + "confirmDeleteMessageFolder", + "confirmDeleteMessageFile", + "globalCompareFile", + "toggleAutoSave", + "saveAllInGroup", + "closeGroup", + "focusFilesExplorer", + "showInExplorer", + "openFileInNewWindow", + "openFileToShowInNewWindow.unsupportedschema", + "emptyFileNameError", + "fileNameStartsWithSlashError", + "fileNameExistsError", + "invalidFileNameError", + "fileNameWhitespaceWarning", + "compareWithClipboard", + "clipboardComparisonLabel", + "retry", + "createBulkEdit", + "creatingBulkEdit", + "renameBulkEdit", + "renamingBulkEdit", + "fileIsAncestor", { - "key": "pausedOn", + "key": "movingBulkEdit", "comment": [ - "indicates reason for program being paused" + "Placeholder will be replaced by the number of files being moved" ] }, - "paused", { + "key": "movingFileBulkEdit", "comment": [ - "Debug is a noun in this context, not a verb." - ], - "key": "callStackAriaLabel" + "Placeholder will be replaced by the name of the file moved." + ] }, { - "key": "threadAriaLabel", + "key": "moveBulkEdit", "comment": [ - "Placeholders stand for the thread name and the thread state.For example \"Thread 1\" and \"Stopped" + "Placeholder will be replaced by the number of files being moved" ] }, - "stackFrameAriaLabel", { - "key": "running", + "key": "moveFileBulkEdit", "comment": [ - "indicates state" + "Placeholder will be replaced by the name of the file moved." ] }, { - "key": "sessionLabel", + "key": "copyingBulkEdit", "comment": [ - "Placeholders stand for the session name and the session state. For example \"Launch Program\" and \"Running\"" + "Placeholder will be replaced by the number of files being copied" ] }, - "showMoreStackFrames", - "collapse" - ], - "vs/workbench/contrib/debug/browser/debugService": [ - "1activeSession", - "nActiveSessions", - "runTrust", - "debugTrust", { - "key": "compoundMustHaveConfigurations", + "key": "copyingFileBulkEdit", "comment": [ - "compound indicates a \"compounds\" configuration item", - "\"configurations\" is an attribute and should not be localized" + "Placeholder will be replaced by the name of the file copied." ] }, - "noConfigurationNameInWorkspace", - "multipleConfigurationNamesInWorkspace", - "noFolderWithName", - "configMissing", - "launchJsonDoesNotExist", - "debugRequestNotSupported", - "debugRequesMissing", - "debugTypeNotSupported", - "debugTypeMissing", { - "key": "installAdditionalDebuggers", + "key": "copyBulkEdit", "comment": [ - "Placeholder is the debug type, so for example \"node\", \"python\"" + "Placeholder will be replaced by the number of files being copied" ] }, - "noFolderWorkspaceDebugError", - "multipleSession", - "debugAdapterCrash", - "cancel", { - "key": "debuggingPaused", + "key": "copyFileBulkEdit", "comment": [ - "First placeholder is the stack frame name, second is the line number, third placeholder is the reason why debugging is stopped, for example \"breakpoint\" and the last one is the file line content." + "Placeholder will be replaced by the name of the file copied." ] }, - "breakpointAdded", - "breakpointRemoved" - ], - "vs/workbench/contrib/debug/browser/debugStatus": [ - "status.debug", - "debugTarget", - "selectAndStartDebug" - ], - "vs/workbench/contrib/debug/browser/debugToolBar": [ - "notebook.moreRunActionsLabel", - "stepBackDebug", - "reverseContinue" + "fileDeleted" ], - "vs/workbench/contrib/debug/browser/loadedScriptsView": [ - "loadedScriptsSession", - { - "comment": [ - "Debug is a noun in this context, not a verb." - ], - "key": "loadedScriptsAriaLabel" - }, - "loadedScriptsRootFolderAriaLabel", - "loadedScriptsSessionAriaLabel", - "loadedScriptsFolderAriaLabel", - "loadedScriptsSourceAriaLabel" + "vs/workbench/contrib/testing/browser/testingConfigurationUi": [ + "testConfigurationUi.pick", + "updateTestConfiguration" ], - "vs/workbench/contrib/debug/browser/variablesView": [ - "variableValueAriaLabel", - "variablesAriaTreeLabel", - "variableScopeAriaLabel", - { - "key": "variableAriaLabel", - "comment": [ - "Placeholders are variable name and variable value respectivly. They should not be translated." - ] - }, - "viewMemory.prompt", - "cancel", - "install", - "viewMemory.install.progress", - "collapse" + "vs/workbench/contrib/files/browser/editors/binaryFileEditor": [ + "binaryFileEditor" ], - "vs/workbench/contrib/debug/browser/statusbarColorProvider": [ - "statusBarDebuggingBackground", - "statusBarDebuggingForeground", - "statusBarDebuggingBorder" + "vs/workbench/contrib/testing/browser/testExplorerActions": [ + "hideTest", + "unhideTest", + "unhideAllTests", + "debug test", + "testing.runUsing", + "run test", + "testing.selectDefaultTestProfiles", + "testing.configureProfile", + "configureProfile", + "runSelectedTests", + "debugSelectedTests", + "discoveringTests", + "runAllTests", + "noTestProvider", + "debugAllTests", + "noDebugTestProvider", + "testing.cancelRun", + "testing.viewAsList", + "testing.viewAsTree", + "testing.sortByStatus", + "testing.sortByLocation", + "testing.sortByDuration", + "testing.showMostRecentOutput", + "testing.collapseAll", + "testing.clearResults", + "testing.editFocusedTest", + "testing.runAtCursor", + "testing.debugAtCursor", + "testing.runCurrentFile", + "testing.debugCurrentFile", + "testing.reRunFailTests", + "testing.debugFailTests", + "testing.reRunLastRun", + "testing.debugLastRun", + "testing.searchForTestExtension", + "testing.openOutputPeek", + "testing.toggleInlineTestOutput", + "testing.refreshTests", + "testing.cancelTestRefresh" ], - "vs/workbench/contrib/debug/browser/debugCommands": [ - "restartDebug", - "stepOverDebug", - "stepIntoDebug", - "stepOutDebug", - "pauseDebug", - "disconnect", - "disconnectSuspend", - "stop", - "continueDebug", - "focusSession", - "selectAndStartDebugging", - "openLaunchJson", - "startDebug", - "startWithoutDebugging", - "chooseLocation", - "noExecutableCode", - "jumpToCursor", - "debug", - "addInlineBreakpoint", - "debug" + "vs/workbench/contrib/files/browser/workspaceWatcher": [ + "enospcError", + "learnMore", + "eshutdownError", + "reload" ], - "vs/workbench/contrib/debug/common/debugContentProvider": [ - "unable", - "canNotResolveSourceWithError", - "canNotResolveSource" + "vs/workbench/contrib/files/common/dirtyFilesIndicator": [ + "dirtyFile", + "dirtyFiles" ], - "vs/workbench/contrib/debug/browser/debugEditorActions": [ - "toggleBreakpointAction", - { - "key": "miToggleBreakpoint", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "conditionalBreakpointEditorAction", - { - "key": "miConditionalBreakpoint", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "logPointEditorAction", - { - "key": "miLogPoint", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "openDisassemblyView", - { - "key": "miDisassemblyView", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "toggleDisassemblyViewSourceCode", + "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": [ + "userGuide", + "staleSaveError", + "readonlySaveErrorAdmin", + "readonlySaveErrorSudo", + "readonlySaveError", + "permissionDeniedSaveError", + "permissionDeniedSaveErrorSudo", { - "key": "mitogglesource", + "key": "genericSaveError", "comment": [ - "&& denotes a mnemonic" + "{0} is the resource that failed to save and {1} the error message" ] }, - "runToCursor", - "evaluateInDebugConsole", - "addToWatch", - "showDebugHover", - { - "key": "stepIntoTargets", - "comment": [ - "Step Into Targets lets the user step into an exact function he or she is interested in." - ] - }, - "goToNextBreakpoint", - "goToPreviousBreakpoint", - "closeExceptionWidget" + "learnMore", + "dontShowAgain", + "compareChanges", + "saveConflictDiffLabel", + "overwriteElevated", + "overwriteElevatedSudo", + "saveElevated", + "saveElevatedSudo", + "retry", + "discard", + "overwrite", + "overwrite", + "configure" ], - "vs/workbench/contrib/debug/browser/watchExpressionsView": [ - "typeNewValue", - "watchExpressionInputAriaLabel", - "watchExpressionPlaceholder", - { - "comment": [ - "Debug is a noun in this context, not a verb." - ], - "key": "watchAriaTreeLabel" - }, - "watchExpressionAriaLabel", - "watchVariableAriaLabel", - "collapse", - "addWatchExpression", - "removeAllWatchExpressions" + "vs/editor/contrib/quickAccess/browser/gotoLineQuickAccess": [ + "cannotRunGotoLine", + "gotoLineColumnLabel", + "gotoLineLabel", + "gotoLineLabelEmptyWithLimit", + "gotoLineLabelEmpty" ], - "vs/workbench/contrib/debug/browser/debugQuickAccess": [ - "noDebugResults", - "customizeLaunchConfig", - { - "key": "contributed", - "comment": [ - "contributed is lower case because it looks better like that in UI. Nothing preceeds it. It is a name of the grouping of debug configurations." - ] - }, - "removeLaunchConfig", - { - "key": "providerAriaLabel", - "comment": [ - "Placeholder stands for the provider label. For example \"NodeJS\"." - ] - }, - "configure", - "addConfigTo", - "addConfiguration" + "vs/editor/common/config/editorConfigurationSchema": [ + "editorConfigurationTitle", + "tabSize", + "insertSpaces", + "detectIndentation", + "trimAutoWhitespace", + "largeFileOptimizations", + "wordBasedSuggestions", + "wordBasedSuggestionsMode.currentDocument", + "wordBasedSuggestionsMode.matchingDocuments", + "wordBasedSuggestionsMode.allDocuments", + "wordBasedSuggestionsMode", + "semanticHighlighting.true", + "semanticHighlighting.false", + "semanticHighlighting.configuredByTheme", + "semanticHighlighting.enabled", + "stablePeek", + "maxTokenizationLineLength", + "schema.brackets", + "schema.openBracket", + "schema.closeBracket", + "schema.colorizedBracketPairs", + "schema.openBracket", + "schema.closeBracket", + "maxComputationTime", + "maxFileSize", + "sideBySide", + "renderMarginRevertIcon", + "ignoreTrimWhitespace", + "renderIndicators", + "codeLens", + "wordWrap.off", + "wordWrap.on", + "wordWrap.inherit" ], - "vs/workbench/contrib/debug/browser/welcomeView": [ - "run", - { - "key": "openAFileWhichCanBeDebugged", - "comment": [ - "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" - ] - }, - { - "key": "runAndDebugAction", - "comment": [ - "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" - ] - }, + "vs/workbench/contrib/search/browser/searchIcons": [ + "searchDetailsIcon", + "searchShowContextIcon", + "searchHideReplaceIcon", + "searchShowReplaceIcon", + "searchReplaceAllIcon", + "searchReplaceIcon", + "searchRemoveIcon", + "searchRefreshIcon", + "searchCollapseAllIcon", + "searchExpandAllIcon", + "searchClearIcon", + "searchStopIcon", + "searchViewIcon", + "searchNewEditorIcon" + ], + "vs/workbench/contrib/search/browser/anythingQuickAccess": [ + "noAnythingResults", + "recentlyOpenedSeparator", + "fileAndSymbolResultsSeparator", + "fileResultsSeparator", + "filePickAriaLabelDirty", { - "key": "detectThenRunAndDebug", + "key": "openToSide", "comment": [ - "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" + "Open this file in a split editor on the left/right side" ] }, { - "key": "customizeRunAndDebug", + "key": "openToBottom", "comment": [ - "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" + "Open this file in a split editor on the bottom" ] }, + "closeEditor" + ], + "vs/workbench/contrib/search/browser/symbolsQuickAccess": [ + "noSymbolResults", + "openToSide", + "openToBottom" + ], + "vs/workbench/contrib/search/browser/searchWidget": [ + "search.action.replaceAll.disabled.label", + "search.action.replaceAll.enabled.label", + "search.replace.toggle.button.title", + "label.Search", + "search.placeHolder", + "showContext", + "label.Replace", + "search.replace.placeHolder" + ], + "vs/workbench/contrib/search/browser/searchActions": [ + "replaceInFiles", + "toggleTabs", + "FocusNextSearchResult.label", + "FocusPreviousSearchResult.label", + "RemoveAction.label", + "file.replaceAll.label", + "file.replaceAll.label", + "match.replace.label" + ], + "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": [ + "empty", + "gotoSymbol", { - "key": "customizeRunAndDebugOpenFolder", + "key": "miGotoSymbolInEditor", "comment": [ - "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" + "&& denotes a mnemonic" ] }, - "allDebuggersDisabled" - ], - "vs/workbench/contrib/debug/common/debugLifecycle": [ - "debug.debugSessionCloseConfirmationSingular", - "debug.debugSessionCloseConfirmationPlural", - "debug.stop" - ], - "vs/workbench/contrib/debug/browser/disassemblyView": [ - "instructionNotAvailable", - "disassemblyTableColumnLabel", - "editorOpenedFromDisassemblyDescription", - "disassemblyView", - "instructionAddress", - "instructionBytes", - "instructionText" + "gotoSymbolQuickAccessPlaceholder", + "gotoSymbolQuickAccess", + "gotoSymbolByCategoryQuickAccess" ], - "vs/workbench/contrib/debug/common/disassemblyViewInput": [ - "disassemblyInputName" + "vs/workbench/services/search/common/queryBuilder": [ + "search.noWorkspaceWithName" ], - "vs/workbench/contrib/debug/common/debugModel": [ - "invalidVariableAttributes", - "startDebugFirst", - "notAvailable", + "vs/workbench/contrib/scm/browser/dirtydiffDecorator": [ + "changes", + "change", + "label.close", + "show previous change", + "show next change", { - "key": "pausedOn", + "key": "miGotoNextChange", "comment": [ - "indicates reason for program being paused" + "&& denotes a mnemonic" ] }, - "paused", { - "key": "running", + "key": "miGotoPreviousChange", "comment": [ - "indicates state" + "&& denotes a mnemonic" ] }, - "breakpointDirtydHover" + "move to previous change", + "move to next change", + "editorGutterModifiedBackground", + "editorGutterAddedBackground", + "editorGutterDeletedBackground", + "minimapGutterModifiedBackground", + "minimapGutterAddedBackground", + "minimapGutterDeletedBackground", + "overviewRulerModifiedForeground", + "overviewRulerAddedForeground", + "overviewRulerDeletedForeground" ], - "vs/workbench/contrib/debug/browser/exceptionWidget": [ - "debugExceptionWidgetBorder", - "debugExceptionWidgetBackground", - "exceptionThrownWithId", - "exceptionThrown", - "close" + "vs/workbench/contrib/scm/browser/scmViewPaneContainer": [ + "source control" ], - "vs/workbench/contrib/debug/browser/debugColors": [ - "debugToolBarBackground", - "debugToolBarBorder", - "debugIcon.startForeground", - "debugIcon.pauseForeground", - "debugIcon.stopForeground", - "debugIcon.disconnectForeground", - "debugIcon.restartForeground", - "debugIcon.stepOverForeground", - "debugIcon.stepIntoForeground", - "debugIcon.stepOutForeground", - "debugIcon.continueForeground", - "debugIcon.stepBackForeground" + "vs/workbench/contrib/scm/browser/activity": [ + "status.scm", + "scmPendingChangesBadge" ], - "vs/platform/history/browser/contextScopedHistoryWidget": [ - "suggestWidgetVisible" + "vs/workbench/contrib/workspace/common/workspace": [ + "workspaceTrustEnabledCtx", + "workspaceTrustedCtx" ], - "vs/workbench/contrib/debug/browser/linkDetector": [ - "followForwardedLink", - "followLink", - "fileLinkMac", - "fileLink" + "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": [ + "scm" ], - "vs/workbench/contrib/debug/browser/debugActionViewItems": [ - "debugLaunchConfigurations", - "noConfigurations", - "addConfigTo", - "addConfiguration", - "debugSession" + "vs/platform/actions/browser/menuEntryActionViewItem": [ + "titleAndKb", + "titleAndKb", + "titleAndKbAndAlt" ], - "vs/workbench/contrib/debug/browser/replViewer": [ - "debugConsole", - "replVariableAriaLabel", + "vs/workbench/contrib/scm/browser/scmViewPane": [ + "scm", + "input", + "sortAction", + "repositories", + "setListViewMode", + "setTreeViewMode", + "repositorySortByDiscoveryTime", + "repositorySortByName", + "repositorySortByPath", + "sortChangesByName", + "sortChangesByPath", + "sortChangesByStatus", + "collapse all", + "expand all", + "scm.providerBorder" + ], + "vs/workbench/browser/parts/views/viewPane": [ + "viewPaneContainerExpandedIcon", + "viewPaneContainerCollapsedIcon", + "viewToolbarAriaLabel" + ], + "vs/workbench/contrib/search/browser/searchMessage": [ + "unable to open trust", + "unable to open" + ], + "vs/workbench/contrib/search/browser/patternInputWidget": [ + "defaultLabel", + "onlySearchInOpenEditors", + "useExcludesAndIgnoreFilesDescription" + ], + "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindWidget": [ + "ariaSearchNoResultEmpty", + "ariaSearchNoResult", + "ariaSearchNoResultWithLineNumNoCurrentMatch" + ], + "vs/workbench/contrib/search/browser/searchResultsView": [ + "searchFolderMatch.other.label", + "searchFileMatches", + "searchFileMatch", + "searchMatches", + "searchMatch", + "lineNumStr", + "numLinesStr", + "search", + "folderMatchAriaLabel", + "otherFilesAriaLabel", + "fileMatchAriaLabel", + "replacePreviewResultAria", + "searchResultAria" + ], + "vs/workbench/contrib/debug/browser/callStackView": [ { - "key": "occurred", + "key": "running", "comment": [ - "Front will the value of the debug console element. Placeholder will be replaced by a number which represents occurrance count." + "indicates state" ] }, - "replRawObjectAriaLabel", - "replGroup" - ], - "vs/workbench/contrib/debug/browser/debugHover": [ + "showMoreStackFrames2", { - "key": "quickTip", + "key": "session", "comment": [ - "\"switch to editor language hover\" means to show the programming language hover widget instead of the debug hover" + "Session is a noun" ] }, - "treeAriaLabel", { - "key": "variableAriaLabel", + "key": "running", "comment": [ - "Do not translate placeholders. Placeholders are name and value of a variable." + "indicates state" ] - } - ], - "vs/workbench/contrib/debug/browser/replFilter": [ - "showing filtered repl lines" - ], - "vs/workbench/contrib/debug/common/replModel": [ - "consoleCleared" - ], - "vs/workbench/contrib/comments/browser/commentsEditorContribution": [ - "hasCommentingRange", - "pickCommentService", - "nextCommentThreadAction", - "previousCommentThreadAction", - "comments.addCommand" - ], - "vs/workbench/contrib/url/browser/trustedDomains": [ - "trustedDomain.manageTrustedDomain", - "trustedDomain.trustDomain", - "trustedDomain.trustAllPorts", - "trustedDomain.trustSubDomain", - "trustedDomain.trustAllDomains", - "trustedDomain.manageTrustedDomains" - ], - "vs/workbench/contrib/markers/browser/markersView": [ - "No problems filtered", - "problems filtered", - "clearFilter" - ], - "vs/workbench/contrib/url/browser/trustedDomainsValidator": [ - "openExternalLinkAt", - "open", - "copy", - "cancel", - "configureTrustedDomains" - ], - "vs/workbench/contrib/markers/browser/markersFileDecorations": [ - "label", - "tooltip.1", - "tooltip.N", - "markers.showOnFile" - ], - "vs/workbench/contrib/mergeEditor/browser/mergeEditorInput": [ - "name" - ], - "vs/workbench/contrib/markers/browser/messages": [ - "problems.view.toggle.label", - "problems.view.focus.label", - "problems.panel.configuration.title", - "problems.panel.configuration.autoreveal", - "problems.panel.configuration.viewMode", - "problems.panel.configuration.showCurrentInStatus", - "problems.panel.configuration.compareOrder", - "problems.panel.configuration.compareOrder.severity", - "problems.panel.configuration.compareOrder.position", - "markers.panel.title.problems", - "markers.panel.no.problems.build", - "markers.panel.no.problems.activeFile.build", - "markers.panel.no.problems.filters", - "markers.panel.action.moreFilters", - "markers.panel.filter.showErrors", - "markers.panel.filter.showWarnings", - "markers.panel.filter.showInfos", - "markers.panel.filter.useFilesExclude", - "markers.panel.filter.activeFile", - "markers.panel.action.filter", - "markers.panel.action.quickfix", - "markers.panel.filter.ariaLabel", - "markers.panel.filter.placeholder", - "markers.panel.filter.errors", - "markers.panel.filter.warnings", - "markers.panel.filter.infos", - "markers.panel.single.error.label", - "markers.panel.multiple.errors.label", - "markers.panel.single.warning.label", - "markers.panel.multiple.warnings.label", - "markers.panel.single.info.label", - "markers.panel.multiple.infos.label", - "markers.panel.single.unknown.label", - "markers.panel.multiple.unknowns.label", - "markers.panel.at.ln.col.number", - "problems.tree.aria.label.resource", - "problems.tree.aria.label.marker.relatedInformation", - "problems.tree.aria.label.error.marker", - "problems.tree.aria.label.error.marker.nosource", - "problems.tree.aria.label.warning.marker", - "problems.tree.aria.label.warning.marker.nosource", - "problems.tree.aria.label.info.marker", - "problems.tree.aria.label.info.marker.nosource", - "problems.tree.aria.label.marker", - "problems.tree.aria.label.marker.nosource", - "problems.tree.aria.label.relatedinfo.message", - "errors.warnings.show.label" - ], - "vs/workbench/contrib/mergeEditor/browser/mergeEditor": [ - "yours", - "theirs", - "result" - ], - "vs/workbench/contrib/externalUriOpener/common/externalUriOpenerService": [ - "selectOpenerDefaultLabel.web", - "selectOpenerDefaultLabel", - "selectOpenerConfigureTitle", - "selectOpenerPlaceHolder" - ], - "vs/workbench/contrib/externalUriOpener/common/configuration": [ - "externalUriOpeners", - "externalUriOpeners.uri", - "externalUriOpeners.uri", - "externalUriOpeners.defaultId" - ], - "vs/workbench/contrib/webviewPanel/browser/webviewCommands": [ - "editor.action.webvieweditor.showFind", - "editor.action.webvieweditor.hideFind", - "editor.action.webvieweditor.findNext", - "editor.action.webvieweditor.findPrevious", - "refreshWebviewLabel" - ], - "vs/base/browser/ui/actionbar/actionViewItems": [ + }, + "restartFrame", + "loadAllStackFrames", + "showMoreAndOrigin", + "showMoreStackFrames", { - "key": "titleLabel", + "key": "pausedOn", "comment": [ - "action title", - "action keybinding" + "indicates reason for program being paused" ] - } - ], - "vs/workbench/contrib/output/browser/logViewer": [ - "logViewerAriaLabel" - ], - "vs/workbench/contrib/customEditor/common/customEditor": [ - "context.customEditor" - ], - "vs/platform/dnd/browser/dnd": [ - "fileTooLarge" - ], - "vs/workbench/contrib/extensions/common/extensionsInput": [ - "extensionsInputName" + }, + "paused", + { + "comment": [ + "Debug is a noun in this context, not a verb." + ], + "key": "callStackAriaLabel" + }, + { + "key": "threadAriaLabel", + "comment": [ + "Placeholders stand for the thread name and the thread state.For example \"Thread 1\" and \"Stopped" + ] + }, + "stackFrameAriaLabel", + { + "key": "running", + "comment": [ + "indicates state" + ] + }, + { + "key": "sessionLabel", + "comment": [ + "Placeholders stand for the session name and the session state. For example \"Launch Program\" and \"Running\"" + ] + }, + "showMoreStackFrames", + "collapse" ], - "vs/workbench/contrib/extensions/browser/extensionsViews": [ - "extension.arialabel", - "extensions", - "offline error", - "error", - "no extensions found", - "suggestProxyError", - "open user settings", - "no local extensions" + "vs/workbench/contrib/debug/browser/breakpointsView": [ + "unverifiedExceptionBreakpoint", + "expressionCondition", + "expressionAndHitCount", + "functionBreakpointsNotSupported", + "dataBreakpointsNotSupported", + "read", + "write", + "access", + "functionBreakpointPlaceholder", + "functionBreakPointInputAriaLabel", + "functionBreakpointExpressionPlaceholder", + "functionBreakPointExpresionAriaLabel", + "functionBreakpointHitCountPlaceholder", + "functionBreakPointHitCountAriaLabel", + "exceptionBreakpointAriaLabel", + "exceptionBreakpointPlaceholder", + "breakpoints", + "disabledLogpoint", + "disabledBreakpoint", + "unverifiedLogpoint", + "unverifiedBreakpoint", + "dataBreakpointUnsupported", + "dataBreakpoint", + "functionBreakpointUnsupported", + "functionBreakpoint", + "expression", + "hitCount", + "instructionBreakpointUnsupported", + "instructionBreakpointAtAddress", + "instructionBreakpoint", + "hitCount", + "breakpointUnsupported", + "logMessage", + "expression", + "hitCount", + "breakpoint", + "addFunctionBreakpoint", + { + "key": "miFunctionBreakpoint", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "activateBreakpoints", + "removeBreakpoint", + "removeAllBreakpoints", + { + "key": "miRemoveAllBreakpoints", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "enableAllBreakpoints", + { + "key": "miEnableAllBreakpoints", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "disableAllBreakpoints", + { + "key": "miDisableAllBreakpoints", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "reapplyAllBreakpoints", + "editCondition", + "editCondition", + "editHitCount", + "editBreakpoint", + "editHitCount" ], - "vs/workbench/contrib/extensions/browser/extensionsActions": [ - "VS Code for Web", - "cannot be installed", - "close", - "more information", - "update operation", - "install operation", - "install release version message", - "install release version", - "check logs", - "download", - "install vsix", - "installVSIX", - "install", - "deprecated message", - "install anyway", + "vs/workbench/contrib/debug/browser/debugToolBar": [ + "notebook.moreRunActionsLabel", + "stepBackDebug", + "reverseContinue" + ], + "vs/workbench/contrib/debug/browser/statusbarColorProvider": [ + "statusBarDebuggingBackground", + "statusBarDebuggingForeground", + "statusBarDebuggingBorder" + ], + "vs/workbench/contrib/debug/browser/debugService": [ + "1activeSession", + "nActiveSessions", + "runTrust", + "debugTrust", + { + "key": "compoundMustHaveConfigurations", + "comment": [ + "compound indicates a \"compounds\" configuration item", + "\"configurations\" is an attribute and should not be localized" + ] + }, + "noConfigurationNameInWorkspace", + "multipleConfigurationNamesInWorkspace", + "noFolderWithName", + "configMissing", + "launchJsonDoesNotExist", + "debugRequestNotSupported", + "debugRequesMissing", + "debugTypeNotSupported", + "debugTypeMissing", + { + "key": "installAdditionalDebuggers", + "comment": [ + "Placeholder is the debug type, so for example \"node\", \"python\"" + ] + }, + "noFolderWorkspaceDebugError", + "multipleSession", + "debugAdapterCrash", "cancel", - "deprecated with alternate extension message", - "Show alternate extension", - "deprecated with alternate settings message", - "configure in settings", - "install confirmation", - "installExtensionStart", - "installExtensionComplete", - "install pre-release", - "install pre-release version", - "install", - "install release version", - "install", - "do no sync", { - "key": "install extension in remote and do not sync", + "key": "debuggingPaused", "comment": [ - "First placeholder is install action label.", - "Second placeholder is the name of the action to install an extension in remote server and do not sync it. Placeholder is for the name of remote server.", - "Third placeholder is do not sync label." + "First placeholder is the file line content, second placeholder is the reason why debugging is stopped, for example \"breakpoint\", third is the stack frame name, and last is the line number." ] }, + "breakpointAdded", + "breakpointRemoved" + ], + "vs/workbench/contrib/debug/browser/debugCommands": [ + "restartDebug", + "stepOverDebug", + "stepIntoDebug", + "stepIntoTargetDebug", + "stepOutDebug", + "pauseDebug", + "disconnect", + "disconnectSuspend", + "stop", + "continueDebug", + "focusSession", + "selectAndStartDebugging", + "openLaunchJson", + "startDebug", + "startWithoutDebugging", + "nextDebugConsole", + "prevDebugConsole", + "openLoadedScript", + "callStackTop", + "callStackBottom", + "callStackUp", + "callStackDown", + "selectDebugConsole", + "selectDebugSession", + "chooseLocation", + "noExecutableCode", + "jumpToCursor", + "debug", + "editor.debug.action.stepIntoTargets.none", + "addInlineBreakpoint", + "debug" + ], + "vs/workbench/contrib/debug/browser/debugStatus": [ + "status.debug", + "debugTarget", + "selectAndStartDebug" + ], + "vs/workbench/contrib/debug/browser/watchExpressionsView": [ + "typeNewValue", + "watchExpressionInputAriaLabel", + "watchExpressionPlaceholder", { - "key": "install extension in remote", "comment": [ - "First placeholder is install action label.", - "Second placeholder is the name of the action to install an extension in remote server and do not sync it. Placeholder is for the name of remote server." + "Debug is a noun in this context, not a verb." + ], + "key": "watchAriaTreeLabel" + }, + "watchExpressionAriaLabel", + "watchVariableAriaLabel", + "collapse", + "addWatchExpression", + "removeAllWatchExpressions" + ], + "vs/workbench/contrib/debug/browser/loadedScriptsView": [ + "loadedScriptsSession", + { + "comment": [ + "Debug is a noun in this context, not a verb." + ], + "key": "loadedScriptsAriaLabel" + }, + "loadedScriptsRootFolderAriaLabel", + "loadedScriptsSessionAriaLabel", + "loadedScriptsFolderAriaLabel", + "loadedScriptsSourceAriaLabel" + ], + "vs/workbench/contrib/debug/browser/debugEditorActions": [ + "toggleBreakpointAction", + { + "key": "miToggleBreakpoint", + "comment": [ + "&& denotes a mnemonic" ] }, - "install extension locally and do not sync", - "install extension locally", + "conditionalBreakpointEditorAction", { - "key": "install everywhere tooltip", + "key": "miConditionalBreakpoint", "comment": [ - "Placeholder is the name of the product. Eg: Visual Studio Code or Visual Studio Code - Insiders" + "&& denotes a mnemonic" ] }, - "installing", - "install", - "installing", - "installExtensionStart", + "logPointEditorAction", { - "key": "install in remote", + "key": "miLogPoint", "comment": [ - "This is the name of the action to install an extension in remote server. Placeholder is for the name of remote server." + "&& denotes a mnemonic" ] }, - "install locally", - "install browser", - "uninstallAction", - "Uninstalling", - "uninstallExtensionStart", - "uninstallExtensionComplete", - "updateExtensionStart", - "updateExtensionComplete", - "updateAction", - "updateToTargetPlatformVersion", - "updateToLatestVersion", - "migrateExtension", - "migrate to", - "migrate", - "sponsor", - "manage", - "ManageExtensionAction.uninstallingTooltip", - "manage", - "switch to pre-release version", - "switch to pre-release version tooltip", - "switch to release version", - "switch to release version tooltip", - "install another version", - "no versions", - "pre-release", - "current", - "selectVersion", - "enableForWorkspaceAction", - "enableForWorkspaceActionToolTip", - "enableGloballyAction", - "enableGloballyActionToolTip", - "disableForWorkspaceAction", - "disableForWorkspaceActionToolTip", - "disableGloballyAction", - "disableGloballyActionToolTip", - "enableAction", - "disableAction", - "reloadAction", - "reloadRequired", - "postUninstallTooltip", - "uninstallExtensionComplete", - "reloadRequired", - "postUpdateTooltip", - "reloadRequired", - "enable locally", - "reloadRequired", - "enable remote", - "reloadRequired", - "postEnableTooltip", - "reloadRequired", - "postEnableTooltip", - "reloadRequired", - "postDisableTooltip", - "reloadRequired", - "postEnableTooltip", - "reloadRequired", - "postEnableTooltip", - "installExtensionCompletedAndReloadRequired", - "current", - "workbench.extensions.action.setColorTheme", - "select color theme", - "workbench.extensions.action.setFileIconTheme", - "select file icon theme", - "workbench.extensions.action.setProductIconTheme", - "select product icon theme", - "showRecommendedExtension", - "installRecommendedExtension", - "ignoreExtensionRecommendation", - "undo", - "search recommendations", - "OpenExtensionsFile.failed", - "configureWorkspaceRecommendedExtensions", - "configureWorkspaceFolderRecommendedExtensions", - "updated", - "installed", - "uninstalled", - "enabled", - "disabled", - "ignored", - "synced", - "sync", - "do not sync", - "malicious tooltip", - "deprecated with alternate extension tooltip", - "settings", - "deprecated with alternate settings tooltip", - "deprecated tooltip", - "incompatible platform", - "learn more", - "VS Code for Web", - "not web tooltip", - "learn why", - "disabled by environment", - "enabled by environment", - "disabled because of virtual workspace", - "extension limited because of virtual workspace", - "extension disabled because of trust requirement", - "extension limited because of trust requirement", - "Install in remote server to enable", - "learn more", - "Install in local server to enable", - "learn more", - "Defined to run in desktop", - "learn more", - "Cannot be enabled", - "learn more", - "Install language pack also in remote server", - "Install language pack also locally", - "enabled remotely", - "learn more", - "enabled locally", - "learn more", - "enabled in web worker", - "learn more", - "extension disabled because of dependency", - "extension enabled on remote", - "globally enabled", - "workspace enabled", - "globally disabled", - "workspace disabled", - "reinstall", - "selectExtensionToReinstall", - "ReinstallAction.successReload", - "ReinstallAction.success", - "InstallVSIXAction.reloadNow", - "install previous version", - "selectExtension", - "select extensions to install", - "no local extensions", - "installing extensions", - "finished installing", - "select and install local extensions", - "install local extensions title", - "select and install remote extensions", - "install remote extensions", - "extensionButtonProminentBackground", - "extensionButtonProminentForeground", - "extensionButtonProminentHoverBackground", - "extensionSponsorButton.background", - "extensionSponsorButton.hoverBackground" + "openDisassemblyView", + { + "key": "miDisassemblyView", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "toggleDisassemblyViewSourceCode", + { + "key": "mitogglesource", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "runToCursor", + "evaluateInDebugConsole", + "addToWatch", + "showDebugHover", + "editor.debug.action.stepIntoTargets.notAvailable", + { + "key": "stepIntoTargets", + "comment": [ + "Step Into Targets lets the user step into an exact function he or she is interested in." + ] + }, + "goToNextBreakpoint", + "goToPreviousBreakpoint", + "closeExceptionWidget" ], - "vs/workbench/contrib/extensions/common/extensionsUtils": [ - "disableOtherKeymapsConfirmation", - "yes", - "no" + "vs/workbench/contrib/debug/common/debugContentProvider": [ + "unable", + "canNotResolveSourceWithError", + "canNotResolveSource" ], - "vs/workbench/contrib/extensions/browser/extensionsIcons": [ - "extensionsViewIcon", - "manageExtensionIcon", - "clearSearchResultsIcon", - "refreshIcon", - "filterIcon", - "installLocalInRemoteIcon", - "installWorkspaceRecommendedIcon", - "configureRecommendedIcon", - "syncEnabledIcon", - "syncIgnoredIcon", - "remoteIcon", - "installCountIcon", - "ratingIcon", - "verifiedPublisher", - "preReleaseIcon", - "sponsorIcon", - "starFullIcon", - "starHalfIcon", - "starEmptyIcon", - "errorIcon", - "warningIcon", - "infoIcon", - "trustIcon", - "activationtimeIcon" + "vs/workbench/contrib/debug/browser/variablesView": [ + "variableValueAriaLabel", + "variablesAriaTreeLabel", + "variableScopeAriaLabel", + { + "key": "variableAriaLabel", + "comment": [ + "Placeholders are variable name and variable value respectivly. They should not be translated." + ] + }, + "viewMemory.prompt", + "cancel", + "install", + "viewMemory.install.progress", + "collapse" ], - "vs/workbench/contrib/extensions/browser/extensionEditor": [ - "extension version", - "preRelease", - "name", - "preview", - "preview", - "builtin", - "publisher", - "install count", - "rating", - "publisher verified tooltip", - "details", - "detailstooltip", - "contributions", - "contributionstooltip", - "changelog", - "changelogtooltip", - "dependencies", - "dependenciestooltip", - "extensionpack", - "extensionpacktooltip", - "runtimeStatus", - "runtimeStatus description", - "recommendationHasBeenIgnored", - "noReadme", - "extension pack", - "noReadme", - "categories", - "Marketplace", - "repository", - "license", - "resources", - "Marketplace Info", - "release date", - "last updated", - "id", - "noChangelog", - "noContributions", - "noContributions", - "noDependencies", - "activation", - "startup", - "not yet activated", - "uncaught errors", - "messages", - "noStatus", - "settings", - "setting name", - "description", - "default", - "debuggers", - "debugger name", - "debugger type", - "viewContainers", - "view container id", - "view container title", - "view container location", - "views", - "view id", - "view name", - "view location", - "localizations", - "localizations language id", - "localizations language name", - "localizations localized language name", - "customEditors", - "customEditors view type", - "customEditors priority", - "customEditors filenamePattern", - "codeActions", - "codeActions.title", - "codeActions.kind", - "codeActions.description", - "codeActions.languages", - "authentication", - "authentication.label", - "authentication.id", - "colorThemes", - "iconThemes", - "productThemes", - "colors", - "colorId", - "description", - "defaultDark", - "defaultLight", - "defaultHC", - "JSON Validation", - "fileMatch", - "schema", - "commands", - "command name", - "description", - "keyboard shortcuts", - "menuContexts", - "languages", - "language id", - "language name", - "file extensions", - "grammar", - "snippets", - "activation events", - "Notebooks", - "Notebook id", - "Notebook name", - "NotebookRenderers", - "Notebook renderer name", - "Notebook mimetypes", - "find", - "find next", - "find previous" - ], - "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": [ - "extensions", - "auto install missing deps", - "finished installing missing deps", - "reload", - "no missing deps" - ], - "vs/workbench/contrib/extensions/common/extensionsFileTemplate": [ - "app.extensions.json.title", - "app.extensions.json.recommendations", - "app.extension.identifier.errorMessage", - "app.extensions.json.unwantedRecommendations", - "app.extension.identifier.errorMessage" - ], - "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": [ - "activation" - ], - "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": [ - "type", - "searchFor", - "install", - "manage" - ], - "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": [ - "neverShowAgain", - "ignoreExtensionRecommendations", - "ignoreAll", - "no", - "singleExtensionRecommended", - "workspaceRecommended", - "install", - "install and do no sync", - "show recommendations" - ], - "vs/workbench/contrib/extensions/browser/extensionsCompletionItemsProvider": [ - "exampleExtension" + "vs/workbench/contrib/debug/common/disassemblyViewInput": [ + "disassemblyInputName" ], - "vs/workbench/contrib/terminal/common/terminalColorRegistry": [ - "terminal.background", - "terminal.foreground", - "terminalCursor.foreground", - "terminalCursor.background", - "terminal.selectionBackground", - "terminal.selectionForeground", - "terminalCommandDecoration.defaultBackground", - "terminalCommandDecoration.successBackground", - "terminalCommandDecoration.errorBackground", - "terminalOverviewRuler.cursorForeground", - "terminal.border", - "terminal.findMatchBackground", - "terminal.findMatchBorder", - "terminal.findMatchHighlightBackground", - "terminal.findMatchHighlightBorder", - "terminalOverviewRuler.findMatchHighlightForeground", - "terminal.dragAndDropBackground", - "terminal.tab.activeBorder", - "terminal.ansiColor" + "vs/workbench/contrib/debug/browser/debugQuickAccess": [ + "noDebugResults", + "customizeLaunchConfig", + { + "key": "contributed", + "comment": [ + "contributed is lower case because it looks better like that in UI. Nothing preceeds it. It is a name of the grouping of debug configurations." + ] + }, + "removeLaunchConfig", + { + "key": "providerAriaLabel", + "comment": [ + "Placeholder stands for the provider label. For example \"NodeJS\"." + ] + }, + "configure", + "addConfigTo", + "addConfiguration" ], - "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": [ + "vs/workbench/contrib/debug/browser/welcomeView": [ + "run", { - "key": "starActivation", + "key": "openAFileWhichCanBeDebugged", "comment": [ - "{0} will be an extension identifier" + "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" ] }, { - "key": "workspaceContainsGlobActivation", + "key": "runAndDebugAction", "comment": [ - "{0} will be a glob pattern", - "{1} will be an extension identifier" + "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" ] }, { - "key": "workspaceContainsFileActivation", + "key": "detectThenRunAndDebug", "comment": [ - "{0} will be a file name", - "{1} will be an extension identifier" + "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" ] }, { - "key": "workspaceContainsTimeout", + "key": "customizeRunAndDebug", "comment": [ - "{0} will be a glob pattern", - "{1} will be an extension identifier" + "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" ] }, { - "key": "startupFinishedActivation", + "key": "customizeRunAndDebugOpenFolder", "comment": [ - "This refers to an extension. {0} will be an activation event." + "Please do not translate the word \"commmand\", it is part of our internal syntax which must not change" ] }, - "languageActivation", + "allDebuggersDisabled" + ], + "vs/workbench/contrib/debug/common/debugLifecycle": [ + "debug.debugSessionCloseConfirmationSingular", + "debug.debugSessionCloseConfirmationPlural", + "debug.stop" + ], + "vs/workbench/contrib/debug/browser/debugConsoleQuickAccess": [ + "workbench.action.debug.startDebug" + ], + "vs/workbench/contrib/debug/browser/disassemblyView": [ + "instructionNotAvailable", + "disassemblyTableColumnLabel", + "editorOpenedFromDisassemblyDescription", + "disassemblyView", + "instructionAddress", + "instructionBytes", + "instructionText" + ], + "vs/workbench/contrib/debug/browser/debugHover": [ { - "key": "workspaceGenericActivation", + "key": "quickTip", "comment": [ - "{0} will be an activation event, like e.g. 'language:typescript', 'debug', etc.", - "{1} will be an extension identifier" + "\"switch to editor language hover\" means to show the programming language hover widget instead of the debug hover" ] }, - "unresponsive.title", - "errors", - "runtimeExtensions", - "copy id", - "disable workspace", - "disable", - "showRuntimeExtensions" + "treeAriaLabel", + { + "key": "variableAriaLabel", + "comment": [ + "Do not translate placeholders. Placeholders are name and value of a variable." + ] + } ], - "vs/workbench/contrib/terminal/common/terminalStrings": [ - "terminal", - "doNotShowAgain", - "currentSessionCategory", - "previousSessionCategory", - "workbench.action.terminal.focus", - "killTerminal", - "killTerminal.short", - "moveToEditor", - "workbench.action.terminal.moveToTerminalPanel", - "workbench.action.terminal.changeIcon", - "workbench.action.terminal.changeColor", - "splitTerminal", - "splitTerminal.short", - "unsplitTerminal", - "workbench.action.terminal.rename", - "workbench.action.terminal.sizeToContentWidthInstance" + "vs/workbench/contrib/debug/browser/exceptionWidget": [ + "debugExceptionWidgetBorder", + "debugExceptionWidgetBackground", + "exceptionThrownWithId", + "exceptionThrown", + "close" ], - "vs/workbench/contrib/terminal/browser/terminalTabbedView": [ - "moveTabsRight", - "moveTabsLeft", - "hideTabs" + "vs/workbench/contrib/searchEditor/browser/searchEditorInput": [ + "searchTitle.withQuery", + "searchTitle.withQuery", + "searchTitle" ], - "vs/workbench/contrib/terminal/browser/terminalActions": [ - "showTerminalTabs", - "workbench.action.terminal.newWorkspacePlaceholder", - "terminalLaunchHelp", - "workbench.action.terminal.newInActiveWorkspace", - "workbench.action.terminal.createTerminalEditor", - "workbench.action.terminal.createTerminalEditorSide", - "workbench.action.terminal.showTabs", - "workbench.action.terminal.focusPreviousPane", - "workbench.action.terminal.focusNextPane", - "workbench.action.terminal.runRecentCommand", - "workbench.action.terminal.goToRecentDirectory", - "workbench.action.terminal.resizePaneLeft", - "workbench.action.terminal.resizePaneRight", - "workbench.action.terminal.resizePaneUp", - "workbench.action.terminal.resizePaneDown", - "workbench.action.terminal.focus.tabsView", - "workbench.action.terminal.focusNext", - "workbench.action.terminal.focusPrevious", - "workbench.action.terminal.runSelectedText", - "workbench.action.terminal.runActiveFile", - "workbench.action.terminal.runActiveFile.noFile", - "workbench.action.terminal.scrollDown", - "workbench.action.terminal.scrollDownPage", - "workbench.action.terminal.scrollToBottom", - "workbench.action.terminal.scrollUp", - "workbench.action.terminal.scrollUpPage", - "workbench.action.terminal.scrollToTop", - "workbench.action.terminal.navigationModeExit", - "workbench.action.terminal.navigationModeFocusPrevious", - "workbench.action.terminal.navigationModeFocusNext", - "workbench.action.terminal.clearSelection", - "workbench.action.terminal.focusFind", - "workbench.action.terminal.hideFind", - "workbench.action.terminal.detachSession", - "workbench.action.terminal.attachToSession", - "noUnattachedTerminals", - "quickAccessTerminal", - "workbench.action.terminal.scrollToPreviousCommand", - "workbench.action.terminal.scrollToNextCommand", - "workbench.action.terminal.selectToPreviousCommand", - "workbench.action.terminal.selectToNextCommand", - "workbench.action.terminal.selectToPreviousLine", - "workbench.action.terminal.selectToNextLine", - "workbench.action.terminal.toggleEscapeSequenceLogging", - "workbench.action.terminal.sendSequence", - "workbench.action.terminal.newWithCwd", - "workbench.action.terminal.newWithCwd.cwd", - "workbench.action.terminal.renameWithArg", - "workbench.action.terminal.renameWithArg.name", - "workbench.action.terminal.renameWithArg.noName", - "workbench.action.terminal.toggleFindRegex", - "workbench.action.terminal.toggleFindWholeWord", - "workbench.action.terminal.toggleFindCaseSensitive", - "workbench.action.terminal.findNext", - "workbench.action.terminal.findPrevious", - "workbench.action.terminal.searchWorkspace", - "workbench.action.terminal.relaunch", - "workbench.action.terminal.showEnvironmentInformation", - "workbench.action.terminal.joinInstance", - "workbench.action.terminal.join", - "workbench.action.terminal.join.insufficientTerminals", - "workbench.action.terminal.join.onlySplits", - "workbench.action.terminal.splitInActiveWorkspace", - "workbench.action.terminal.selectAll", - "workbench.action.terminal.new", - "workbench.action.terminal.newWorkspacePlaceholder", - "workbench.action.terminal.kill", - "workbench.action.terminal.killAll", - "workbench.action.terminal.killEditor", - "workbench.action.terminal.clear", - "workbench.action.terminal.openDetectedLink", - "workbench.action.terminal.openLastUrlLink", - "workbench.action.terminal.openLastLocalFileLink", - "workbench.action.terminal.selectDefaultShell", - "workbench.action.terminal.openSettings", - "workbench.action.terminal.setFixedDimensions", - "workbench.action.terminal.sizeToContentWidth", - "workbench.action.terminal.clearCommandHistory", - "workbench.action.terminal.copySelection", - "workbench.action.terminal.copySelectionAsHtml", - "workbench.action.terminal.paste", - "workbench.action.terminal.pasteSelection", - "workbench.action.terminal.switchTerminal", - "emptyTerminalNameInfo", - "workbench.action.terminal.newWithProfile", - "workbench.action.terminal.newWithProfile.profileName", - "workbench.action.terminal.newWorkspacePlaceholder" - ], - "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": [ - "Manifest is not found", - "malicious", - "uninstallingExtension", - "not found", - "installing named extension", - "installing extension", - "disable all", - "singleDependentError", - "twoDependentsError", - "multipleDependentsError" - ], - "vs/workbench/contrib/remote/browser/remote": [ - "RemoteHelpInformationExtPoint", - "RemoteHelpInformationExtPoint.getStarted", - "RemoteHelpInformationExtPoint.documentation", - "RemoteHelpInformationExtPoint.feedback", - "RemoteHelpInformationExtPoint.issues", - "remote.help.getStarted", - "remote.help.documentation", - "remote.help.feedback", - "remote.help.issues", - "remote.help.report", - "pickRemoteExtension", - "remote.help", - "remotehelp", - "remote.explorer", - "remote.explorer", - "reconnectionWaitOne", - "reconnectionWaitMany", - "reconnectNow", - "reloadWindow", - "connectionLost", - "reconnectionRunning", - "reconnectionPermanentFailure", - "reloadWindow", - "cancel" - ], - "vs/workbench/contrib/remote/browser/tunnelFactory": [ - "tunnelPrivacy.private", - "tunnelPrivacy.public" + "vs/workbench/contrib/debug/browser/debugColors": [ + "debugToolBarBackground", + "debugToolBarBorder", + "debugIcon.startForeground", + "debugIcon.pauseForeground", + "debugIcon.stopForeground", + "debugIcon.disconnectForeground", + "debugIcon.restartForeground", + "debugIcon.stepOverForeground", + "debugIcon.stepIntoForeground", + "debugIcon.stepOutForeground", + "debugIcon.continueForeground", + "debugIcon.stepBackForeground" ], - "vs/workbench/contrib/terminal/browser/terminalMenus": [ - { - "key": "miNewTerminal", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "miSplitTerminal", - "comment": [ - "&& denotes a mnemonic" - ] - }, + "vs/workbench/contrib/debug/common/debugModel": [ + "invalidVariableAttributes", + "startDebugFirst", + "notAvailable", { - "key": "miRunActiveFile", + "key": "pausedOn", "comment": [ - "&& denotes a mnemonic" + "indicates reason for program being paused" ] }, + "paused", { - "key": "miRunSelectedText", + "key": "running", "comment": [ - "&& denotes a mnemonic" + "indicates state" ] }, - "workbench.action.terminal.new.short", - "workbench.action.terminal.copySelection.short", - "workbench.action.terminal.copySelectionAsHtml", - "workbench.action.terminal.paste.short", - "workbench.action.terminal.clear", - "workbench.action.terminal.showsTabs", - "workbench.action.terminal.selectAll", - "workbench.action.terminal.new.short", - "workbench.action.terminal.copySelection.short", - "workbench.action.terminal.copySelectionAsHtml", - "workbench.action.terminal.paste.short", - "workbench.action.terminal.clear", - "workbench.action.terminal.selectAll", - "workbench.action.terminal.newWithProfile.short", - "workbench.action.terminal.new.short", - "workbench.action.terminal.selectDefaultProfile", - "workbench.action.terminal.openSettings", - "workbench.action.terminal.switchTerminal", - "workbench.action.terminal.sizeToContentWidthInstance", - "workbench.action.terminal.renameInstance", - "workbench.action.terminal.changeIcon", - "workbench.action.terminal.changeColor", - "workbench.action.terminal.sizeToContentWidthInstance", - "workbench.action.terminal.joinInstance", - "defaultTerminalProfile", - "defaultTerminalProfile", - "defaultTerminalProfile", - "splitTerminal", - "terminal.new" + "breakpointDirtydHover" ], - "vs/workbench/contrib/terminal/browser/terminalTooltip": [ - "shellIntegration.enabled", - "shellIntegration.activationFailed" + "vs/workbench/contrib/debug/browser/debugIcons": [ + "debugConsoleViewIcon", + "runViewIcon", + "variablesViewIcon", + "watchViewIcon", + "callStackViewIcon", + "breakpointsViewIcon", + "loadedScriptsViewIcon", + "debugBreakpoint", + "debugBreakpointDisabled", + "debugBreakpointUnverified", + "debugBreakpointFunction", + "debugBreakpointFunctionDisabled", + "debugBreakpointFunctionUnverified", + "debugBreakpointConditional", + "debugBreakpointConditionalDisabled", + "debugBreakpointConditionalUnverified", + "debugBreakpointData", + "debugBreakpointDataDisabled", + "debugBreakpointDataUnverified", + "debugBreakpointLog", + "debugBreakpointLogDisabled", + "debugBreakpointLogUnverified", + "debugBreakpointHint", + "debugBreakpointUnsupported", + "debugStackframe", + "debugStackframeFocused", + "debugGripper", + "debugRestartFrame", + "debugStop", + "debugDisconnect", + "debugRestart", + "debugStepOver", + "debugStepInto", + "debugStepOut", + "debugStepBack", + "debugPause", + "debugContinue", + "debugReverseContinue", + "debugRun", + "debugStart", + "debugConfigure", + "debugConsole", + "debugRemoveConfig", + "debugCollapseAll", + "callstackViewSession", + "debugConsoleClearAll", + "watchExpressionsRemoveAll", + "watchExpressionRemove", + "watchExpressionsAdd", + "watchExpressionsAddFuncBreakpoint", + "breakpointsRemoveAll", + "breakpointsActivate", + "debugConsoleEvaluationInput", + "debugConsoleEvaluationPrompt", + "debugInspectMemory" ], - "vs/workbench/contrib/terminal/browser/terminalService": [ - "terminalService.terminalCloseConfirmationSingular", - "terminalService.terminalCloseConfirmationPlural", - "terminate", - "localTerminalVirtualWorkspace", - "localTerminalRemote" + "vs/workbench/contrib/searchEditor/browser/searchEditor": [ + "moreSearch", + "searchScope.includes", + "label.includes", + "searchScope.excludes", + "label.excludes", + "runSearch", + "searchResultItem", + "searchEditor", + "textInputBoxBorder" ], - "vs/workbench/contrib/remote/browser/remoteIndicator": [ - "remote.category", - "remote.showMenu", - "remote.close", - { - "key": "miCloseRemote", - "comment": [ - "&& denotes a mnemonic" - ] - }, - "remote.install", - "host.open", - "host.open", - "host.reconnecting", - "disconnectedFrom", - { - "key": "host.tooltip", - "comment": [ - "{0} is a remote host name, e.g. Dev Container" - ] - }, - { - "key": "workspace.tooltip", - "comment": [ - "{0} is a remote workspace name, e.g. GitHub" - ] - }, + "vs/workbench/contrib/preferences/browser/keybindingsEditor": [ + "recordKeysLabel", + "sortByPrecedeneLabel", + "SearchKeybindings.FullTextSearchPlaceholder", + "SearchKeybindings.KeybindingsSearchPlaceholder", + "clearInput", + "recording", + "command", + "keybinding", + "when", + "source", + "show sorted keybindings", + "show keybindings", + "changeLabel", + "addLabel", + "addLabel", + "editWhen", + "removeLabel", + "resetLabel", + "showSameKeybindings", + "copyLabel", + "copyCommandLabel", + "copyCommandTitleLabel", + "error", + "editKeybindingLabelWithKey", + "editKeybindingLabel", + "addKeybindingLabelWithKey", + "addKeybindingLabel", + "title", + "whenContextInputAriaLabel", + "keybindingsLabel", + "noKeybinding", + "noWhen" + ], + "vs/workbench/contrib/preferences/browser/preferencesActions": [ + "configureLanguageBasedSettings", + "languageDescriptionConfigured", + "pickLanguage" + ], + "vs/workbench/contrib/preferences/browser/settingsEditor2": [ + "SearchSettings.AriaLabel", + "clearInput", + "filterInput", + "noResults", + "clearSearchFilters", + "settings", + "settings require trust", + "noResults", + "oneResult", + "moreThanOneResult", + "turnOnSyncButton", + "lastSyncedLabel" + ], + "vs/workbench/contrib/debug/browser/breakpointWidget": [ + "breakpointWidgetLogMessagePlaceholder", + "breakpointWidgetHitCountPlaceholder", + "breakpointWidgetExpressionPlaceholder", + "expression", + "hitCount", + "logMessage", + "breakpointType" + ], + "vs/workbench/contrib/preferences/browser/preferencesIcons": [ + "settingsGroupExpandedIcon", + "settingsGroupCollapsedIcon", + "settingsScopeDropDownIcon", + "settingsMoreActionIcon", + "keybindingsRecordKeysIcon", + "keybindingsSortIcon", + "keybindingsEditIcon", + "keybindingsAddIcon", + "settingsEditIcon", + "settingsAddIcon", + "settingsRemoveIcon", + "preferencesDiscardIcon", + "preferencesClearInput", + "settingsFilter", + "preferencesOpenSettings" + ], + "vs/workbench/contrib/markers/browser/markersFileDecorations": [ + "label", + "tooltip.1", + "tooltip.N", + "markers.showOnFile" + ], + "vs/workbench/contrib/markers/browser/markersView": [ + "No problems filtered", + "problems filtered", + "clearFilter" + ], + "vs/workbench/contrib/preferences/common/preferencesContribution": [ + "splitSettingsEditorLabel", + "enableNaturalLanguageSettingsSearch", + "settingsSearchTocBehavior.hide", + "settingsSearchTocBehavior.filter", + "settingsSearchTocBehavior" + ], + "vs/workbench/contrib/debug/browser/debugActionViewItems": [ + "debugLaunchConfigurations", + "noConfigurations", + "addConfigTo", + "addConfiguration", + "debugSession" + ], + "vs/workbench/contrib/markers/browser/messages": [ + "problems.view.toggle.label", + "problems.view.focus.label", + "problems.panel.configuration.title", + "problems.panel.configuration.autoreveal", + "problems.panel.configuration.viewMode", + "problems.panel.configuration.showCurrentInStatus", + "problems.panel.configuration.compareOrder", + "problems.panel.configuration.compareOrder.severity", + "problems.panel.configuration.compareOrder.position", + "markers.panel.title.problems", + "markers.panel.no.problems.build", + "markers.panel.no.problems.activeFile.build", + "markers.panel.no.problems.filters", + "markers.panel.action.moreFilters", + "markers.panel.filter.showErrors", + "markers.panel.filter.showWarnings", + "markers.panel.filter.showInfos", + "markers.panel.filter.useFilesExclude", + "markers.panel.filter.activeFile", + "markers.panel.action.filter", + "markers.panel.action.quickfix", + "markers.panel.filter.ariaLabel", + "markers.panel.filter.placeholder", + "markers.panel.filter.errors", + "markers.panel.filter.warnings", + "markers.panel.filter.infos", + "markers.panel.single.error.label", + "markers.panel.multiple.errors.label", + "markers.panel.single.warning.label", + "markers.panel.multiple.warnings.label", + "markers.panel.single.info.label", + "markers.panel.multiple.infos.label", + "markers.panel.single.unknown.label", + "markers.panel.multiple.unknowns.label", + "markers.panel.at.ln.col.number", + "problems.tree.aria.label.resource", + "problems.tree.aria.label.marker.relatedInformation", + "problems.tree.aria.label.error.marker", + "problems.tree.aria.label.error.marker.nosource", + "problems.tree.aria.label.warning.marker", + "problems.tree.aria.label.warning.marker.nosource", + "problems.tree.aria.label.info.marker", + "problems.tree.aria.label.info.marker.nosource", + "problems.tree.aria.label.marker", + "problems.tree.aria.label.marker.nosource", + "problems.tree.aria.label.relatedinfo.message", + "errors.warnings.show.label" + ], + "vs/platform/history/browser/contextScopedHistoryWidget": [ + "suggestWidgetVisible" + ], + "vs/workbench/contrib/debug/browser/replViewer": [ + "debugConsole", + "replVariableAriaLabel", { - "key": "workspace.tooltip2", + "key": "occurred", "comment": [ - "[features are not available]({1}) is a link. Only translate `features are not available`. Do not change brackets and parentheses or {0}" + "Front will the value of the debug console element. Placeholder will be replaced by a number which represents occurrance count." ] }, - "noHost.tooltip", - "remoteHost", - "closeRemoteConnection.title", - "reloadWindow", - "closeVirtualWorkspace.title", - "installRemotes" + "replRawObjectAriaLabel", + "replGroup" ], - "vs/workbench/contrib/terminal/browser/terminalIcons": [ - "terminalViewIcon", - "renameTerminalIcon", - "killTerminalIcon", - "newTerminalIcon", - "configureTerminalProfileIcon" + "vs/workbench/contrib/debug/browser/linkDetector": [ + "followForwardedLink", + "followLink", + "fileLinkMac", + "fileLink" ], - "vs/workbench/contrib/terminal/common/terminalConfiguration": [ - "cwd", - "cwdFolder", - "workspaceFolder", - "local", - "process", - "separator", - "sequence", - "task", - "terminalTitle", - "terminalDescription", - "terminalIntegratedConfigurationTitle", - "terminal.integrated.sendKeybindingsToShell", - "terminal.integrated.tabs.enabled", - "terminal.integrated.tabs.enableAnimation", - "terminal.integrated.tabs.hideCondition", - "terminal.integrated.tabs.hideCondition.never", - "terminal.integrated.tabs.hideCondition.singleTerminal", - "terminal.integrated.tabs.hideCondition.singleGroup", - "terminal.integrated.tabs.showActiveTerminal", - "terminal.integrated.tabs.showActiveTerminal.always", - "terminal.integrated.tabs.showActiveTerminal.singleTerminal", - "terminal.integrated.tabs.showActiveTerminal.singleTerminalOrNarrow", - "terminal.integrated.tabs.showActiveTerminal.never", - "terminal.integrated.tabs.showActions", - "terminal.integrated.tabs.showActions.always", - "terminal.integrated.tabs.showActions.singleTerminal", - "terminal.integrated.tabs.showActions.singleTerminalOrNarrow", - "terminal.integrated.tabs.showActions.never", - "terminal.integrated.tabs.location.left", - "terminal.integrated.tabs.location.right", - "terminal.integrated.tabs.location", - "terminal.integrated.defaultLocation.editor", - "terminal.integrated.defaultLocation.view", - "terminal.integrated.defaultLocation", - "terminal.integrated.shellIntegration.decorationIconSuccess", - "terminal.integrated.shellIntegration.decorationIconError", - "terminal.integrated.shellIntegration.decorationIcon", - "terminal.integrated.tabs.focusMode.singleClick", - "terminal.integrated.tabs.focusMode.doubleClick", - "terminal.integrated.tabs.focusMode", - "terminal.integrated.macOptionIsMeta", - "terminal.integrated.macOptionClickForcesSelection", - "terminal.integrated.altClickMovesCursor", - "terminal.integrated.copyOnSelection", - "terminal.integrated.enableMultiLinePasteWarning", - "terminal.integrated.drawBoldTextInBrightColors", - "terminal.integrated.fontFamily", - "terminal.integrated.fontSize", - "terminal.integrated.letterSpacing", - "terminal.integrated.lineHeight", - "terminal.integrated.minimumContrastRatio", - "terminal.integrated.fastScrollSensitivity", - "terminal.integrated.mouseWheelScrollSensitivity", - "terminal.integrated.bellDuration", - "terminal.integrated.fontWeightError", - "terminal.integrated.fontWeight", - "terminal.integrated.fontWeightError", - "terminal.integrated.fontWeightBold", - "terminal.integrated.cursorBlinking", - "terminal.integrated.cursorStyle", - "terminal.integrated.cursorWidth", - "terminal.integrated.scrollback", - "terminal.integrated.detectLocale", - "terminal.integrated.detectLocale.auto", - "terminal.integrated.detectLocale.off", - "terminal.integrated.detectLocale.on", - "terminal.integrated.gpuAcceleration.auto", - "terminal.integrated.gpuAcceleration.on", - "terminal.integrated.gpuAcceleration.off", - "terminal.integrated.gpuAcceleration.canvas", - "terminal.integrated.gpuAcceleration", - "terminal.integrated.tabs.separator", - "terminal.integrated.rightClickBehavior.default", - "terminal.integrated.rightClickBehavior.copyPaste", - "terminal.integrated.rightClickBehavior.paste", - "terminal.integrated.rightClickBehavior.selectWord", - "terminal.integrated.rightClickBehavior.nothing", - "terminal.integrated.rightClickBehavior", - "terminal.integrated.cwd", - "terminal.integrated.confirmOnExit", - "terminal.integrated.confirmOnExit.never", - "terminal.integrated.confirmOnExit.always", - "terminal.integrated.confirmOnExit.hasChildProcesses", - "terminal.integrated.confirmOnKill", - "terminal.integrated.confirmOnKill.never", - "terminal.integrated.confirmOnKill.editor", - "terminal.integrated.confirmOnKill.panel", - "terminal.integrated.confirmOnKill.always", - "terminal.integrated.enableBell", - "terminal.integrated.commandsToSkipShell", - "openDefaultSettingsJson", - "openDefaultSettingsJson.capitalized", - "terminal.integrated.allowChords", - "terminal.integrated.allowMnemonics", - "terminal.integrated.env.osx", - "terminal.integrated.env.linux", - "terminal.integrated.env.windows", - "terminal.integrated.environmentChangesIndicator", - "terminal.integrated.environmentChangesIndicator.off", - "terminal.integrated.environmentChangesIndicator.on", - "terminal.integrated.environmentChangesIndicator.warnonly", - "terminal.integrated.environmentChangesRelaunch", - "terminal.integrated.showExitAlert", - "terminal.integrated.splitCwd", - "terminal.integrated.splitCwd.workspaceRoot", - "terminal.integrated.splitCwd.initial", - "terminal.integrated.splitCwd.inherited", - "terminal.integrated.windowsEnableConpty", - "terminal.integrated.wordSeparators", - "terminal.integrated.enableFileLinks", - "terminal.integrated.unicodeVersion.six", - "terminal.integrated.unicodeVersion.eleven", - "terminal.integrated.unicodeVersion", - "terminal.integrated.localEchoLatencyThreshold", - "terminal.integrated.localEchoEnabled", - "terminal.integrated.localEchoEnabled.on", - "terminal.integrated.localEchoEnabled.off", - "terminal.integrated.localEchoEnabled.auto", - "terminal.integrated.localEchoExcludePrograms", - "terminal.integrated.localEchoStyle", - "terminal.integrated.enablePersistentSessions", - "terminal.integrated.persistentSessionReviveProcess", - "terminal.integrated.persistentSessionReviveProcess.onExit", - "terminal.integrated.persistentSessionReviveProcess.onExitAndWindowClose", - "terminal.integrated.persistentSessionReviveProcess.never", - "terminal.integrated.customGlyphs", - "terminal.integrated.autoReplies", - "terminal.integrated.autoReplies.reply", - "terminal.integrated.shellIntegration.enabled", - "terminal.integrated.shellIntegration.decorationsEnabled", - "terminal.integrated.shellIntegration.history" + "vs/workbench/contrib/debug/common/replModel": [ + "consoleCleared" ], - "vs/workbench/contrib/terminal/browser/terminalQuickAccess": [ - "workbench.action.terminal.newplus", - "workbench.action.terminal.newWithProfilePlus", - "renameTerminal" + "vs/workbench/contrib/debug/browser/replFilter": [ + "showing filtered repl lines" ], - "vs/workbench/contrib/terminal/browser/terminalEditorInput": [ - "confirmDirtyTerminal.message", + "vs/workbench/contrib/mergeEditor/browser/mergeEditorInput": [ + "name", + "unhandledConflicts.saveAndIgnore", + "unhandledConflicts.ignore", + "unhandledConflicts.discard", + "unhandledConflicts.cancel", + "unhandledConflicts.detailN", + "unhandledConflicts.detail1", + "unhandledConflicts.msg" + ], + "vs/workbench/contrib/comments/browser/commentsEditorContribution": [ + "hasCommentingRange", + "hasCommentingProvider", + "pickCommentService", + "nextCommentThreadAction", + "previousCommentThreadAction", + "comments.toggleCommenting", + "comments.addCommand" + ], + "vs/workbench/contrib/mergeEditor/browser/view/mergeEditor": [ + "mergeEditor", + "input1", + "input2", + "result", + "editor.mergeEditor.label" + ], + "vs/workbench/contrib/url/browser/trustedDomains": [ + "trustedDomain.manageTrustedDomain", + "trustedDomain.trustDomain", + "trustedDomain.trustAllPorts", + "trustedDomain.trustSubDomain", + "trustedDomain.trustAllDomains", + "trustedDomain.manageTrustedDomains" + ], + "vs/workbench/contrib/mergeEditor/browser/commands/commands": [ + "title", + "layout.mixed", + "layout.column", + "mergeEditor", + "openfile", + "merge.goToNextConflict", + "merge.goToPreviousConflict", + "merge.toggleCurrentConflictFromLeft", + "merge.toggleCurrentConflictFromRight", + "mergeEditor.compareInput1WithBase", + "mergeEditor.compareWithBase", + "mergeEditor.compareInput2WithBase", + "mergeEditor.compareWithBase", + "merge.openBaseEditor", + "merge.acceptAllInput1", + "merge.acceptAllInput2" + ], + "vs/workbench/contrib/mergeEditor/browser/commands/devCommands": [ + "merge.dev.copyState", + "mergeEditor.name", + "mergeEditor.noActiveMergeEditor", + "mergeEditor.name", + "mergeEditor.successfullyCopiedMergeEditorContents", + "merge.dev.openState", + "mergeEditor.enterJSON" + ], + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": [ + "default" + ], + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": [ + "ok", + "cancel", + "empty.msg", + "conflict.1", + "conflict.N", + "edt.title.del", + "rename", + "create", + "edt.title.2", + "edt.title.1" + ], + "vs/workbench/contrib/url/browser/trustedDomainsValidator": [ + "openExternalLinkAt", + "open", + "copy", + "cancel", + "configureTrustedDomains" + ], + "vs/workbench/contrib/externalUriOpener/common/configuration": [ + "externalUriOpeners", + "externalUriOpeners.uri", + "externalUriOpeners.uri", + "externalUriOpeners.defaultId" + ], + "vs/workbench/contrib/webviewPanel/browser/webviewCommands": [ + "editor.action.webvieweditor.showFind", + "editor.action.webvieweditor.hideFind", + "editor.action.webvieweditor.findNext", + "editor.action.webvieweditor.findPrevious", + "refreshWebviewLabel" + ], + "vs/workbench/contrib/externalUriOpener/common/externalUriOpenerService": [ + "selectOpenerDefaultLabel.web", + "selectOpenerDefaultLabel", + "selectOpenerConfigureTitle", + "selectOpenerPlaceHolder" + ], + "vs/workbench/contrib/extensions/common/extensionsInput": [ + "extensionsInputName" + ], + "vs/workbench/contrib/extensions/browser/extensionsViews": [ + "extension.arialabel.publihser", + "extension.arialabel.deprecated", + "extensions", + "offline error", + "error", + "no extensions found", + "suggestProxyError", + "open user settings", + "no local extensions" + ], + "vs/workbench/contrib/extensions/browser/extensionsActions": [ + "VS Code for Web", + "cannot be installed", + "close", + "more information", + "update operation", + "install operation", + "install release version message", + "install release version", + "check logs", + "download", + "install vsix", + "installVSIX", + "install", + "deprecated message", + "install anyway", + "cancel", + "deprecated with alternate extension message", + "Show alternate extension", + "deprecated with alternate settings message", + "configure in settings", + "install confirmation", + "installExtensionStart", + "installExtensionComplete", + "install pre-release", + "install pre-release version", + "install", + "install release version", + "install", + "do no sync", { - "key": "confirmDirtyTerminal.button", + "key": "install extension in remote and do not sync", "comment": [ - "&& denotes a mnemonic" + "First placeholder is install action label.", + "Second placeholder is the name of the action to install an extension in remote server and do not sync it. Placeholder is for the name of remote server.", + "Third placeholder is do not sync label." ] }, - "cancel", - "confirmDirtyTerminals.detail", - "confirmDirtyTerminal.detail" - ], - "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": [ - "expandAbbreviationAction", { - "key": "miEmmetExpandAbbreviation", + "key": "install extension in remote", "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/tasks/browser/runAutomaticTasks": [ - "tasks.run.allowAutomatic", - "allow", - "disallow", - "openTask", - "openTasks", - "workbench.action.tasks.manageAutomaticRunning", - "workbench.action.tasks.allowAutomaticTasks", - "workbench.action.tasks.disallowAutomaticTasks" - ], - "vs/workbench/contrib/tasks/common/jsonSchema_v1": [ - "JsonSchema.version.deprecated", - "JsonSchema.version", - "JsonSchema._runner", - "JsonSchema.runner", - "JsonSchema.windows", - "JsonSchema.mac", - "JsonSchema.linux", - "JsonSchema.shell" - ], - "vs/workbench/contrib/tasks/common/jsonSchema_v2": [ - "JsonSchema.shell", - "JsonSchema.tasks.isShellCommand.deprecated", - "JsonSchema.tasks.dependsOn.identifier", - "JsonSchema.tasks.dependsOn.string", - "JsonSchema.tasks.dependsOn.array", - "JsonSchema.tasks.dependsOn", - "JsonSchema.tasks.dependsOrder.parallel", - "JsonSchema.tasks.dependsOrder.sequence", - "JsonSchema.tasks.dependsOrder", - "JsonSchema.tasks.detail", - "JsonSchema.tasks.presentation", - "JsonSchema.tasks.presentation.echo", - "JsonSchema.tasks.presentation.focus", - "JsonSchema.tasks.presentation.revealProblems.always", - "JsonSchema.tasks.presentation.revealProblems.onProblem", - "JsonSchema.tasks.presentation.revealProblems.never", - "JsonSchema.tasks.presentation.revealProblems", - "JsonSchema.tasks.presentation.reveal.always", - "JsonSchema.tasks.presentation.reveal.silent", - "JsonSchema.tasks.presentation.reveal.never", - "JsonSchema.tasks.presentation.reveal", - "JsonSchema.tasks.presentation.instance", - "JsonSchema.tasks.presentation.showReuseMessage", - "JsonSchema.tasks.presentation.clear", - "JsonSchema.tasks.presentation.group", - "JsonSchema.tasks.presentation.close", - "JsonSchema.tasks.terminal", - "JsonSchema.tasks.group.build", - "JsonSchema.tasks.group.test", - "JsonSchema.tasks.group.none", - "JsonSchema.tasks.group.kind", - "JsonSchema.tasks.group.isDefault", - "JsonSchema.tasks.group.defaultBuild", - "JsonSchema.tasks.group.defaultTest", - "JsonSchema.tasks.group", - "JsonSchema.tasks.type", - "JsonSchema.commandArray", - "JsonSchema.commandArray", - "JsonSchema.command.quotedString.value", - "JsonSchema.tasks.quoting.escape", - "JsonSchema.tasks.quoting.strong", - "JsonSchema.tasks.quoting.weak", - "JsonSchema.command.quotesString.quote", - "JsonSchema.command", - "JsonSchema.args.quotedString.value", - "JsonSchema.tasks.quoting.escape", - "JsonSchema.tasks.quoting.strong", - "JsonSchema.tasks.quoting.weak", - "JsonSchema.args.quotesString.quote", - "JsonSchema.tasks.args", - "JsonSchema.tasks.label", - "JsonSchema.version", - "JsonSchema.tasks.identifier", - "JsonSchema.tasks.identifier.deprecated", - "JsonSchema.tasks.reevaluateOnRerun", - "JsonSchema.tasks.runOn", - "JsonSchema.tasks.instanceLimit", - "JsonSchema.tasks.runOptions", - "JsonSchema.tasks.taskLabel", - "JsonSchema.tasks.taskName", - "JsonSchema.tasks.taskName.deprecated", - "JsonSchema.tasks.background", - "JsonSchema.tasks.promptOnClose", - "JsonSchema.tasks.matchers", - "JsonSchema.customizations.customizes.type", - "JsonSchema.tasks.customize.deprecated", - "JsonSchema.tasks.taskName.deprecated", - "JsonSchema.tasks.showOutput.deprecated", - "JsonSchema.tasks.echoCommand.deprecated", - "JsonSchema.tasks.suppressTaskName.deprecated", - "JsonSchema.tasks.isBuildCommand.deprecated", - "JsonSchema.tasks.isTestCommand.deprecated", - "JsonSchema.tasks.type", - "JsonSchema.tasks.suppressTaskName.deprecated", - "JsonSchema.tasks.taskSelector.deprecated", - "JsonSchema.windows", - "JsonSchema.mac", - "JsonSchema.linux" - ], - "vs/workbench/contrib/tasks/common/problemMatcher": [ - "ProblemPatternParser.problemPattern.missingRegExp", - "ProblemPatternParser.loopProperty.notLast", - "ProblemPatternParser.problemPattern.kindProperty.notFirst", - "ProblemPatternParser.problemPattern.missingProperty", - "ProblemPatternParser.problemPattern.missingLocation", - "ProblemPatternParser.invalidRegexp", - "ProblemPatternSchema.regexp", - "ProblemPatternSchema.kind", - "ProblemPatternSchema.file", - "ProblemPatternSchema.location", - "ProblemPatternSchema.line", - "ProblemPatternSchema.column", - "ProblemPatternSchema.endLine", - "ProblemPatternSchema.endColumn", - "ProblemPatternSchema.severity", - "ProblemPatternSchema.code", - "ProblemPatternSchema.message", - "ProblemPatternSchema.loop", - "NamedProblemPatternSchema.name", - "NamedMultiLineProblemPatternSchema.name", - "NamedMultiLineProblemPatternSchema.patterns", - "ProblemPatternExtPoint", - "ProblemPatternRegistry.error", - "ProblemPatternRegistry.error", - "ProblemMatcherParser.noProblemMatcher", - "ProblemMatcherParser.noProblemPattern", - "ProblemMatcherParser.noOwner", - "ProblemMatcherParser.noFileLocation", - "ProblemMatcherParser.unknownSeverity", - "ProblemMatcherParser.noDefinedPatter", - "ProblemMatcherParser.noIdentifier", - "ProblemMatcherParser.noValidIdentifier", - "ProblemMatcherParser.problemPattern.watchingMatcher", - "ProblemMatcherParser.invalidRegexp", - "WatchingPatternSchema.regexp", - "WatchingPatternSchema.file", - "PatternTypeSchema.name", - "PatternTypeSchema.description", - "ProblemMatcherSchema.base", - "ProblemMatcherSchema.owner", - "ProblemMatcherSchema.source", - "ProblemMatcherSchema.severity", - "ProblemMatcherSchema.applyTo", - "ProblemMatcherSchema.fileLocation", - "ProblemMatcherSchema.background", - "ProblemMatcherSchema.background.activeOnStart", - "ProblemMatcherSchema.background.beginsPattern", - "ProblemMatcherSchema.background.endsPattern", - "ProblemMatcherSchema.watching.deprecated", - "ProblemMatcherSchema.watching", - "ProblemMatcherSchema.watching.activeOnStart", - "ProblemMatcherSchema.watching.beginsPattern", - "ProblemMatcherSchema.watching.endsPattern", - "LegacyProblemMatcherSchema.watchedBegin.deprecated", - "LegacyProblemMatcherSchema.watchedBegin", - "LegacyProblemMatcherSchema.watchedEnd.deprecated", - "LegacyProblemMatcherSchema.watchedEnd", - "NamedProblemMatcherSchema.name", - "NamedProblemMatcherSchema.label", - "ProblemMatcherExtPoint", - "msCompile", - "lessCompile", - "gulp-tsc", - "jshint", - "jshint-stylish", - "eslint-compact", - "eslint-stylish", - "go" - ], - "vs/workbench/contrib/tasks/browser/tasksQuickAccess": [ - "noTaskResults", - "TaskService.pickRunTask" - ], - "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": [ - "workbench.action.inspectKeyMap", - "workbench.action.inspectKeyMapJSON" - ], - "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": [ - { - "key": "largeFile", - "comment": [ - "Variable 0 will be a file name." + "First placeholder is install action label.", + "Second placeholder is the name of the action to install an extension in remote server and do not sync it. Placeholder is for the name of remote server." ] }, - "removeOptimizations", - "reopenFilePrompt" - ], - "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": [ - "hintTimeout", - "removeTimeout", - "hintWhitespace" - ], - "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": [ - "gotoLine", - "gotoLineQuickAccessPlaceholder", - "gotoLineQuickAccess" - ], - "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": [ - "TaskDefinition.description", - "TaskDefinition.properties", - "TaskDefinition.when", - "TaskTypeConfiguration.noType", - "TaskDefinitionExtPoint" - ], - "vs/workbench/contrib/codeEditor/browser/saveParticipants": [ + "install extension locally and do not sync", + "install extension locally", { - "key": "formatting2", + "key": "install everywhere tooltip", "comment": [ - "[configure]({1}) is a link. Only translate `configure`. Do not change brackets and parentheses or {1}" + "Placeholder is the name of the product. Eg: Visual Studio Code or Visual Studio Code - Insiders" ] }, - "codeaction", + "installing", + "install", + "installing", + "installExtensionStart", + "incompatible", { - "key": "codeaction.get2", + "key": "install in remote", "comment": [ - "[configure]({1}) is a link. Only translate `configure`. Do not change brackets and parentheses or {1}" + "This is the name of the action to install an extension in remote server. Placeholder is for the name of remote server." ] }, - "codeAction.apply" - ], - "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": [ - "emergencyConfOn", - "openingDocs", - "introMsg", - "status", - "changeConfigToOnMac", - "changeConfigToOnWinLinux", - "auto_unknown", - "auto_on", - "auto_off", - "configuredOn", - "configuredOff", - "tabFocusModeOnMsg", - "tabFocusModeOnMsgNoKb", - "tabFocusModeOffMsg", - "tabFocusModeOffMsgNoKb", - "openDocMac", - "openDocWinLinux", - "outroMsg", - "ShowAccessibilityHelpAction" - ], - "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": [ - "inspectEditorTokens", - "inspectTMScopesWidget.loading" - ], - "vs/workbench/contrib/codeEditor/browser/toggleMinimap": [ - "toggleMinimap", - { - "key": "miShowMinimap", - "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": [ - "toggleLocation", - "miMultiCursorAlt", - "miMultiCursorCmd", - "miMultiCursorCtrl" - ], - "vs/workbench/contrib/codeEditor/browser/untitledTextEditorHint": [ - "selectAlanguage2", - "keyboardBindingTooltip", - "or", - "openADifferentEditor", - "keyboardBindingTooltip", - "toGetStarted", - "startTyping", - "dontshow", - "thisAgain" - ], - "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": [ - "toggleColumnSelection", - { - "key": "miColumnSelection", - "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": [ - "editorWordWrap", - "toggle.wordwrap", - "unwrapMinified", - "wrapMinified", - { - "key": "miToggleWordWrap", - "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": [ - "toggleRenderControlCharacters", - { - "key": "miToggleRenderControlCharacters", - "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/contrib/snippets/browser/snippetPicker": [ - "sep.userSnippet", - "sep.workspaceSnippet", - "disableSnippet", - "isDisabled", - "enable.snippet", - "pick.placeholder" - ], - "vs/workbench/contrib/snippets/browser/snippetsFile": [ - "source.workspaceSnippetGlobal", - "source.userSnippetGlobal", - "source.userSnippet" - ], - "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": [ - "detail.snippet", - "snippetSuggest.longLabel", - "snippetSuggest.longLabel" + "install locally", + "install browser", + "uninstallAction", + "Uninstalling", + "uninstallExtensionStart", + "uninstallExtensionComplete", + "updateExtensionStart", + "updateExtensionComplete", + "updateAction", + "updateToTargetPlatformVersion", + "updateToLatestVersion", + "migrateExtension", + "migrate to", + "migrate", + "manage", + "ManageExtensionAction.uninstallingTooltip", + "manage", + "switch to pre-release version", + "switch to pre-release version tooltip", + "switch to release version", + "switch to release version tooltip", + "install another version", + "no versions", + "pre-release", + "current", + "selectVersion", + "enableForWorkspaceAction", + "enableForWorkspaceActionToolTip", + "enableGloballyAction", + "enableGloballyActionToolTip", + "disableForWorkspaceAction", + "disableForWorkspaceActionToolTip", + "disableGloballyAction", + "disableGloballyActionToolTip", + "enableAction", + "disableAction", + "reloadAction", + "reloadRequired", + "postUninstallTooltip", + "uninstallExtensionComplete", + "reloadRequired", + "postUpdateTooltip", + "reloadRequired", + "enable locally", + "reloadRequired", + "enable remote", + "reloadRequired", + "postEnableTooltip", + "reloadRequired", + "postEnableTooltip", + "reloadRequired", + "postDisableTooltip", + "reloadRequired", + "postEnableTooltip", + "reloadRequired", + "postEnableTooltip", + "installExtensionCompletedAndReloadRequired", + "current", + "workbench.extensions.action.setColorTheme", + "select color theme", + "workbench.extensions.action.setFileIconTheme", + "select file icon theme", + "workbench.extensions.action.setProductIconTheme", + "select product icon theme", + "workbench.extensions.action.setDisplayLanguage", + "workbench.extensions.action.clearLanguage", + "showRecommendedExtension", + "installRecommendedExtension", + "ignoreExtensionRecommendation", + "undo", + "search recommendations", + "OpenExtensionsFile.failed", + "configureWorkspaceRecommendedExtensions", + "configureWorkspaceFolderRecommendedExtensions", + "updated", + "installed", + "uninstalled", + "enabled", + "disabled", + "ignored", + "synced", + "sync", + "do not sync", + "malicious tooltip", + "deprecated with alternate extension tooltip", + "settings", + "deprecated with alternate settings tooltip", + "deprecated tooltip", + "incompatible platform", + "learn more", + "VS Code for Web", + "not web tooltip", + "learn why", + "disabled by environment", + "enabled by environment", + "disabled because of virtual workspace", + "extension limited because of virtual workspace", + "extension disabled because of trust requirement", + "extension limited because of trust requirement", + "Install in remote server to enable", + "learn more", + "Install in local server to enable", + "learn more", + "Defined to run in desktop", + "learn more", + "Cannot be enabled", + "learn more", + "Install language pack also in remote server", + "Install language pack also locally", + "enabled remotely", + "learn more", + "enabled locally", + "learn more", + "enabled in web worker", + "learn more", + "extension disabled because of dependency", + "extension enabled on remote", + "globally enabled", + "workspace enabled", + "globally disabled", + "workspace disabled", + "reinstall", + "selectExtensionToReinstall", + "ReinstallAction.successReload", + "ReinstallAction.success", + "InstallVSIXAction.reloadNow", + "install previous version", + "selectExtension", + "select extensions to install", + "no local extensions", + "installing extensions", + "finished installing", + "select and install local extensions", + "install local extensions title", + "select and install remote extensions", + "install remote extensions", + "extensionButtonProminentBackground", + "extensionButtonProminentForeground", + "extensionButtonProminentHoverBackground" ], - "vs/workbench/contrib/format/browser/formatActionsNone": [ - "formatDocument.label.multiple", - "too.large", - "no.provider", - "cancel", - "install.formatter" + "vs/platform/dnd/browser/dnd": [ + "fileTooLarge" ], - "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": [ - "toggleRenderWhitespace", - { - "key": "miToggleRenderWhitespace", - "comment": [ - "&& denotes a mnemonic" - ] - } + "vs/workbench/contrib/extensions/browser/extensionsIcons": [ + "extensionsViewIcon", + "manageExtensionIcon", + "clearSearchResultsIcon", + "refreshIcon", + "filterIcon", + "installLocalInRemoteIcon", + "installWorkspaceRecommendedIcon", + "configureRecommendedIcon", + "syncEnabledIcon", + "syncIgnoredIcon", + "remoteIcon", + "installCountIcon", + "ratingIcon", + "verifiedPublisher", + "preReleaseIcon", + "sponsorIcon", + "starFullIcon", + "starHalfIcon", + "starEmptyIcon", + "errorIcon", + "warningIcon", + "infoIcon", + "trustIcon", + "activationtimeIcon" ], - "vs/workbench/contrib/format/browser/formatModified": [ - "formatChanges" + "vs/workbench/contrib/extensions/common/extensionsUtils": [ + "disableOtherKeymapsConfirmation", + "yes", + "no" ], - "vs/workbench/contrib/audioCues/browser/audioCueService": [ - "audioCues.lineHasError.name", - "audioCues.lineHasWarning.name", - "audioCues.lineHasFoldedArea.name", - "audioCues.lineHasBreakpoint.name", - "audioCues.lineHasInlineSuggestion.name", - "audioCues.onDebugBreak.name", - "audioCues.noInlayHints" + "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": [ + "activation" ], - "vs/workbench/contrib/format/browser/formatActionsMultiple": [ - "null", - "nullFormatterDescription", - "miss", - "config.needed", - "config.bad", - "miss.1", - "do.config", - "cancel", - "do.config", - "select", - "do.config", - "summary", - "formatter", - "formatter.default", - "def", - "config", - "format.placeHolder", - "select", - "formatDocument.label.multiple", - "formatSelection.label.multiple" + "vs/workbench/contrib/extensions/common/extensionsFileTemplate": [ + "app.extensions.json.title", + "app.extensions.json.recommendations", + "app.extension.identifier.errorMessage", + "app.extensions.json.unwantedRecommendations", + "app.extension.identifier.errorMessage" ], - "vs/workbench/contrib/update/browser/update": [ - "releaseNotes", - "update.noReleaseNotesOnline", - "releaseNotes", - "showReleaseNotes", - "read the release notes", - "releaseNotes", - "updateIsReady", - "checkingForUpdates", - "downloading", - "updating", - "update service", - "noUpdatesAvailable", - "thereIsUpdateAvailable", - "download update", - "later", - "releaseNotes", - "updateAvailable", - "installUpdate", - "later", - "releaseNotes", - "updateNow", - "later", - "releaseNotes", - "updateAvailableAfterRestart", - "checkForUpdates", - "checkingForUpdates", - "download update_1", - "DownloadingUpdate", - "installUpdate...", - "installingUpdate", - "restartToUpdate", - "switchToInsiders", - "switchToStable", - "relaunchMessage", - "relaunchDetailInsiders", - "relaunchDetailStable", + "vs/workbench/contrib/extensions/browser/extensionEditor": [ + "extension version", + "preRelease", + "name", + "preview", + "preview", + "builtin", + "publisher", + "install count", + "rating", + "publisher verified tooltip", + "details", + "detailstooltip", + "contributions", + "contributionstooltip", + "changelog", + "changelogtooltip", + "dependencies", + "dependenciestooltip", + "extensionpack", + "extensionpacktooltip", + "runtimeStatus", + "runtimeStatus description", + "noReadme", + "extension pack", + "noReadme", + "categories", + "Marketplace", + "repository", + "license", + "resources", + "Marketplace Info", + "release date", + "last updated", + "id", + "noChangelog", + "noContributions", + "noContributions", + "noDependencies", + "activation", + "startup", + "not yet activated", + "uncaught errors", + "messages", + "noStatus", + "settings", + "setting name", + "description", + "default", + "debuggers", + "debugger name", + "debugger type", + "viewContainers", + "view container id", + "view container title", + "view container location", + "views", + "view id", + "view name", + "view location", + "localizations", + "localizations language id", + "localizations language name", + "localizations localized language name", + "customEditors", + "customEditors view type", + "customEditors priority", + "customEditors filenamePattern", + "codeActions", + "codeActions.title", + "codeActions.kind", + "codeActions.description", + "codeActions.languages", + "authentication", + "authentication.label", + "authentication.id", + "colorThemes", + "iconThemes", + "productThemes", + "colors", + "colorId", + "description", + "defaultDark", + "defaultLight", + "defaultHC", + "JSON Validation", + "fileMatch", + "schema", + "commands", + "command name", + "description", + "keyboard shortcuts", + "menuContexts", + "languages", + "language id", + "language name", + "file extensions", + "grammar", + "snippets", + "activation events", + "Notebooks", + "Notebook id", + "Notebook name", + "NotebookRenderers", + "Notebook renderer name", + "Notebook mimetypes", + "find", + "find next", + "find previous" + ], + "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": [ + "extensions", + "auto install missing deps", + "finished installing missing deps", "reload", - "selectSyncService.message", - "use insiders", - "use stable", - "cancel", - "selectSyncService.detail", - "checkForUpdates" + "no missing deps" ], - "vs/base/browser/ui/keybindingLabel/keybindingLabel": [ - "unbound" + "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": [ + "type", + "searchFor", + "install", + "manage" ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted": [ - "welcomeAriaLabel", - "pickWalkthroughs", - "getStarted", - "checkboxTitle", - "welcomePage.showOnStartup", + "vs/workbench/contrib/extensions/browser/extensionsCompletionItemsProvider": [ + "exampleExtension" + ], + "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": [ + "neverShowAgain", + "ignoreExtensionRecommendations", + "ignoreAll", + "no", + "singleExtensionRecommended", + "workspaceRecommended", + "install", + "install and do no sync", + "show recommendations" + ], + "vs/workbench/contrib/customEditor/common/customEditor": [ + "context.customEditor" + ], + "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": [ { - "key": "gettingStarted.editingEvolved", + "key": "starActivation", "comment": [ - "Shown as subtitle on the Welcome page." + "{0} will be an extension identifier" ] }, - "welcomePage.openFolderWithPath", - "recent", - "noRecents", - "openFolder", - "toStart", - "show more recents", - "start", - "new", { - "key": "newItems", + "key": "workspaceContainsGlobActivation", "comment": [ - "Shown when a list of items has changed based on an update from a remote source" + "{0} will be a glob pattern", + "{1} will be an extension identifier" ] }, - "close", - "walkthroughs", - "showAll", - "gettingStarted.allStepsComplete", - "gettingStarted.someStepsComplete", - "imageShowing", - "allDone", - "nextOne", - "privacy statement", - "optOut", { - "key": "footer", + "key": "workspaceContainsFileActivation", "comment": [ - "fist substitution is \"vs code\", second is \"privacy statement\", third is \"opt out\"." + "{0} will be a file name", + "{1} will be an extension identifier" ] - } - ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedIcons": [ - "gettingStartedUnchecked", - "gettingStartedChecked" - ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedService": [ - "builtin" - ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedInput": [ - "getStarted" + }, + { + "key": "workspaceContainsTimeout", + "comment": [ + "{0} will be a glob pattern", + "{1} will be an extension identifier" + ] + }, + { + "key": "startupFinishedActivation", + "comment": [ + "This refers to an extension. {0} will be an activation event." + ] + }, + "languageActivation", + { + "key": "workspaceGenericActivation", + "comment": [ + "{0} will be an activation event, like e.g. 'language:typescript', 'debug', etc.", + "{1} will be an extension identifier" + ] + }, + "unresponsive.title", + "errors", + "runtimeExtensions", + "copy id", + "disable workspace", + "disable", + "showRuntimeExtensions" ], - "vs/workbench/contrib/welcomeWalkthrough/browser/walkThroughPart": [ - "walkThrough.unboundCommand", - "walkThrough.gitNotFound", - "walkThrough.embeddedEditorBackground" + "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": [ + "Manifest is not found", + "malicious", + "uninstallingExtension", + "not found", + "installing named extension", + "installing extension", + "disable all", + "singleDependentError", + "twoDependentsError", + "multipleDependentsError" ], - "vs/workbench/contrib/welcomeWalkthrough/browser/editor/editorWalkThrough": [ - "editorWalkThrough.title", - "editorWalkThrough" + "vs/base/browser/ui/actionbar/actionViewItems": [ + { + "key": "titleLabel", + "comment": [ + "action title", + "action keybinding" + ] + } ], - "vs/workbench/contrib/welcomeViews/common/viewsWelcomeContribution": [ - "ViewsWelcomeExtensionPoint.proposedAPI" + "vs/workbench/contrib/output/browser/logViewer": [ + "logViewerAriaLabel" ], - "vs/workbench/contrib/outline/browser/outlinePane": [ - "no-editor", - "loading", - "no-symbols", - "collapse", - "followCur", - "filterOnType", - "sortByPosition", - "sortByName", - "sortByKind" - ], - "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyPeek": [ - "supertypes", - "subtypes", - "title.loading", - "empt.supertypes", - "empt.subtypes" - ], - "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": [ - "callFrom", - "callsTo", - "title.loading", - "empt.callsFrom", - "empt.callsTo" + "vs/workbench/contrib/terminal/browser/terminalActions": [ + "showTerminalTabs", + "workbench.action.terminal.newWorkspacePlaceholder", + "terminalLaunchHelp", + "workbench.action.terminal.newInActiveWorkspace", + "workbench.action.terminal.createTerminalEditor", + "workbench.action.terminal.createTerminalEditorSide", + "workbench.action.terminal.showTabs", + "workbench.action.terminal.focusPreviousPane", + "workbench.action.terminal.focusNextPane", + "workbench.action.terminal.runRecentCommand", + "workbench.action.terminal.copyLastCommand", + "workbench.action.terminal.goToRecentDirectory", + "workbench.action.terminal.resizePaneLeft", + "workbench.action.terminal.resizePaneRight", + "workbench.action.terminal.resizePaneUp", + "workbench.action.terminal.resizePaneDown", + "workbench.action.terminal.focus.tabsView", + "workbench.action.terminal.focusNext", + "workbench.action.terminal.focusPrevious", + "workbench.action.terminal.runSelectedText", + "workbench.action.terminal.runActiveFile", + "workbench.action.terminal.runActiveFile.noFile", + "workbench.action.terminal.scrollDown", + "workbench.action.terminal.scrollDownPage", + "workbench.action.terminal.scrollToBottom", + "workbench.action.terminal.scrollUp", + "workbench.action.terminal.scrollUpPage", + "workbench.action.terminal.scrollToTop", + "workbench.action.terminal.navigationModeExit", + "workbench.action.terminal.navigationModeFocusPrevious", + "workbench.action.terminal.navigationModeFocusPreviousPage", + "workbench.action.terminal.navigationModeFocusNext", + "workbench.action.terminal.navigationModeFocusNextPage", + "workbench.action.terminal.clearSelection", + "workbench.action.terminal.focusFind", + "workbench.action.terminal.hideFind", + "workbench.action.terminal.detachSession", + "workbench.action.terminal.attachToSession", + "noUnattachedTerminals", + "quickAccessTerminal", + "workbench.action.terminal.scrollToPreviousCommand", + "workbench.action.terminal.scrollToNextCommand", + "workbench.action.terminal.selectToPreviousCommand", + "workbench.action.terminal.selectToNextCommand", + "workbench.action.terminal.selectToPreviousLine", + "workbench.action.terminal.selectToNextLine", + "workbench.action.terminal.toggleEscapeSequenceLogging", + "workbench.action.terminal.sendSequence", + "workbench.action.terminal.newWithCwd", + "workbench.action.terminal.newWithCwd.cwd", + "workbench.action.terminal.renameWithArg", + "workbench.action.terminal.renameWithArg.name", + "workbench.action.terminal.renameWithArg.noName", + "workbench.action.terminal.toggleFindRegex", + "workbench.action.terminal.toggleFindWholeWord", + "workbench.action.terminal.toggleFindCaseSensitive", + "workbench.action.terminal.findNext", + "workbench.action.terminal.findPrevious", + "workbench.action.terminal.searchWorkspace", + "workbench.action.terminal.relaunch", + "workbench.action.terminal.showEnvironmentInformation", + "workbench.action.terminal.joinInstance", + "workbench.action.terminal.join", + "workbench.action.terminal.join.insufficientTerminals", + "workbench.action.terminal.join.onlySplits", + "workbench.action.terminal.splitInActiveWorkspace", + "workbench.action.terminal.selectAll", + "workbench.action.terminal.new", + "workbench.action.terminal.newWorkspacePlaceholder", + "workbench.action.terminal.kill", + "workbench.action.terminal.killAll", + "workbench.action.terminal.killEditor", + "workbench.action.terminal.clear", + "workbench.action.terminal.openDetectedLink", + "workbench.action.terminal.openLastUrlLink", + "workbench.action.terminal.openLastLocalFileLink", + "workbench.action.terminal.selectDefaultShell", + "workbench.action.terminal.openSettings", + "workbench.action.terminal.setFixedDimensions", + "workbench.action.terminal.sizeToContentWidth", + "workbench.action.terminal.clearCommandHistory", + "workbench.action.terminal.writeDataToTerminal", + "workbench.action.terminal.writeDataToTerminal.prompt", + "workbench.action.terminal.copySelection", + "workbench.action.terminal.copySelectionAsHtml", + "workbench.action.terminal.paste", + "workbench.action.terminal.pasteSelection", + "workbench.action.terminal.switchTerminal", + "emptyTerminalNameInfo", + "workbench.action.terminal.newWithProfile", + "workbench.action.terminal.newWithProfile.profileName", + "workbench.action.terminal.newWorkspacePlaceholder" ], - "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsTree": [ - "title.template", - "1.problem", - "N.problem", - "deep.problem", - "Array", - "Boolean", - "Class", - "Constant", - "Constructor", - "Enum", - "EnumMember", - "Event", - "Field", - "File", - "Function", - "Interface", - "Key", - "Method", - "Module", - "Namespace", - "Null", - "Number", - "Object", - "Operator", - "Package", - "Property", - "String", - "Struct", - "TypeParameter", - "Variable" + "vs/workbench/contrib/terminal/common/terminalColorRegistry": [ + "terminal.background", + "terminal.foreground", + "terminalCursor.foreground", + "terminalCursor.background", + "terminal.selectionBackground", + "terminal.selectionForeground", + "terminalCommandDecoration.defaultBackground", + "terminalCommandDecoration.successBackground", + "terminalCommandDecoration.errorBackground", + "terminalOverviewRuler.cursorForeground", + "terminal.border", + "terminal.findMatchBackground", + "terminal.findMatchBorder", + "terminal.findMatchHighlightBackground", + "terminal.findMatchHighlightBorder", + "terminalOverviewRuler.findMatchHighlightForeground", + "terminal.dragAndDropBackground", + "terminal.tab.activeBorder", + "terminal.ansiColor" ], - "vs/workbench/contrib/userDataSync/browser/userDataSync": [ - "turn on sync with category", - "stop sync", - "configure sync", - "showConflicts", - "showKeybindingsConflicts", - "showSnippetsConflicts", - "showTasksConflicts", - "sync now", - "syncing", - "synced with time", - "sync settings", - "show synced data", - "conflicts detected", - "replace remote", - "replace local", - "show conflicts", - "accept failed", - "accept failed", - "session expired", - "turn on sync", - "turned off", - "turn on sync", - "too large", - "error upgrade required", - "operationId", - "error reset required", - "reset", - "show synced data action", - "service switched to insiders", - "service switched to stable", - "using separate service", - "service changed and turned off", - "turn on sync", - "operationId", - "open file", - "errorInvalidConfiguration", - "open file", - "has conflicts", - "turning on syncing", - "settings sync is off", - "sign in to sync", - "settings sync is off", - "turn on settings sync", - "cancel", - "turnon sync after initialization message", - { - "key": "change later", - "comment": [ - "Context here is that user can change (turn on/off) settings sync later." - ] - }, - "learn more", - "no authentication providers", - "too large while starting sync", - "error upgrade required while starting sync", - "operationId", - "error reset required while starting sync", - "reset", - "show synced data action", - "auth failed", - "turn on failed with user data sync error", - { - "key": "turn on failed", - "comment": [ - "Substitution is for error reason" - ] - }, - "sign in and turn on", - "configure and turn on sync detail", - "per platform", - "configure sync", - "configure sync placeholder", - "turn off sync confirmation", - "turn off sync detail", + "vs/workbench/contrib/terminal/browser/terminalEditorInput": [ + "confirmDirtyTerminal.message", { - "key": "turn off", + "key": "confirmDirtyTerminal.button", "comment": [ "&& denotes a mnemonic" ] }, - "turn off sync everywhere", - { - "key": "leftResourceName", - "comment": [ - "remote as in file in cloud" - ] - }, - "merges", - "sideBySideLabels", - "sideBySideDescription", - "switchSyncService.title", - "switchSyncService.description", - "default", - "insiders", - "stable", - "global activity turn on sync", - "global activity turn on sync", - "global activity turn on sync", - "ask to turn on in global", - "turnin on sync", - "sign in global", - "sign in accounts", - "resolveConflicts_global", - "resolveConflicts_global", - "resolveKeybindingsConflicts_global", - "resolveKeybindingsConflicts_global", - "resolveTasksConflicts_global", - "resolveTasksConflicts_global", - "resolveSnippetsConflicts_global", - "resolveSnippetsConflicts_global", - "sync is on", - "workbench.action.showSyncRemoteBackup", - "turn off failed", - "configure", - "show sync log title", - "show sync log toolrip", - "workbench.actions.syncData.reset", - "accept remote", - "accept merges", - "accept remote button", - "accept merges button", - "Sync accept remote", - "Sync accept merges", - "confirm replace and overwrite local", - "confirm replace and overwrite remote", - "update conflicts", - "accept failed" - ], - "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": [ - "status.feedback", - "status.feedback.name", - "status.feedback", - "status.feedback" - ], - "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": [ - "contributes.codeActions", - "contributes.codeActions.languages", - "contributes.codeActions.kind", - "contributes.codeActions.title", - "contributes.codeActions.description" - ], - "vs/workbench/contrib/codeActions/browser/codeActionsContribution": [ - "codeActionsOnSave.fixAll", - "codeActionsOnSave", - "codeActionsOnSave.generic" - ], - "vs/workbench/contrib/welcomeViews/common/viewsWelcomeExtensionPoint": [ - "contributes.viewsWelcome", - "contributes.viewsWelcome.view", - "contributes.viewsWelcome.view.view", - "contributes.viewsWelcome.view.view", - "contributes.viewsWelcome.view.contents", - "contributes.viewsWelcome.view.when", - "contributes.viewsWelcome.view.group", - "contributes.viewsWelcome.view.enablement" - ], - "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": [ - "contributes.documentation", - "contributes.documentation.refactorings", - "contributes.documentation.refactoring", - "contributes.documentation.refactoring.title", - "contributes.documentation.refactoring.when", - "contributes.documentation.refactoring.command" + "cancel", + "confirmDirtyTerminals.detail", + "confirmDirtyTerminal.detail" ], - "vs/workbench/contrib/profiles/common/profilesActions": [ - "export profile", - "export profile dialog", - "export success", - "import profile", - "import profile title", - "confiirmation message", - "select from file", - "select from url", - "import profile quick pick title", - "import profile placeholder", - "import profile dialog" + "vs/workbench/contrib/terminal/common/terminalConfiguration": [ + "cwd", + "cwdFolder", + "workspaceFolder", + "local", + "process", + "separator", + "sequence", + "task", + "terminalTitle", + "terminalDescription", + "terminalIntegratedConfigurationTitle", + "terminal.integrated.sendKeybindingsToShell", + "terminal.integrated.tabs.defaultColor", + "terminal.integrated.tabs.defaultIcon", + "terminal.integrated.tabs.enabled", + "terminal.integrated.tabs.enableAnimation", + "terminal.integrated.tabs.hideCondition", + "terminal.integrated.tabs.hideCondition.never", + "terminal.integrated.tabs.hideCondition.singleTerminal", + "terminal.integrated.tabs.hideCondition.singleGroup", + "terminal.integrated.tabs.showActiveTerminal", + "terminal.integrated.tabs.showActiveTerminal.always", + "terminal.integrated.tabs.showActiveTerminal.singleTerminal", + "terminal.integrated.tabs.showActiveTerminal.singleTerminalOrNarrow", + "terminal.integrated.tabs.showActiveTerminal.never", + "terminal.integrated.tabs.showActions", + "terminal.integrated.tabs.showActions.always", + "terminal.integrated.tabs.showActions.singleTerminal", + "terminal.integrated.tabs.showActions.singleTerminalOrNarrow", + "terminal.integrated.tabs.showActions.never", + "terminal.integrated.tabs.location.left", + "terminal.integrated.tabs.location.right", + "terminal.integrated.tabs.location", + "terminal.integrated.defaultLocation.editor", + "terminal.integrated.defaultLocation.view", + "terminal.integrated.defaultLocation", + "terminal.integrated.shellIntegration.decorationIconSuccess", + "terminal.integrated.shellIntegration.decorationIconError", + "terminal.integrated.shellIntegration.decorationIcon", + "terminal.integrated.tabs.focusMode.singleClick", + "terminal.integrated.tabs.focusMode.doubleClick", + "terminal.integrated.tabs.focusMode", + "terminal.integrated.macOptionIsMeta", + "terminal.integrated.macOptionClickForcesSelection", + "terminal.integrated.altClickMovesCursor", + "terminal.integrated.copyOnSelection", + "terminal.integrated.enableMultiLinePasteWarning", + "terminal.integrated.drawBoldTextInBrightColors", + "terminal.integrated.fontFamily", + "terminal.integrated.fontSize", + "terminal.integrated.letterSpacing", + "terminal.integrated.lineHeight", + "terminal.integrated.minimumContrastRatio", + "terminal.integrated.fastScrollSensitivity", + "terminal.integrated.mouseWheelScrollSensitivity", + "terminal.integrated.bellDuration", + "terminal.integrated.fontWeightError", + "terminal.integrated.fontWeight", + "terminal.integrated.fontWeightError", + "terminal.integrated.fontWeightBold", + "terminal.integrated.cursorBlinking", + "terminal.integrated.cursorStyle", + "terminal.integrated.cursorWidth", + "terminal.integrated.scrollback", + "terminal.integrated.detectLocale", + "terminal.integrated.detectLocale.auto", + "terminal.integrated.detectLocale.off", + "terminal.integrated.detectLocale.on", + "terminal.integrated.gpuAcceleration.auto", + "terminal.integrated.gpuAcceleration.on", + "terminal.integrated.gpuAcceleration.off", + "terminal.integrated.gpuAcceleration.canvas", + "terminal.integrated.gpuAcceleration", + "terminal.integrated.tabs.separator", + "terminal.integrated.rightClickBehavior.default", + "terminal.integrated.rightClickBehavior.copyPaste", + "terminal.integrated.rightClickBehavior.paste", + "terminal.integrated.rightClickBehavior.selectWord", + "terminal.integrated.rightClickBehavior.nothing", + "terminal.integrated.rightClickBehavior", + "terminal.integrated.cwd", + "terminal.integrated.confirmOnExit", + "terminal.integrated.confirmOnExit.never", + "terminal.integrated.confirmOnExit.always", + "terminal.integrated.confirmOnExit.hasChildProcesses", + "terminal.integrated.confirmOnKill", + "terminal.integrated.confirmOnKill.never", + "terminal.integrated.confirmOnKill.editor", + "terminal.integrated.confirmOnKill.panel", + "terminal.integrated.confirmOnKill.always", + "terminal.integrated.enableBell", + "terminal.integrated.commandsToSkipShell", + "openDefaultSettingsJson", + "openDefaultSettingsJson.capitalized", + "terminal.integrated.allowChords", + "terminal.integrated.allowMnemonics", + "terminal.integrated.env.osx", + "terminal.integrated.env.linux", + "terminal.integrated.env.windows", + "terminal.integrated.environmentChangesIndicator", + "terminal.integrated.environmentChangesIndicator.off", + "terminal.integrated.environmentChangesIndicator.on", + "terminal.integrated.environmentChangesIndicator.warnonly", + "terminal.integrated.environmentChangesRelaunch", + "terminal.integrated.showExitAlert", + "terminal.integrated.splitCwd", + "terminal.integrated.splitCwd.workspaceRoot", + "terminal.integrated.splitCwd.initial", + "terminal.integrated.splitCwd.inherited", + "terminal.integrated.windowsEnableConpty", + "terminal.integrated.wordSeparators", + "terminal.integrated.enableFileLinks", + "terminal.integrated.unicodeVersion.six", + "terminal.integrated.unicodeVersion.eleven", + "terminal.integrated.unicodeVersion", + "terminal.integrated.localEchoLatencyThreshold", + "terminal.integrated.localEchoEnabled", + "terminal.integrated.localEchoEnabled.on", + "terminal.integrated.localEchoEnabled.off", + "terminal.integrated.localEchoEnabled.auto", + "terminal.integrated.localEchoExcludePrograms", + "terminal.integrated.localEchoStyle", + "terminal.integrated.enablePersistentSessions", + "terminal.integrated.persistentSessionReviveProcess", + "terminal.integrated.persistentSessionReviveProcess.onExit", + "terminal.integrated.persistentSessionReviveProcess.onExitAndWindowClose", + "terminal.integrated.persistentSessionReviveProcess.never", + "terminal.integrated.customGlyphs", + "terminal.integrated.autoReplies", + "terminal.integrated.autoReplies.reply", + "terminal.integrated.shellIntegration.enabled", + "terminal.integrated.shellIntegration.decorationsEnabled", + "terminal.integrated.shellIntegration.decorationsEnabled.both", + "terminal.integrated.shellIntegration.decorationsEnabled.gutter", + "terminal.integrated.shellIntegration.decorationsEnabled.overviewRuler", + "terminal.integrated.shellIntegration.decorationsEnabled.never", + "terminal.integrated.shellIntegration.history" ], - "vs/workbench/contrib/timeline/browser/timelinePane": [ - "timeline.loadingMore", - "timeline.loadMore", - "timeline", - "timeline.editorCannotProvideTimeline", - "timeline.noTimelineInfo", - "timeline.editorCannotProvideTimeline", - "timeline.aria.item", - "timeline", - "timeline.loading", - "timelineRefresh", - "timelinePin", - "timelineUnpin", - "refresh", - "timeline", - "timeline.toggleFollowActiveEditorCommand.follow", - "timeline", - "timeline.toggleFollowActiveEditorCommand.unfollow", - "timeline" + "vs/workbench/contrib/terminal/browser/terminalService": [ + "terminalService.terminalCloseConfirmationSingular", + "terminalService.terminalCloseConfirmationPlural", + "terminate", + "localTerminalVirtualWorkspace", + "localTerminalRemote" ], - "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput": [ - "workspaceTrustEditorInputName" + "vs/workbench/contrib/terminal/browser/terminalQuickAccess": [ + "workbench.action.terminal.newplus", + "workbench.action.terminal.newWithProfilePlus", + "renameTerminal" ], - "vs/workbench/contrib/localHistory/browser/localHistoryTimeline": [ - "localHistory" + "vs/workbench/contrib/terminal/browser/terminalIcons": [ + "terminalViewIcon", + "renameTerminalIcon", + "killTerminalIcon", + "newTerminalIcon", + "configureTerminalProfileIcon" ], - "vs/workbench/contrib/localHistory/browser/localHistoryCommands": [ - "localHistory.category", - "localHistory.compareWithFile", - "localHistory.compareWithPrevious", - "localHistory.selectForCompare", - "localHistory.compareWithSelected", - "localHistory.open", - "localHistory.restore", - "localHistoryRestore.source", - "confirmRestoreMessage", - "confirmRestoreDetail", + "vs/workbench/contrib/terminal/browser/terminalMenus": [ { - "key": "restoreButtonLabel", + "key": "miNewTerminal", "comment": [ "&& denotes a mnemonic" ] }, - "unableToRestore", - "localHistory.restoreViaPicker", - "restoreViaPicker.filePlaceholder", - "restoreViaPicker.entryPlaceholder", - "localHistory.rename", - "renameLocalHistoryEntryTitle", - "renameLocalHistoryPlaceholder", - "localHistory.delete", - "confirmDeleteMessage", - "confirmDeleteDetail", { - "key": "deleteButtonLabel", + "key": "miSplitTerminal", "comment": [ "&& denotes a mnemonic" ] }, - "localHistory.deleteAll", - "confirmDeleteAllMessage", - "confirmDeleteAllDetail", { - "key": "deleteAllButtonLabel", + "key": "miRunActiveFile", "comment": [ "&& denotes a mnemonic" ] }, - "localHistory.create", - "createLocalHistoryEntryTitle", - "createLocalHistoryPlaceholder", - "localHistoryEditorLabel", - "localHistoryCompareToFileEditorLabel", - "localHistoryCompareToPreviousEditorLabel" + { + "key": "miRunSelectedText", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "workbench.action.terminal.new.short", + "workbench.action.terminal.copySelection.short", + "workbench.action.terminal.copySelectionAsHtml", + "workbench.action.terminal.paste.short", + "workbench.action.terminal.clear", + "workbench.action.terminal.showsTabs", + "workbench.action.terminal.selectAll", + "workbench.action.terminal.new.short", + "workbench.action.terminal.copySelection.short", + "workbench.action.terminal.copySelectionAsHtml", + "workbench.action.terminal.paste.short", + "workbench.action.terminal.clear", + "workbench.action.terminal.selectAll", + "workbench.action.terminal.newWithProfile.short", + "workbench.action.terminal.new.short", + "workbench.action.terminal.selectDefaultProfile", + "workbench.action.terminal.openSettings", + "workbench.action.terminal.switchTerminal", + "workbench.action.terminal.sizeToContentWidthInstance", + "workbench.action.terminal.renameInstance", + "workbench.action.terminal.changeIcon", + "workbench.action.terminal.changeColor", + "workbench.action.terminal.sizeToContentWidthInstance", + "workbench.action.terminal.joinInstance", + "defaultTerminalProfile", + "defaultTerminalProfile", + "defaultTerminalProfile", + "splitTerminal", + "terminal.new" ], - "vs/workbench/contrib/audioCues/browser/commands": [ - "audioCues.help", - "disabled", - "audioCues.help.settings", - "audioCues.help.placeholder" + "vs/workbench/contrib/terminal/common/terminalStrings": [ + "terminal", + "doNotShowAgain", + "currentSessionCategory", + "previousSessionCategory", + "workbench.action.terminal.focus", + "killTerminal", + "killTerminal.short", + "moveToEditor", + "workbench.action.terminal.moveToTerminalPanel", + "workbench.action.terminal.changeIcon", + "workbench.action.terminal.changeColor", + "splitTerminal", + "splitTerminal.short", + "unsplitTerminal", + "workbench.action.terminal.rename", + "workbench.action.terminal.sizeToContentWidthInstance" ], - "vs/workbench/common/editor/textEditorModel": [ - "languageAutoDetected" + "vs/workbench/contrib/terminal/browser/terminalMainContribution": [ + "ptyHost" ], - "vs/workbench/contrib/workspace/browser/workspaceTrustEditor": [ - "shieldIcon", - "checkListIcon", - "xListIcon", - "folderPickerIcon", - "editIcon", - "removeIcon", - "hostColumnLabel", - "pathColumnLabel", - "trustedFolderAriaLabel", - "trustedFolderWithHostAriaLabel", - "trustedFoldersAndWorkspaces", - "addButton", - "addButton", - "trustUri", - "selectTrustedUri", - "trustedFoldersDescription", - "noTrustedFoldersDescriptions", - "trustAll", - "trustOrg", - "invalidTrust", - "trustUri", - "selectTrustedUri", - "editTrustedUri", - "pickerTrustedUri", - "deleteTrustedUri", - "localAuthority", - "trustedUnsettableWindow", - "trustedHeaderWindow", - "trustedHeaderFolder", - "trustedHeaderWorkspace", - "untrustedHeader", - "trustedWindow", - "untrustedWorkspace", - "trustedWindowSubtitle", - "untrustedWindowSubtitle", - "trustedFolder", - "untrustedWorkspace", - "trustedFolderSubtitle", - "untrustedFolderSubtitle", - "trustedWorkspace", - "untrustedWorkspace", - "trustedWorkspaceSubtitle", - "untrustedWorkspaceSubtitle", - "trustedDescription", - "untrustedDescription", + "vs/workbench/contrib/remote/browser/tunnelFactory": [ + "tunnelPrivacy.private", + "tunnelPrivacy.public" + ], + "vs/workbench/contrib/remote/browser/remote": [ + "RemoteHelpInformationExtPoint", + "RemoteHelpInformationExtPoint.getStarted", + "RemoteHelpInformationExtPoint.documentation", + "RemoteHelpInformationExtPoint.feedback", + "RemoteHelpInformationExtPoint.issues", + "remote.help.getStarted", + "remote.help.documentation", + "remote.help.feedback", + "remote.help.issues", + "remote.help.report", + "pickRemoteExtension", + "remote.help", + "remotehelp", + "remote.explorer", + "remote.explorer", + "reconnectionWaitOne", + "reconnectionWaitMany", + "reconnectNow", + "reloadWindow", + "connectionLost", + "reconnectionRunning", + "reconnectionPermanentFailure", + "reloadWindow", + "cancel" + ], + "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": [ + "hintTimeout", + "removeTimeout", + "hintWhitespace" + ], + "vs/workbench/contrib/remote/browser/remoteIndicator": [ + "remote.category", + "remote.showMenu", + "remote.close", { - "key": "workspaceTrustEditorHeaderActions", + "key": "miCloseRemote", "comment": [ - "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" + "&& denotes a mnemonic" ] }, - "root element label", - "trustedFoldersAndWorkspaces", - "trustedTasks", - "trustedDebugging", - "trustedExtensions", - "trustedTasks", - "trustedDebugging", - "trustedSettings", - "trustedExtensions", - "untrustedTasks", - "untrustedDebugging", + "remote.install", + "host.open", + "host.open", + "host.reconnecting", + "disconnectedFrom", { - "key": "untrustedExtensions", + "key": "host.tooltip", "comment": [ - "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" + "{0} is a remote host name, e.g. Dev Container" ] }, - "untrustedTasks", - "untrustedDebugging", { - "key": "untrustedSettings", + "key": "workspace.tooltip", "comment": [ - "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" + "{0} is a remote workspace name, e.g. GitHub" ] }, - "no untrustedSettings", { - "key": "untrustedExtensions", + "key": "workspace.tooltip2", "comment": [ - "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" + "[features are not available]({1}) is a link. Only translate `features are not available`. Do not change brackets and parentheses or {0}" ] }, - "trustButton", - "trustMessage", - "trustParentButton", - "dontTrustButton", - "untrustedWorkspaceReason", - "untrustedFolderReason", - "trustedForcedReason" + "noHost.tooltip", + "remoteHost", + "closeRemoteConnection.title", + "reloadWindow", + "closeVirtualWorkspace.title", + "installRemotes" ], - "vs/workbench/services/textfile/common/textFileEditorModelManager": [ + "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": [ + "workbench.action.inspectKeyMap", + "workbench.action.inspectKeyMapJSON" + ], + "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": [ + "expandAbbreviationAction", { - "key": "genericSaveError", + "key": "miEmmetExpandAbbreviation", "comment": [ - "{0} is the resource that failed to save and {1} the error message" + "&& denotes a mnemonic" ] } ], - "vs/workbench/browser/parts/notifications/notificationsStatus": [ - "status.notifications", - "status.notifications", - "hideNotifications", - "zeroNotifications", - "noNotifications", - "oneNotification", + "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": [ + "toggleColumnSelection", { - "key": "notifications", + "key": "miColumnSelection", "comment": [ - "{0} will be replaced by a number" + "&& denotes a mnemonic" ] - }, + } + ], + "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": [ + "gotoLine", + "gotoLineQuickAccessPlaceholder", + "gotoLineQuickAccess" + ], + "vs/workbench/contrib/codeEditor/browser/saveParticipants": [ { - "key": "noNotificationsWithProgress", + "key": "formatting2", "comment": [ - "{0} will be replaced by a number" + "[configure]({1}) is a link. Only translate `configure`. Do not change brackets and parentheses or {1}" ] }, + "codeaction", { - "key": "oneNotificationWithProgress", + "key": "codeaction.get2", "comment": [ - "{0} will be replaced by a number" + "[configure]({1}) is a link. Only translate `configure`. Do not change brackets and parentheses or {1}" ] }, + "codeAction.apply" + ], + "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": [ { - "key": "notificationsWithProgress", + "key": "largeFile", "comment": [ - "{0} and {1} will be replaced by a number" + "Variable 0 will be a file name." ] }, - "status.message" - ], - "vs/workbench/browser/parts/notifications/notificationsCenter": [ - "notificationsEmpty", - "notifications", - "notificationsToolbar", - "notificationsCenterWidgetAriaLabel" - ], - "vs/workbench/browser/parts/notifications/notificationsAlerts": [ - "alertErrorMessage", - "alertWarningMessage", - "alertInfoMessage" - ], - "vs/workbench/browser/parts/notifications/notificationsCommands": [ - "notifications", - "showNotifications", - "hideNotifications", - "clearAllNotifications", - "focusNotificationToasts" - ], - "vs/workbench/services/configuration/common/configurationEditingService": [ - "openTasksConfiguration", - "openLaunchConfiguration", - "open", - "openTasksConfiguration", - "openLaunchConfiguration", - "saveAndRetry", - "saveAndRetry", - "open", - "errorPolicyConfiguration", - "errorUnknownKey", - "errorInvalidWorkspaceConfigurationApplication", - "errorInvalidWorkspaceConfigurationMachine", - "errorInvalidFolderConfiguration", - "errorInvalidUserTarget", - "errorInvalidWorkspaceTarget", - "errorInvalidFolderTarget", - "errorInvalidResourceLanguageConfiguration", - "errorNoWorkspaceOpened", - "errorInvalidTaskConfiguration", - "errorInvalidLaunchConfiguration", - "errorInvalidConfiguration", - "errorInvalidRemoteConfiguration", - "errorInvalidConfigurationWorkspace", - "errorInvalidConfigurationFolder", - "errorTasksConfigurationFileDirty", - "errorLaunchConfigurationFileDirty", - "errorConfigurationFileDirty", - "errorRemoteConfigurationFileDirty", - "errorConfigurationFileDirtyWorkspace", - "errorConfigurationFileDirtyFolder", - "errorTasksConfigurationFileModifiedSince", - "errorLaunchConfigurationFileModifiedSince", - "errorConfigurationFileModifiedSince", - "errorRemoteConfigurationFileModifiedSince", - "errorConfigurationFileModifiedSinceWorkspace", - "errorConfigurationFileModifiedSinceFolder", - "errorUnknown", - "userTarget", - "remoteUserTarget", - "workspaceTarget", - "folderTarget" - ], - "vs/workbench/browser/parts/notifications/notificationsToasts": [ - "notificationAriaLabel", - "notificationWithSourceAriaLabel" - ], - "vs/workbench/services/textMate/common/TMGrammars": [ - "vscode.extension.contributes.grammars", - "vscode.extension.contributes.grammars.language", - "vscode.extension.contributes.grammars.scopeName", - "vscode.extension.contributes.grammars.path", - "vscode.extension.contributes.grammars.embeddedLanguages", - "vscode.extension.contributes.grammars.tokenTypes", - "vscode.extension.contributes.grammars.injectTo", - "vscode.extension.contributes.grammars.balancedBracketScopes", - "vscode.extension.contributes.grammars.unbalancedBracketScopes" - ], - "vs/workbench/browser/parts/titlebar/titlebarPart": [ - "layoutControl.hide" - ], - "vs/workbench/contrib/files/browser/editors/textFileEditor": [ - "textFileEditor", - "reveal", - "ok", - "fileIsDirectoryError", - "fileNotFoundError", - "createFile" - ], - "vs/workbench/services/workingCopy/common/workingCopyHistoryTracker": [ - "undoRedo.source" - ], - "vs/workbench/contrib/extensions/electron-sandbox/extensionsSlowActions": [ - "cmd.reportOrShow", - "cmd.report", - "attach.title", - "attach.msg", - "cmd.show", - "attach.title", - "attach.msg2" - ], - "vs/workbench/contrib/extensions/electron-sandbox/reportExtensionIssueAction": [ - "reportExtensionIssue" - ], - "vs/workbench/contrib/terminal/electron-sandbox/terminalRemote": [ - "workbench.action.terminal.newLocal" - ], - "vs/workbench/contrib/terminal/browser/terminalProfileResolverService": [ - "terminalProfileMigration", - "migrateToProfile" + "removeOptimizations", + "reopenFilePrompt" ], - "vs/workbench/contrib/tasks/browser/taskTerminalStatus": [ - "taskTerminalStatus.active", - "taskTerminalStatus.succeeded", - "taskTerminalStatus.succeededInactive", - "taskTerminalStatus.errors", - "taskTerminalStatus.errorsInactive", - "taskTerminalStatus.warnings", - "taskTerminalStatus.warningsInactive", - "taskTerminalStatus.infos", - "taskTerminalStatus.infosInactive" + "vs/workbench/contrib/codeEditor/browser/toggleMinimap": [ + "toggleMinimap", + { + "key": "miMinimap", + "comment": [ + "&& denotes a mnemonic" + ] + } ], - "vs/workbench/contrib/terminal/browser/baseTerminalBackend": [ - "restartPtyHost", - "nonResponsivePtyHost" + "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": [ + "toggleLocation", + "miMultiCursorAlt", + "miMultiCursorCmd", + "miMultiCursorCtrl" ], - "vs/workbench/contrib/tasks/common/taskTemplates": [ - "dotnetCore", - "msbuild", - "externalCommand", - "Maven" + "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": [ + "emergencyConfOn", + "openingDocs", + "introMsg", + "status", + "changeConfigToOnMac", + "changeConfigToOnWinLinux", + "auto_unknown", + "auto_on", + "auto_off", + "configuredOn", + "configuredOff", + "tabFocusModeOnMsg", + "tabFocusModeOnMsgNoKb", + "tabFocusModeOffMsg", + "tabFocusModeOffMsgNoKb", + "openDocMac", + "openDocWinLinux", + "outroMsg", + "ShowAccessibilityHelpAction" ], - "vs/workbench/contrib/localHistory/browser/localHistory": [ - "localHistoryIcon", - "localHistoryRestore" + "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": [ + "toggleRenderControlCharacters", + { + "key": "miToggleRenderControlCharacters", + "comment": [ + "&& denotes a mnemonic" + ] + } ], - "vs/workbench/contrib/tasks/common/taskConfiguration": [ - "ConfigurationParser.invalidCWD", - "ConfigurationParser.inValidArg", - "ConfigurationParser.noShell", - "ConfigurationParser.noName", - "ConfigurationParser.unknownMatcherKind", - "ConfigurationParser.invalidVariableReference", - "ConfigurationParser.noTaskType", - "ConfigurationParser.noTypeDefinition", - "ConfigurationParser.missingType", - "ConfigurationParser.incorrectType", - "ConfigurationParser.notCustom", - "ConfigurationParser.noTaskName", - "taskConfiguration.providerUnavailable", - "taskConfiguration.noCommandOrDependsOn", - "taskConfiguration.noCommand", + "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": [ + "editorWordWrap", + "toggle.wordwrap", + "unwrapMinified", + "wrapMinified", { - "key": "TaskParse.noOsSpecificGlobalTasks", + "key": "miToggleWordWrap", "comment": [ - "\"Task version 2.0.0\" refers to the 2.0.0 version of the task system. The \"version 2.0.0\" is not localizable as it is a json key and value." + "&& denotes a mnemonic" ] } ], - "vs/workbench/contrib/tasks/browser/taskQuickPick": [ - "taskQuickPick.showAll", - "configureTaskIcon", - "removeTaskIcon", - "configureTask", - "contributedTasks", - "taskType", - "removeRecent", - "recentlyUsed", - "configured", - "configured", - "TaskQuickPick.changeSettingNo", - "TaskQuickPick.changeSettingYes", - "TaskQuickPick.changeSettingDetails", - "TaskService.pickRunTask", - "TaskQuickPick.changeSettingsOptions", - "TaskQuickPick.goBack", - "TaskQuickPick.noTasksForType", - "noProviderForTask" + "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": [ + "inspectEditorTokens", + "inspectTMScopesWidget.loading" ], - "vs/workbench/services/extensions/common/extensionsUtil": [ - "overwritingExtension", - "overwritingExtension", - "extensionUnderDevelopment" + "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": [ + "toggleRenderWhitespace", + { + "key": "miToggleRenderWhitespace", + "comment": [ + "&& denotes a mnemonic" + ] + } ], - "vs/workbench/services/extensions/common/extensionHostManager": [ - "measureExtHostLatency" + "vs/workbench/contrib/terminal/browser/terminalTabbedView": [ + "moveTabsRight", + "moveTabsLeft", + "hideTabs" ], - "vs/workbench/api/common/extHostDiagnostics": [ + "vs/workbench/contrib/codeEditor/browser/untitledTextEditorHint": [ { - "key": "limitHit", + "key": "message", "comment": [ - "amount of errors/warning skipped due to limits" + "Presereve double-square brackets and their order" ] } ], - "vs/workbench/api/common/extHostProgress": [ - "extensionSource" + "vs/workbench/contrib/terminal/browser/terminalTooltip": [ + "shellIntegration.enabled", + "launchFailed.exitCodeOnlyShellIntegration", + "shellIntegration.activationFailed" ], - "vs/workbench/api/common/extHostStatusBar": [ - "extensionLabel", - "status.extensionMessage" + "vs/workbench/contrib/tasks/browser/tasksQuickAccess": [ + "noTaskResults", + "TaskService.pickRunTask" ], - "vs/workbench/api/common/extHostTreeViews": [ - "treeView.notRegistered", - "treeView.notRegistered", - "treeView.notRegistered", - "treeView.notRegistered", - "treeView.notRegistered", - "treeView.notRegistered", - "treeView.notRegistered", - "treeView.notRegistered", - "treeView.duplicateElement" + "vs/workbench/contrib/tasks/common/jsonSchema_v1": [ + "JsonSchema.version.deprecated", + "JsonSchema.version", + "JsonSchema._runner", + "JsonSchema.runner", + "JsonSchema.windows", + "JsonSchema.mac", + "JsonSchema.linux", + "JsonSchema.shell" ], - "vs/editor/browser/widget/diffReview": [ - "diffReviewInsertIcon", - "diffReviewRemoveIcon", - "diffReviewCloseIcon", - "label.close", - "no_lines_changed", - "one_line_changed", - "more_lines_changed", - { - "key": "header", - "comment": [ - "This is the ARIA label for a git diff header.", - "A git diff header looks like this: @@ -154,12 +159,39 @@.", - "That encodes that at original line 154 (which is now line 159), 12 lines were removed/changed with 39 lines.", - "Variables 0 and 1 refer to the diff index out of total number of diffs.", - "Variables 2 and 4 will be numbers (a line number).", - "Variables 3 and 5 will be \"no lines changed\", \"1 line changed\" or \"X lines changed\", localized separately." - ] - }, - "blankLine", + "vs/workbench/contrib/tasks/browser/runAutomaticTasks": [ + "tasks.run.allowAutomatic", + "allow", + "disallow", + "openTask", + "openTasks", + "workbench.action.tasks.manageAutomaticRunning", + "workbench.action.tasks.allowAutomaticTasks", + "workbench.action.tasks.disallowAutomaticTasks" + ], + "vs/workbench/contrib/tasks/common/jsonSchema_v2": [ + "JsonSchema.shell", + "JsonSchema.tasks.isShellCommand.deprecated", + "JsonSchema.hide", + "JsonSchema.tasks.dependsOn.identifier", + "JsonSchema.tasks.dependsOn.string", + "JsonSchema.tasks.dependsOn.array", + "JsonSchema.tasks.dependsOn", + "JsonSchema.tasks.dependsOrder.parallel", + "JsonSchema.tasks.dependsOrder.sequence", + "JsonSchema.tasks.dependsOrder", + "JsonSchema.tasks.detail", + "JsonSchema.tasks.icon", + "JsonSchema.tasks.icon.id", + "JsonSchema.tasks.icon.color", + "JsonSchema.tasks.presentation", + "JsonSchema.tasks.presentation.echo", + "JsonSchema.tasks.presentation.focus", + "JsonSchema.tasks.presentation.revealProblems.always", + "JsonSchema.tasks.presentation.revealProblems.onProblem", + "JsonSchema.tasks.presentation.revealProblems.never", + "JsonSchema.tasks.presentation.revealProblems", + "JsonSchema.tasks.presentation.reveal.always", + "JsonSchema.tasks.presentation.reveal.silent", + "JsonSchema.tasks.presentation.reveal.never", + "JsonSchema.tasks.presentation.reveal", + "JsonSchema.tasks.presentation.instance", + "JsonSchema.tasks.presentation.showReuseMessage", + "JsonSchema.tasks.presentation.clear", + "JsonSchema.tasks.presentation.group", + "JsonSchema.tasks.presentation.close", + "JsonSchema.tasks.terminal", + "JsonSchema.tasks.group.build", + "JsonSchema.tasks.group.test", + "JsonSchema.tasks.group.none", + "JsonSchema.tasks.group.kind", + "JsonSchema.tasks.group.isDefault", + "JsonSchema.tasks.group.defaultBuild", + "JsonSchema.tasks.group.defaultTest", + "JsonSchema.tasks.group", + "JsonSchema.tasks.type", + "JsonSchema.commandArray", + "JsonSchema.commandArray", + "JsonSchema.command.quotedString.value", + "JsonSchema.tasks.quoting.escape", + "JsonSchema.tasks.quoting.strong", + "JsonSchema.tasks.quoting.weak", + "JsonSchema.command.quotesString.quote", + "JsonSchema.command", + "JsonSchema.args.quotedString.value", + "JsonSchema.tasks.quoting.escape", + "JsonSchema.tasks.quoting.strong", + "JsonSchema.tasks.quoting.weak", + "JsonSchema.args.quotesString.quote", + "JsonSchema.tasks.args", + "JsonSchema.tasks.label", + "JsonSchema.version", + "JsonSchema.tasks.identifier", + "JsonSchema.tasks.identifier.deprecated", + "JsonSchema.tasks.reevaluateOnRerun", + "JsonSchema.tasks.runOn", + "JsonSchema.tasks.instanceLimit", + "JsonSchema.tasks.runOptions", + "JsonSchema.tasks.taskLabel", + "JsonSchema.tasks.taskName", + "JsonSchema.tasks.taskName.deprecated", + "JsonSchema.tasks.background", + "JsonSchema.tasks.promptOnClose", + "JsonSchema.tasks.matchers", + "JsonSchema.customizations.customizes.type", + "JsonSchema.tasks.customize.deprecated", + "JsonSchema.tasks.taskName.deprecated", + "JsonSchema.tasks.showOutput.deprecated", + "JsonSchema.tasks.echoCommand.deprecated", + "JsonSchema.tasks.suppressTaskName.deprecated", + "JsonSchema.tasks.isBuildCommand.deprecated", + "JsonSchema.tasks.isTestCommand.deprecated", + "JsonSchema.tasks.type", + "JsonSchema.tasks.suppressTaskName.deprecated", + "JsonSchema.tasks.taskSelector.deprecated", + "JsonSchema.windows", + "JsonSchema.mac", + "JsonSchema.linux" + ], + "vs/workbench/contrib/format/browser/formatActionsNone": [ + "formatDocument.label.multiple", + "too.large", + "no.provider", + "install.formatter", + "cancel" + ], + "vs/workbench/contrib/tasks/common/problemMatcher": [ + "ProblemPatternParser.problemPattern.missingRegExp", + "ProblemPatternParser.loopProperty.notLast", + "ProblemPatternParser.problemPattern.kindProperty.notFirst", + "ProblemPatternParser.problemPattern.missingProperty", + "ProblemPatternParser.problemPattern.missingLocation", + "ProblemPatternParser.invalidRegexp", + "ProblemPatternSchema.regexp", + "ProblemPatternSchema.kind", + "ProblemPatternSchema.file", + "ProblemPatternSchema.location", + "ProblemPatternSchema.line", + "ProblemPatternSchema.column", + "ProblemPatternSchema.endLine", + "ProblemPatternSchema.endColumn", + "ProblemPatternSchema.severity", + "ProblemPatternSchema.code", + "ProblemPatternSchema.message", + "ProblemPatternSchema.loop", + "NamedProblemPatternSchema.name", + "NamedMultiLineProblemPatternSchema.name", + "NamedMultiLineProblemPatternSchema.patterns", + "ProblemPatternExtPoint", + "ProblemPatternRegistry.error", + "ProblemPatternRegistry.error", + "ProblemMatcherParser.noProblemMatcher", + "ProblemMatcherParser.noProblemPattern", + "ProblemMatcherParser.noOwner", + "ProblemMatcherParser.noFileLocation", + "ProblemMatcherParser.unknownSeverity", + "ProblemMatcherParser.noDefinedPatter", + "ProblemMatcherParser.noIdentifier", + "ProblemMatcherParser.noValidIdentifier", + "ProblemMatcherParser.problemPattern.watchingMatcher", + "ProblemMatcherParser.invalidRegexp", + "WatchingPatternSchema.regexp", + "WatchingPatternSchema.file", + "PatternTypeSchema.name", + "PatternTypeSchema.description", + "ProblemMatcherSchema.base", + "ProblemMatcherSchema.owner", + "ProblemMatcherSchema.source", + "ProblemMatcherSchema.severity", + "ProblemMatcherSchema.applyTo", + "ProblemMatcherSchema.fileLocation", + "ProblemMatcherSchema.background", + "ProblemMatcherSchema.background.activeOnStart", + "ProblemMatcherSchema.background.beginsPattern", + "ProblemMatcherSchema.background.endsPattern", + "ProblemMatcherSchema.watching.deprecated", + "ProblemMatcherSchema.watching", + "ProblemMatcherSchema.watching.activeOnStart", + "ProblemMatcherSchema.watching.beginsPattern", + "ProblemMatcherSchema.watching.endsPattern", + "LegacyProblemMatcherSchema.watchedBegin.deprecated", + "LegacyProblemMatcherSchema.watchedBegin", + "LegacyProblemMatcherSchema.watchedEnd.deprecated", + "LegacyProblemMatcherSchema.watchedEnd", + "NamedProblemMatcherSchema.name", + "NamedProblemMatcherSchema.label", + "ProblemMatcherExtPoint", + "msCompile", + "lessCompile", + "gulp-tsc", + "jshint", + "jshint-stylish", + "eslint-compact", + "eslint-stylish", + "go" + ], + "vs/workbench/contrib/format/browser/formatModified": [ + "formatChanges" + ], + "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": [ + "TaskDefinition.description", + "TaskDefinition.properties", + "TaskDefinition.when", + "TaskTypeConfiguration.noType", + "TaskDefinitionExtPoint" + ], + "vs/workbench/contrib/format/browser/formatActionsMultiple": [ + "null", + "nullFormatterDescription", + "miss", + "config.needed", + "config.bad", + "miss.1", + "do.config", + "cancel", + "do.config", + "select", + "do.config", + "summary", + "formatter", + "formatter.default", + "def", + "config", + "format.placeHolder", + "select", + "formatDocument.label.multiple", + "formatSelection.label.multiple" + ], + "vs/workbench/contrib/snippets/browser/commands/surroundWithSnippet": [ + "label" + ], + "vs/workbench/contrib/snippets/browser/commands/configureSnippets": [ + "global.scope", + "global.1", + "name", + "bad_name1", + "bad_name2", + "bad_name3", + "openSnippet.label", + "userSnippets", { - "key": "unchangedLine", + "key": "miOpenSnippets", "comment": [ - "The placeholders are contents of the line and should not be translated." + "&& denotes a mnemonic" ] }, - "equalLine", - "insertLine", - "deleteLine", - "editor.action.diffReview.next", - "editor.action.diffReview.prev" + "new.global_scope", + "new.global", + "new.workspace_scope", + "new.folder", + "group.global", + "new.global.sep", + "new.global.sep", + "openSnippet.pickLanguage" ], - "vs/editor/browser/widget/inlineDiffMargin": [ - "diff.clipboard.copyDeletedLinesContent.label", - "diff.clipboard.copyDeletedLinesContent.single.label", - "diff.clipboard.copyChangedLinesContent.label", - "diff.clipboard.copyChangedLinesContent.single.label", - "diff.clipboard.copyDeletedLineContent.label", - "diff.clipboard.copyChangedLineContent.label", - "diff.inline.revertChange.label", - "diff.clipboard.copyDeletedLineContent.label", - "diff.clipboard.copyChangedLineContent.label" + "vs/workbench/contrib/snippets/browser/snippetsService": [ + "invalid.path.0", + "invalid.language.0", + "invalid.language", + "invalid.path.1", + "vscode.extension.contributes.snippets", + "vscode.extension.contributes.snippets-language", + "vscode.extension.contributes.snippets-path", + "badVariableUse", + "badFile" ], - "vs/editor/contrib/codeAction/browser/codeActionCommands": [ - "args.schema.kind", - "args.schema.apply", - "args.schema.apply.first", - "args.schema.apply.ifSingle", - "args.schema.apply.never", - "args.schema.preferred", - "applyCodeActionFailed", - "quickfix.trigger.label", - "editor.action.quickFix.noneMessage", - "editor.action.codeAction.noneMessage.preferred.kind", - "editor.action.codeAction.noneMessage.kind", - "editor.action.codeAction.noneMessage.preferred", - "editor.action.codeAction.noneMessage", - "refactor.label", - "editor.action.refactor.noneMessage.preferred.kind", - "editor.action.refactor.noneMessage.kind", - "editor.action.refactor.noneMessage.preferred", - "editor.action.refactor.noneMessage", - "source.label", - "editor.action.source.noneMessage.preferred.kind", - "editor.action.source.noneMessage.kind", - "editor.action.source.noneMessage.preferred", - "editor.action.source.noneMessage", - "organizeImports.label", - "editor.action.organize.noneMessage", - "fixAll.label", - "fixAll.noneMessage", - "autoFix.label", - "editor.action.autoFix.noneMessage" + "vs/workbench/contrib/snippets/browser/commands/insertSnippet": [ + "snippet.suggestions.label" ], - "vs/editor/contrib/find/browser/findWidget": [ - "findSelectionIcon", - "findCollapsedIcon", - "findExpandedIcon", - "findReplaceIcon", - "findReplaceAllIcon", - "findPreviousMatchIcon", - "findNextMatchIcon", - "label.find", - "placeholder.find", - "label.previousMatchButton", - "label.nextMatchButton", - "label.toggleSelectionFind", - "label.closeButton", - "label.replace", - "placeholder.replace", - "label.replaceButton", - "label.replaceAllButton", - "label.toggleReplaceButton", - "title.matchesCountLimit", - "label.matchesLocation", - "label.noResults", - "ariaSearchNoResultEmpty", - "ariaSearchNoResult", - "ariaSearchNoResultWithLineNum", - "ariaSearchNoResultWithLineNumNoCurrentMatch", - "ctrlEnter.keybindingChanged" + "vs/workbench/contrib/snippets/browser/commands/fileTemplateSnippets": [ + "label", + "placeholder" ], - "vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": [ - "showNextInlineSuggestion", - "showPreviousInlineSuggestion", - "acceptInlineSuggestion", - "inlineSuggestionFollows" + "vs/workbench/contrib/audioCues/browser/audioCueService": [ + "audioCues.lineHasError.name", + "audioCues.lineHasWarning.name", + "audioCues.lineHasFoldedArea.name", + "audioCues.lineHasBreakpoint.name", + "audioCues.lineHasInlineSuggestion.name", + "audioCues.onDebugBreak.name", + "audioCues.noInlayHints" ], - "vs/editor/contrib/inlineCompletions/browser/ghostTextController": [ - "inlineSuggestionVisible", - "inlineSuggestionHasIndentation", - "inlineSuggestionHasIndentationLessThanTabSize", - "action.inlineSuggest.showNext", - "action.inlineSuggest.showPrevious", - "action.inlineSuggest.trigger" + "vs/workbench/contrib/snippets/browser/snippetCodeActionProvider": [ + "codeAction", + "overflow.start.title", + "title" ], - "vs/editor/contrib/folding/browser/foldingDecorations": [ - "foldingExpandedIcon", - "foldingCollapsedIcon" + "vs/base/browser/ui/keybindingLabel/keybindingLabel": [ + "unbound" ], - "vs/editor/contrib/format/browser/format": [ - "hint11", - "hintn1", - "hint1n", - "hintnn" + "vs/workbench/contrib/welcomeViews/common/viewsWelcomeContribution": [ + "ViewsWelcomeExtensionPoint.proposedAPI" ], - "vs/editor/contrib/gotoSymbol/browser/referencesModel": [ - "aria.oneReference", + "vs/workbench/contrib/welcomeWalkthrough/browser/walkThroughPart": [ + "walkThrough.unboundCommand", + "walkThrough.gitNotFound", + "walkThrough.embeddedEditorBackground" + ], + "vs/workbench/contrib/update/browser/update": [ + "releaseNotes", + "update.noReleaseNotesOnline", + "releaseNotes", + "showReleaseNotes", + "read the release notes", + "releaseNotes", + "updateIsReady", + "checkingForUpdates", + "downloading", + "updating", + "update service", + "noUpdatesAvailable", + "thereIsUpdateAvailable", + "download update", + "later", + "releaseNotes", + "updateAvailable", + "installUpdate", + "later", + "releaseNotes", + "updateNow", + "later", + "releaseNotes", + "updateAvailableAfterRestart", + "checkForUpdates", + "checkingForUpdates", + "download update_1", + "DownloadingUpdate", + "installUpdate...", + "installingUpdate", + "restartToUpdate", + "switchToInsiders", + "switchToStable", + "relaunchMessage", + "relaunchDetailInsiders", + "relaunchDetailStable", + "reload", + "selectSyncService.message", + "use insiders", + "use stable", + "cancel", + "selectSyncService.detail", + "checkForUpdates" + ], + "vs/workbench/contrib/welcomeViews/common/viewsWelcomeExtensionPoint": [ + "contributes.viewsWelcome", + "contributes.viewsWelcome.view", + "contributes.viewsWelcome.view.view", + "contributes.viewsWelcome.view.view", + "contributes.viewsWelcome.view.contents", + "contributes.viewsWelcome.view.when", + "contributes.viewsWelcome.view.group", + "contributes.viewsWelcome.view.enablement" + ], + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted": [ + "welcomeAriaLabel", + "pickWalkthroughs", + "getStarted", + "checkboxTitle", + "welcomePage.showOnStartup", { - "key": "aria.oneReference.preview", + "key": "gettingStarted.editingEvolved", "comment": [ - "Placeholders are: 0: filename, 1:line number, 2: column number, 3: preview snippet of source code" + "Shown as subtitle on the Welcome page." ] }, - "aria.fileReferences.1", - "aria.fileReferences.N", - "aria.result.0", - "aria.result.1", - "aria.result.n1", - "aria.result.nm" + "welcomePage.openFolderWithPath", + "recent", + "noRecents", + "openFolder", + "toStart", + "show more recents", + "start", + "new", + { + "key": "newItems", + "comment": [ + "Shown when a list of items has changed based on an update from a remote source" + ] + }, + "close", + "walkthroughs", + "showAll", + "gettingStarted.allStepsComplete", + "gettingStarted.someStepsComplete", + "gettingStarted.keyboardTip", + "imageShowing", + "allDone", + "nextOne", + "privacy statement", + "optOut", + { + "key": "footer", + "comment": [ + "fist substitution is \"vs code\", second is \"privacy statement\", third is \"opt out\"." + ] + } ], - "vs/editor/contrib/gotoSymbol/browser/symbolNavigation": [ - "hasSymbols", - "location.kb", - "location" + "vs/workbench/contrib/welcomeWalkthrough/browser/editor/editorWalkThrough": [ + "editorWalkThrough.title", + "editorWalkThrough" ], - "vs/editor/contrib/gotoError/browser/gotoErrorWidget": [ - "Error", - "Warning", - "Info", - "Hint", - "marker aria", - "problems", - "change", - "editorMarkerNavigationError", - "editorMarkerNavigationErrorHeaderBackground", - "editorMarkerNavigationWarning", - "editorMarkerNavigationWarningBackground", - "editorMarkerNavigationInfo", - "editorMarkerNavigationInfoHeaderBackground", - "editorMarkerNavigationBackground" + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedService": [ + "builtin", + "developer", + "resetWelcomePageWalkthroughProgress" ], - "vs/editor/contrib/gotoSymbol/browser/peek/referencesController": [ - "referenceSearchVisible", - "labelLoading", - "metaTitle.N" - ], - "vs/editor/contrib/message/browser/messageController": [ - "messageVisible", - "editor.readonly" - ], - "vs/editor/contrib/hover/browser/markerHoverParticipant": [ - "view problem", - "noQuickFixes", - "checkingForQuickFixes", - "noQuickFixes", - "quick fixes" - ], - "vs/editor/contrib/inlayHints/browser/inlayHintsHover": [ - "hint.dbl", - "links.navigate.kb.meta.mac", - "links.navigate.kb.meta", - "links.navigate.kb.alt.mac", - "links.navigate.kb.alt", - "hint.defAndCommand", - "hint.def", - "hint.cmd" - ], - "vs/editor/contrib/hover/browser/markdownHoverParticipant": [ - "modesContentHover.loading", - "too many characters" - ], - "vs/editor/contrib/rename/browser/renameInputField": [ - "renameInputVisible", - "renameAriaLabel", - { - "key": "label", - "comment": [ - "placeholders are keybindings, e.g \"F2 to Rename, Shift+F2 to Preview\"" - ] - } + "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": [ + "callFrom", + "callsTo", + "title.loading", + "empt.callsFrom", + "empt.callsTo" ], - "vs/editor/contrib/parameterHints/browser/parameterHintsWidget": [ - "parameterHintsNextIcon", - "parameterHintsPreviousIcon", - "hint", - "editorHoverWidgetHighlightForeground" + "vs/workbench/contrib/outline/browser/outlinePane": [ + "no-editor", + "loading", + "no-symbols", + "collapse", + "followCur", + "filterOnType", + "sortByPosition", + "sortByName", + "sortByKind" ], - "vs/editor/contrib/suggest/browser/suggestWidget": [ - "editorSuggestWidgetBackground", - "editorSuggestWidgetBorder", - "editorSuggestWidgetForeground", - "editorSuggestWidgetSelectedForeground", - "editorSuggestWidgetSelectedIconForeground", - "editorSuggestWidgetSelectedBackground", - "editorSuggestWidgetHighlightForeground", - "editorSuggestWidgetFocusHighlightForeground", - "editorSuggestWidgetStatusForeground", - "suggestWidget.loading", - "suggestWidget.noSuggestions", - "suggest", - "label.full", - "label.detail", - "label.desc", - "ariaCurrenttSuggestionReadDetails" + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedIcons": [ + "gettingStartedUnchecked", + "gettingStartedChecked" ], - "vs/workbench/api/browser/mainThreadWebviews": [ - "errorMessage" + "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyPeek": [ + "supertypes", + "subtypes", + "title.loading", + "empt.supertypes", + "empt.subtypes" ], - "vs/workbench/browser/parts/editor/textEditor": [ - "editor" + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedInput": [ + "getStarted" ], - "vs/workbench/api/browser/mainThreadCustomEditors": [ - "defaultEditLabel" + "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": [ + "status.feedback", + "status.feedback.name", + "status.feedback", + "status.feedback" ], - "vs/platform/theme/common/tokenClassificationRegistry": [ - "schema.token.settings", - "schema.token.foreground", - "schema.token.background.warning", - "schema.token.fontStyle", - "schema.fontStyle.error", - "schema.token.fontStyle.none", - "schema.token.bold", - "schema.token.italic", - "schema.token.underline", - "schema.token.strikethrough", - "comment", - "string", - "keyword", - "number", - "regexp", - "operator", - "namespace", - "type", - "struct", - "class", - "interface", - "enum", - "typeParameter", - "function", - "member", - "method", - "macro", - "variable", - "parameter", - "property", - "enumMember", - "event", - "decorator", - "labels", - "declaration", - "documentation", - "static", - "abstract", - "deprecated", - "modification", - "async", - "readonly" + "vs/workbench/contrib/codeActions/browser/codeActionsContribution": [ + "codeActionsOnSave.fixAll", + "codeActionsOnSave", + "codeActionsOnSave.generic" ], - "vs/workbench/contrib/comments/browser/commentsView": [ - "rootCommentsLabel", - "resourceWithCommentThreadsLabel", - "resourceWithCommentLabel", - "collapseAll" + "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": [ + "contributes.documentation", + "contributes.documentation.refactorings", + "contributes.documentation.refactoring", + "contributes.documentation.refactoring.title", + "contributes.documentation.refactoring.when", + "contributes.documentation.refactoring.command" ], - "vs/workbench/contrib/comments/browser/commentsTreeViewer": [ - "commentsCount", - "commentCount", - "imageWithLabel", - "image", - "commentLine", - "commentRange", - "lastReplyFrom" + "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": [ + "contributes.codeActions", + "contributes.codeActions.languages", + "contributes.codeActions.kind", + "contributes.codeActions.title", + "contributes.codeActions.description" ], - "vs/workbench/contrib/testing/common/testResult": [ - "runFinished" + "vs/workbench/contrib/editSessions/common/editSessions": [ + "session sync", + "edit sessions", + "editSessionViewIcon" ], - "vs/workbench/browser/parts/compositeBarActions": [ - "titleKeybinding", - "badgeTitle", - "additionalViews", - "numberBadge", - "manageExtension", - "hide", - "keep", - "toggle" + "vs/workbench/contrib/timeline/browser/timelinePane": [ + "timeline.loadingMore", + "timeline.loadMore", + "timeline", + "timeline.editorCannotProvideTimeline", + "timeline.noTimelineInfo", + "timeline.editorCannotProvideTimeline", + "timeline.aria.item", + "timeline", + "timeline.loading", + "timelineRefresh", + "timelinePin", + "timelineUnpin", + "refresh", + "timeline", + "timeline.toggleFollowActiveEditorCommand.follow", + "timeline", + "timeline.toggleFollowActiveEditorCommand.unfollow", + "timeline" ], - "vs/base/browser/ui/tree/treeDefaults": [ - "collapse all" + "vs/workbench/contrib/editSessions/browser/editSessionsViews": [ + "edit sessions data", + "workbench.editSessions.actions.resume", + "workbench.editSessions.actions.delete", + "confirm delete", + "open file" ], - "vs/base/browser/ui/splitview/paneview": [ - "viewSection" + "vs/workbench/contrib/editSessions/browser/editSessionsWorkbenchService": [ + "account preference", + "choose account placeholder", + "signed in", + "others", + "sign in using account", + "reset auth.v2", + "sign out of edit sessions clear data prompt", + "delete all edit sessions", + "clear data confirm" ], - "vs/workbench/contrib/remote/browser/remoteIcons": [ - "getStartedIcon", - "documentationIcon", - "feedbackIcon", - "reviewIssuesIcon", - "reportIssuesIcon", - "remoteExplorerViewIcon", - "portsViewIcon", - "portIcon", - "privatePortIcon", - "forwardPortIcon", - "stopForwardIcon", - "openBrowserIcon", - "openPreviewIcon", - "copyAddressIcon", - "labelPortIcon", - "forwardedPortWithoutProcessIcon", - "forwardedPortWithProcessIcon" + "vs/workbench/contrib/localHistory/browser/localHistoryTimeline": [ + "localHistory" ], - "vs/workbench/contrib/remote/browser/tunnelView": [ - "tunnel.forwardedPortsViewEnabled", - "remote.tunnelsView.addPort", - "tunnelPrivacy.private", - "tunnel.portColumn.label", - "tunnel.portColumn.tooltip", - "tunnel.addressColumn.label", - "tunnel.addressColumn.tooltip", - "portsLink.followLinkAlt.mac", - "portsLink.followLinkAlt", - "portsLink.followLinkCmd", - "portsLink.followLinkCtrl", - "tunnel.processColumn.label", - "tunnel.processColumn.tooltip", - "tunnel.originColumn.label", - "tunnel.originColumn.tooltip", - "tunnel.privacyColumn.label", - "tunnel.privacyColumn.tooltip", - "remote.tunnelsView.input", - "tunnelView.runningProcess.inacessable", - "remote.tunnel.tooltipForwarded", - "remote.tunnel.tooltipCandidate", - "tunnel.iconColumn.running", - "tunnel.iconColumn.notRunning", - "remote.tunnel.tooltipName", - "tunnelPrivacy.unknown", - "tunnelPrivacy.private", - "tunnel.focusContext", - "remote.tunnel", - "tunnelView", - "remote.tunnel.label", - "remote.tunnelsView.labelPlaceholder", - "remote.tunnelsView.portNumberValid", - "remote.tunnelsView.portNumberToHigh", - "remote.tunnelView.inlineElevationMessage", - "remote.tunnelView.alreadyForwarded", - "remote.tunnel.forward", - "remote.tunnel.forwardItem", - "remote.tunnel.forwardPrompt", - "remote.tunnel.forwardError", - "remote.tunnel.closeNoPorts", - "remote.tunnel.close", - "remote.tunnel.closePlaceholder", - "remote.tunnel.open", - "remote.tunnel.openPreview", - "remote.tunnel.openCommandPalette", - "remote.tunnel.openCommandPaletteNone", - "remote.tunnel.openCommandPaletteView", - "remote.tunnel.openCommandPalettePick", - "remote.tunnel.copyAddressInline", - "remote.tunnel.copyAddressCommandPalette", - "remote.tunnel.copyAddressPlaceholdter", - "remote.tunnel.changeLocalPort", - "remote.tunnel.changeLocalPortNumber", - "remote.tunnelsView.changePort", - "remote.tunnel.protocolHttp", - "remote.tunnel.protocolHttps", - "tunnelContext.privacyMenu", - "tunnelContext.protocolMenu", - "portWithRunningProcess.foreground" - ], - "vs/workbench/browser/parts/compositeBar": [ - "activityBarAriaLabel" - ], - "vs/workbench/browser/parts/activitybar/activitybarActions": [ - "manageTrustedExtensions", - "signOut", - "authProviderUnavailable", - "noAccounts", - "hideAccounts", - "previousSideBarView", - "nextSideBarView", - "focusActivityBar" - ], - "vs/workbench/browser/parts/sidebar/sidebarActions": [ - "focusSideBar" - ], - "vs/workbench/browser/parts/compositePart": [ - "ariaCompositeToolbarLabel", - "viewsAndMoreActions", - "titleTooltip" - ], - "vs/workbench/browser/parts/editor/editorPanes": [ - "ok", + "vs/workbench/contrib/userDataSync/browser/userDataSync": [ + "turn on sync with category", + "stop sync", + "configure sync", + "showConflicts", + "showKeybindingsConflicts", + "showSnippetsConflicts", + "showTasksConflicts", + "sync now", + "syncing", + "synced with time", + "sync settings", + "show synced data", + "conflicts detected", + "replace remote", + "replace local", + "show conflicts", + "accept failed", + "accept failed", + "session expired", + "turn on sync", + "turned off", + "turn on sync", + "too large", + "error upgrade required", + "operationId", + "error reset required", + "reset", + "show synced data action", + "service switched to insiders", + "service switched to stable", + "using separate service", + "service changed and turned off", + "turn on sync", + "operationId", + "open file", + "errorInvalidConfiguration", + "open file", + "has conflicts", + "turning on syncing", + "settings sync is off", + "sign in to sync", + "settings sync is off", + "turn on settings sync", "cancel", - "editorOpenErrorDialog" - ], - "vs/base/browser/ui/toolbar/toolbar": [ - "moreActions" - ], - "vs/workbench/browser/parts/titlebar/menubarControl": [ - { - "key": "mFile", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "mEdit", - "comment": [ - "&& denotes a mnemonic" - ] - }, - { - "key": "mSelection", - "comment": [ - "&& denotes a mnemonic" - ] - }, + "turnon sync after initialization message", { - "key": "mView", + "key": "change later", "comment": [ - "&& denotes a mnemonic" + "Context here is that user can change (turn on/off) settings sync later." ] }, + "learn more", + "no authentication providers", + "too large while starting sync", + "error upgrade required while starting sync", + "operationId", + "error reset required while starting sync", + "reset", + "show synced data action", + "auth failed", + "turn on failed with user data sync error", { - "key": "mGoto", + "key": "turn on failed", "comment": [ - "&& denotes a mnemonic" + "Substitution is for error reason" ] }, + "sign in and turn on", + "configure and turn on sync detail", + "per platform", + "configure sync", + "configure sync placeholder", + "turn off sync confirmation", + "turn off sync detail", { - "key": "mTerminal", + "key": "turn off", "comment": [ "&& denotes a mnemonic" ] }, + "turn off sync everywhere", { - "key": "mHelp", + "key": "remoteResourceName", "comment": [ - "&& denotes a mnemonic" + "remote as in file in cloud" ] }, - "mPreferences", - "menubar.customTitlebarAccessibilityNotification", - "goToSetting", - "focusMenu", + "localResourceName", + "Yours", + "Theirs", + "switchSyncService.title", + "switchSyncService.description", + "default", + "insiders", + "stable", + "global activity turn on sync", + "global activity turn on sync", + "global activity turn on sync", + "ask to turn on in global", + "turnin on sync", + "sign in global", + "sign in accounts", + "resolveConflicts_global", + "resolveConflicts_global", + "resolveKeybindingsConflicts_global", + "resolveKeybindingsConflicts_global", + "resolveTasksConflicts_global", + "resolveTasksConflicts_global", + "resolveSnippetsConflicts_global", + "resolveSnippetsConflicts_global", + "sync is on", + "workbench.action.showSyncRemoteBackup", + "turn off failed", + "configure", + "show sync log title", + "show sync log toolrip", + "accept merges title", + "workbench.actions.syncData.reset" + ], + "vs/workbench/contrib/userDataProfile/browser/userDataProfile": [ + "settingsProfilesIcon", + "workbench.experimental.settingsProfiles.enabled", + "manageProfiles", + "manageProfiles", + "currentProfile", + "profileTooltip", + "statusBarItemSettingsProfileForeground", + "statusBarItemSettingsProfileBackground" + ], + "vs/workbench/contrib/audioCues/browser/commands": [ + "audioCues.help", + "disabled", + "audioCues.help.settings", + "audioCues.help.placeholder" + ], + "vs/workbench/contrib/localHistory/browser/localHistoryCommands": [ + "localHistory.category", + "localHistory.compareWithFile", + "localHistory.compareWithPrevious", + "localHistory.selectForCompare", + "localHistory.compareWithSelected", + "localHistory.open", + "localHistory.restore", + "localHistoryRestore.source", + "confirmRestoreMessage", + "confirmRestoreDetail", { - "key": "checkForUpdates", + "key": "restoreButtonLabel", "comment": [ "&& denotes a mnemonic" ] }, - "checkingForUpdates", + "unableToRestore", + "localHistory.restoreViaPicker", + "restoreViaPicker.filePlaceholder", + "restoreViaPicker.entryPlaceholder", + "localHistory.rename", + "renameLocalHistoryEntryTitle", + "renameLocalHistoryPlaceholder", + "localHistory.delete", + "confirmDeleteMessage", + "confirmDeleteDetail", { - "key": "download now", + "key": "deleteButtonLabel", "comment": [ "&& denotes a mnemonic" ] }, - "DownloadingUpdate", + "localHistory.deleteAll", + "confirmDeleteAllMessage", + "confirmDeleteAllDetail", { - "key": "installUpdate...", + "key": "deleteAllButtonLabel", "comment": [ "&& denotes a mnemonic" ] }, - "installingUpdate", - { - "key": "restartToUpdate", - "comment": [ - "&& denotes a mnemonic" - ] - } - ], - "vs/workbench/browser/parts/editor/tabsTitleControl": [ - "ariaLabelTabActions" - ], - "vs/workbench/browser/parts/editor/binaryEditor": [ - "binaryEditor", - "binaryError", - "openAnyway" + "localHistory.create", + "createLocalHistoryEntryTitle", + "createLocalHistoryPlaceholder", + "localHistoryEditorLabel", + "localHistoryCompareToFileEditorLabel", + "localHistoryCompareToPreviousEditorLabel" ], - "vs/base/browser/ui/iconLabel/iconLabelHover": [ - "iconLabel.loading" + "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput": [ + "workspaceTrustEditorInputName" ], - "vs/base/browser/ui/inputbox/inputBox": [ - "alertErrorMessage", - "alertWarningMessage", - "alertInfoMessage", + "vs/workbench/contrib/userDataProfile/common/userDataProfileActions": [ + "save profile as", + "name", + "save profile as", + "create empty profile", + "name", + "create and enter empty profile", + "create profile", + "create settings profile", + "rename profile", + "current", + "pick profile to rename", + "edit settings profile", + "delete profile", + "current", + "pick profile to delete", + "switch profile", + "current", + "pick profile", + "cleanup profile", + "export profile", + "export profile dialog", + "export success", + "import profile", + "import profile title", + "confiirmation message", + "select from file", + "select from url", + "import profile quick pick title", + "import profile placeholder", + "import profile dialog" + ], + "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsTree": [ + "title.template", + "1.problem", + "N.problem", + "deep.problem", + "Array", + "Boolean", + "Class", + "Constant", + "Constructor", + "Enum", + "EnumMember", + "Event", + "Field", + "File", + "Function", + "Interface", + "Key", + "Method", + "Module", + "Namespace", + "Null", + "Number", + "Object", + "Operator", + "Package", + "Property", + "String", + "Struct", + "TypeParameter", + "Variable" + ], + "vs/workbench/contrib/workspace/browser/workspaceTrustEditor": [ + "shieldIcon", + "checkListIcon", + "xListIcon", + "folderPickerIcon", + "editIcon", + "removeIcon", + "hostColumnLabel", + "pathColumnLabel", + "trustedFolderAriaLabel", + "trustedFolderWithHostAriaLabel", + "trustedFoldersAndWorkspaces", + "addButton", + "addButton", + "trustUri", + "selectTrustedUri", + "trustedFoldersDescription", + "noTrustedFoldersDescriptions", + "trustAll", + "trustOrg", + "invalidTrust", + "trustUri", + "selectTrustedUri", + "editTrustedUri", + "pickerTrustedUri", + "deleteTrustedUri", + "localAuthority", + "trustedUnsettableWindow", + "trustedHeaderWindow", + "trustedHeaderFolder", + "trustedHeaderWorkspace", + "untrustedHeader", + "trustedWindow", + "untrustedWorkspace", + "trustedWindowSubtitle", + "untrustedWindowSubtitle", + "trustedFolder", + "untrustedWorkspace", + "trustedFolderSubtitle", + "untrustedFolderSubtitle", + "trustedWorkspace", + "untrustedWorkspace", + "trustedWorkspaceSubtitle", + "untrustedWorkspaceSubtitle", + "trustedDescription", + "untrustedDescription", { - "key": "history.inputbox.hint", + "key": "workspaceTrustEditorHeaderActions", "comment": [ - "Text will be prefixed with ⇅ plus a single space, then used as a hint where input field keeps history" + "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" ] - } + }, + "root element label", + "trustedFoldersAndWorkspaces", + "trustedTasks", + "trustedDebugging", + "trustedExtensions", + "trustedTasks", + "trustedDebugging", + "trustedSettings", + "trustedExtensions", + "untrustedTasks", + "untrustedDebugging", + { + "key": "untrustedExtensions", + "comment": [ + "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" + ] + }, + "untrustedTasks", + "untrustedDebugging", + { + "key": "untrustedSettings", + "comment": [ + "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" + ] + }, + "no untrustedSettings", + { + "key": "untrustedExtensions", + "comment": [ + "Please ensure the markdown link syntax is not broken up with whitespace [text block](link block)" + ] + }, + "trustButton", + "trustMessage", + "trustParentButton", + "dontTrustButton", + "untrustedWorkspaceReason", + "untrustedFolderReason", + "trustedForcedReason" ], - "vs/editor/common/model/editStack": [ - "edit" + "vs/workbench/browser/parts/notifications/notificationsAlerts": [ + "alertErrorMessage", + "alertWarningMessage", + "alertInfoMessage" ], - "vs/workbench/services/preferences/browser/keybindingsEditorModel": [ - "default", - "extension", - "user", - "cat.title", - "cat.title", - "option", - "meta" + "vs/workbench/browser/parts/notifications/notificationsCenter": [ + "notificationsEmpty", + "notifications", + "notificationsToolbar", + "notificationsCenterWidgetAriaLabel" ], - "vs/base/parts/quickinput/browser/quickInput": [ - "quickInput.back", - "inputModeEntry", - "quickInput.steps", - "quickInputBox.ariaLabel", - "inputModeEntryDescription", - "quickInput.checkAll", + "vs/workbench/browser/parts/notifications/notificationsCommands": [ + "notifications", + "showNotifications", + "hideNotifications", + "clearAllNotifications", + "toggleDoNotDisturbMode", + "focusNotificationToasts" + ], + "vs/workbench/browser/parts/notifications/notificationsToasts": [ + "notificationAriaLabel", + "notificationWithSourceAriaLabel" + ], + "vs/workbench/browser/parts/notifications/notificationsStatus": [ + "status.notifications", + "status.notifications", + "status.doNotDisturb", + "status.doNotDisturbTooltip", + "hideNotifications", + "zeroNotifications", + "noNotifications", + "oneNotification", { - "key": "quickInput.visibleCount", + "key": "notifications", "comment": [ - "This tells the user how many items are shown in a list of items to select from. The items can be anything. Currently not visible, but read by screen readers." + "{0} will be replaced by a number" ] }, { - "key": "quickInput.countSelected", + "key": "noNotificationsWithProgress", "comment": [ - "This tells the user how many items are selected in a list of items to select from. The items can be anything." + "{0} will be replaced by a number" ] }, - "ok", - "custom", - "quickInput.backWithKeybinding", - "quickInput.back" - ], - "vs/workbench/contrib/preferences/browser/preferencesRenderers": [ - "editTtile", - "replaceDefaultValue", - "copyDefaultValue", - "unknown configuration setting", - "unsupportedPolicySetting", - "unsupportedRemoteMachineSetting", - "unsupportedWindowSetting", - "unsupportedApplicationSetting", - "unsupportedMachineSetting", - "untrustedSetting", - "manage workspace trust", - "manage workspace trust", - "unsupportedProperty" + { + "key": "oneNotificationWithProgress", + "comment": [ + "{0} will be replaced by a number" + ] + }, + { + "key": "notificationsWithProgress", + "comment": [ + "{0} and {1} will be replaced by a number" + ] + }, + "status.message" ], - "vs/workbench/contrib/preferences/browser/tocTree": [ + "vs/platform/userDataSync/common/abstractSynchronizer": [ { - "key": "settingsTOC", + "key": "incompatible", "comment": [ - "A label for the table of contents for the full settings list" + "This is an error while syncing a resource that its local version is not compatible with its remote version." ] }, - "groupRowAriaLabel" + "incompatible sync data" ], - "vs/workbench/services/preferences/common/preferencesValidation": [ - "validations.booleanIncorrectType", - "validations.expectedNumeric", - "validations.stringIncorrectEnumOptions", - "validations.stringIncorrectType", - "invalidTypeError", - "validations.maxLength", - "validations.minLength", - "validations.regex", - "validations.colorFormat", - "validations.uriEmpty", - "validations.uriMissing", - "validations.uriSchemeMissing", - "validations.invalidStringEnumValue", - "validations.exclusiveMax", - "validations.exclusiveMin", - "validations.max", - "validations.min", - "validations.multipleOf", - "validations.expectedInteger", - "validations.arrayIncorrectType", - "validations.stringArrayUniqueItems", - "validations.stringArrayMinItem", - "validations.stringArrayMaxItem", - "validations.stringArrayIncorrectType", - "validations.stringArrayItemPattern", - "validations.stringArrayItemEnum", - "validations.objectIncorrectType", - "validations.objectPattern" + "vs/workbench/services/textfile/common/textFileEditorModelManager": [ + { + "key": "genericSaveError", + "comment": [ + "{0} is the resource that failed to save and {1} the error message" + ] + } ], - "vs/workbench/contrib/preferences/browser/settingsTreeModels": [ - "workspace", - "remote", - "user" + "vs/workbench/services/configuration/common/configurationEditingService": [ + "openTasksConfiguration", + "openLaunchConfiguration", + "open", + "openTasksConfiguration", + "openLaunchConfiguration", + "saveAndRetry", + "saveAndRetry", + "open", + "errorPolicyConfiguration", + "errorUnknownKey", + "errorInvalidWorkspaceConfigurationApplication", + "errorInvalidWorkspaceConfigurationMachine", + "errorInvalidFolderConfiguration", + "errorInvalidUserTarget", + "errorInvalidWorkspaceTarget", + "errorInvalidFolderTarget", + "errorInvalidResourceLanguageConfiguration", + "errorNoWorkspaceOpened", + "errorInvalidTaskConfiguration", + "errorInvalidLaunchConfiguration", + "errorInvalidConfiguration", + "errorInvalidRemoteConfiguration", + "errorInvalidConfigurationWorkspace", + "errorInvalidConfigurationFolder", + "errorTasksConfigurationFileDirty", + "errorLaunchConfigurationFileDirty", + "errorConfigurationFileDirty", + "errorRemoteConfigurationFileDirty", + "errorConfigurationFileDirtyWorkspace", + "errorConfigurationFileDirtyFolder", + "errorTasksConfigurationFileModifiedSince", + "errorLaunchConfigurationFileModifiedSince", + "errorConfigurationFileModifiedSince", + "errorRemoteConfigurationFileModifiedSince", + "errorConfigurationFileModifiedSinceWorkspace", + "errorConfigurationFileModifiedSinceFolder", + "errorUnknown", + "userTarget", + "remoteUserTarget", + "workspaceTarget", + "folderTarget" ], - "vs/workbench/contrib/preferences/browser/settingsLayout": [ - "commonlyUsed", - "textEditor", - "cursor", - "find", - "font", - "formatting", - "diffEditor", - "minimap", - "suggestions", - "files", - "workbench", - "appearance", - "breadcrumbs", - "editorManagement", - "settings", - "zenMode", - "screencastMode", - "window", - "newWindow", - "features", - "fileExplorer", - "search", - "debug", - "testing", - "scm", - "extensions", - "terminal", - "task", - "problems", - "output", - "comments", - "remote", - "timeline", - "notebook", - "audioCues", - "application", - "proxy", - "keyboard", - "update", - "telemetry", - "settingsSync", - "security", - "workspace" + "vs/workbench/common/editor/textEditorModel": [ + "languageAutoDetected" ], - "vs/workbench/contrib/preferences/common/settingsEditorColorRegistry": [ - "headerForeground", - "modifiedItemForeground", - "settingsHeaderBorder", - "settingsSashBorder", - "settingsDropdownBackground", - "settingsDropdownForeground", - "settingsDropdownBorder", - "settingsDropdownListBorder", - "settingsCheckboxBackground", - "settingsCheckboxForeground", - "settingsCheckboxBorder", - "textInputBoxBackground", - "textInputBoxForeground", - "textInputBoxBorder", - "numberInputBoxBackground", - "numberInputBoxForeground", - "numberInputBoxBorder", - "focusedRowBackground", - "settings.rowHoverBackground", - "settings.focusedRowBorder" + "vs/workbench/services/textMate/common/TMGrammars": [ + "vscode.extension.contributes.grammars", + "vscode.extension.contributes.grammars.language", + "vscode.extension.contributes.grammars.scopeName", + "vscode.extension.contributes.grammars.path", + "vscode.extension.contributes.grammars.embeddedLanguages", + "vscode.extension.contributes.grammars.tokenTypes", + "vscode.extension.contributes.grammars.injectTo", + "vscode.extension.contributes.grammars.balancedBracketScopes", + "vscode.extension.contributes.grammars.unbalancedBracketScopes" ], - "vs/workbench/contrib/preferences/browser/preferencesWidgets": [ - "userSettings", - "userSettingsRemote", - "workspaceSettings", - "folderSettings", - "settingsSwitcherBarAriaLabel", - "workspaceSettings", - "userSettings" + "vs/workbench/browser/parts/titlebar/titlebarPart": [ + "focusTitleBar", + "toggle.commandCenter", + "toggle.layout" ], - "vs/workbench/contrib/preferences/browser/settingsSearchMenu": [ - "modifiedSettingsSearch", - "modifiedSettingsSearchTooltip", - "extSettingsSearch", - "extSettingsSearchTooltip", - "featureSettingsSearch", - "featureSettingsSearchTooltip", - "tagSettingsSearch", - "tagSettingsSearchTooltip", - "langSettingsSearch", - "langSettingsSearchTooltip", - "onlineSettingsSearch", - "onlineSettingsSearchTooltip", - "policySettingsSearch", - "policySettingsSearchTooltip" + "vs/workbench/services/workingCopy/common/workingCopyHistoryTracker": [ + "undoRedo.source" ], - "vs/workbench/contrib/preferences/browser/settingsTree": [ - "extensions", - "modified", - "policyLabel", - "viewPolicySettings", - "settingsContextMenuTitle", - "newExtensionsButtonLabel", - "editInSettingsJson", - "editLanguageSettingLabel", - "settings.Default", - "modified", - "manageWorkspaceTrust", - "trustLabel", - "resetSettingLabel", - "validationError", - "validationError", - "settings.Modified", - "settings", - "copySettingIdLabel", - "copySettingAsJSONLabel", - "stopSyncingSetting" + "vs/workbench/services/configurationResolver/common/variableResolver": [ + "canNotResolveFile", + "canNotResolveFolderForFile", + "canNotFindFolder", + "canNotResolveWorkspaceFolderMultiRoot", + "canNotResolveWorkspaceFolder", + "missingEnvVarName", + "configNotFound", + "configNoString", + "missingConfigName", + "extensionNotInstalled", + "missingExtensionName", + "canNotResolveUserHome", + "canNotResolveLineNumber", + "canNotResolveSelectedText", + "noValueForCommand" ], - "vs/workbench/contrib/testing/common/constants": [ - "testState.errored", - "testState.failed", - "testState.passed", - "testState.queued", - "testState.running", - "testState.skipped", - "testState.unset", - { - "key": "testing.treeElementLabel", - "comment": [ - "label then the unit tests state, for example \"Addition Tests (Running)\"" - ] - }, - "testGroup.debug", - "testGroup.run", - "testGroup.coverage" + "vs/workbench/services/extensions/common/remoteExtensionHost": [ + "remote extension host Log" ], - "vs/workbench/contrib/testing/browser/theme": [ - "testing.iconFailed", - "testing.iconErrored", - "testing.iconPassed", - "testing.runAction", - "testing.iconQueued", - "testing.iconUnset", - "testing.iconSkipped", - "testing.peekBorder", - "testing.peekBorder", - "testing.message.error.decorationForeground", - "testing.message.error.marginBackground", - "testing.message.info.decorationForeground", - "testing.message.info.marginBackground" + "vs/workbench/services/extensions/electron-sandbox/cachedExtensionScanner": [ + "extensionCache.invalid", + "reloadWindow" ], - "vs/workbench/contrib/testing/browser/testingExplorerFilter": [ - "testing.filters.showOnlyFailed", - "testing.filters.showOnlyExecuted", - "testing.filters.currentFile", - "testing.filters.showExcludedTests", - "testing.filters.menu", - "testExplorerFilterLabel", - "testExplorerFilter", - "testing.filters.fuzzyMatch", - "testing.filters.showExcludedTests", - "testing.filters.removeTestExclusions", - "filter" + "vs/workbench/services/extensions/browser/webWorkerExtensionHost": [ + "name" ], - "vs/workbench/contrib/notebook/browser/extensionPoint": [ - "contributes.notebook.provider", - "contributes.notebook.provider.viewType", - "contributes.notebook.provider.displayName", - "contributes.notebook.provider.selector", - "contributes.notebook.provider.selector.filenamePattern", - "contributes.notebook.selector.provider.excludeFileNamePattern", - "contributes.priority", - "contributes.priority.default", - "contributes.priority.option", - "contributes.notebook.renderer", - "contributes.notebook.renderer.viewType", - "contributes.notebook.renderer.displayName", - "contributes.notebook.selector", - "contributes.notebook.renderer.entrypoint", - "contributes.notebook.renderer.hardDependencies", - "contributes.notebook.renderer.optionalDependencies", - "contributes.notebook.renderer.requiresMessaging.always", - "contributes.notebook.renderer.requiresMessaging.optional", - "contributes.notebook.renderer.requiresMessaging.never", - "contributes.notebook.renderer.requiresMessaging" + "vs/workbench/services/extensions/electron-sandbox/localProcessExtensionHost": [ + "extensionHost.startupFailDebug", + "extensionHost.startupFail", + "reloadWindow", + "extension host Log", + "extensionHost.error", + "join.extensionDevelopment" ], - "vs/workbench/contrib/notebook/browser/viewParts/notebookKernelActionViewItem": [ - "select", - "select" + "vs/workbench/services/extensions/common/abstractExtensionService": [ + "looping", + "extensionTestError", + "extensionService.autoRestart", + "extensionService.crash", + "restart" ], - "vs/workbench/contrib/notebook/browser/view/renderers/backLayerWebView": [ - "notebook.emptyMarkdownPlaceholder", - { - "key": "notebook.error.rendererNotFound", - "comment": [ - "$0 is a placeholder for the mime type" - ] - } + "vs/workbench/contrib/files/browser/editors/textFileEditor": [ + "textFileEditor", + "reveal", + "ok", + "fileIsDirectoryError", + "fileNotFoundError", + "createFile" ], - "vs/workbench/contrib/notebook/browser/notebookEditorWidget": [ - "notebookTreeAriaLabel", - "notebook.cellBorderColor", - "notebook.focusedEditorBorder", - "notebookStatusSuccessIcon.foreground", - "notebookStatusErrorIcon.foreground", - "notebookStatusRunningIcon.foreground", - "notebook.outputContainerBorderColor", - "notebook.outputContainerBackgroundColor", - "notebook.cellToolbarSeparator", - "focusedCellBackground", - "selectedCellBackground", - "notebook.cellHoverBackground", - "notebook.selectedCellBorder", - "notebook.inactiveSelectedCellBorder", - "notebook.focusedCellBorder", - "notebook.inactiveFocusedCellBorder", - "notebook.cellStatusBarItemHoverBackground", - "notebook.cellInsertionIndicator", - "notebookScrollbarSliderBackground", - "notebookScrollbarSliderHoverBackground", - "notebookScrollbarSliderActiveBackground", - "notebook.symbolHighlightBackground", - "notebook.cellEditorBackground" + "vs/workbench/contrib/extensions/electron-sandbox/reportExtensionIssueAction": [ + "reportExtensionIssue" ], - "vs/workbench/contrib/notebook/common/notebookEditorModel": [ - "notebook.staleSaveError", - "notebook.staleSaveError.revert", - "notebook.staleSaveError.overwrite." + "vs/workbench/contrib/extensions/electron-sandbox/extensionsSlowActions": [ + "cmd.reportOrShow", + "cmd.report", + "attach.title", + "attach.msg", + "cmd.show", + "attach.title", + "attach.msg2" ], - "vs/workbench/services/workingCopy/common/fileWorkingCopyManager": [ - "fileWorkingCopyCreate.source", - "fileWorkingCopyReplace.source", - "fileWorkingCopyDecorations", - "readonlyAndDeleted", - "readonly", - "deleted", - "confirmOverwrite", - "irreversible", + "vs/workbench/contrib/terminal/browser/terminalProfileResolverService": [ + "terminalProfileMigration", + "migrateToProfile" + ], + "vs/workbench/contrib/terminal/electron-sandbox/terminalRemote": [ + "workbench.action.terminal.newLocal" + ], + "vs/workbench/contrib/terminal/browser/baseTerminalBackend": [ + "restartPtyHost", + "nonResponsivePtyHost" + ], + "vs/workbench/contrib/localHistory/browser/localHistory": [ + "localHistoryIcon", + "localHistoryRestore" + ], + "vs/workbench/contrib/tasks/browser/taskTerminalStatus": [ + "taskTerminalStatus.active", + "taskTerminalStatus.succeeded", + "taskTerminalStatus.succeededInactive", + "taskTerminalStatus.errors", + "taskTerminalStatus.errorsInactive", + "taskTerminalStatus.warnings", + "taskTerminalStatus.warningsInactive", + "taskTerminalStatus.infos", + "taskTerminalStatus.infosInactive", + "task.watchFirstError" + ], + "vs/workbench/contrib/tasks/common/taskTemplates": [ + "dotnetCore", + "msbuild", + "externalCommand", + "Maven" + ], + "vs/workbench/contrib/tasks/common/taskConfiguration": [ + "ConfigurationParser.invalidCWD", + "ConfigurationParser.inValidArg", + "ConfigurationParser.noShell", + "ConfigurationParser.noName", + "ConfigurationParser.unknownMatcherKind", + "ConfigurationParser.invalidVariableReference", + "ConfigurationParser.noTaskType", + "ConfigurationParser.noTypeDefinition", + "ConfigurationParser.missingType", + "ConfigurationParser.incorrectType", + "ConfigurationParser.notCustom", + "ConfigurationParser.noTaskName", + "taskConfiguration.providerUnavailable", + "taskConfiguration.noCommandOrDependsOn", + "taskConfiguration.noCommand", { - "key": "replaceButtonLabel", + "key": "TaskParse.noOsSpecificGlobalTasks", "comment": [ - "&& denotes a mnemonic" + "\"Task version 2.0.0\" refers to the 2.0.0 version of the task system. The \"version 2.0.0\" is not localizable as it is a json key and value." ] } ], - "vs/platform/quickinput/browser/commandsQuickAccess": [ - "commandPickAriaLabelWithKeybinding", + "vs/workbench/contrib/tasks/browser/taskQuickPick": [ + "taskQuickPick.showAll", + "configureTaskIcon", + "removeTaskIcon", + "configureTask", + "contributedTasks", + "taskType", + "removeRecent", "recentlyUsed", - "morecCommands", - "canNotRun" - ], - "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": [ - "canNotResolve", - "symbolicLlink", - "unknown", - "label" - ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": [ - "bulkEdit", - "aria.renameAndEdit", - "aria.createAndEdit", - "aria.deleteAndEdit", - "aria.editOnly", - "aria.rename", - "aria.create", - "aria.delete", - "aria.replace", - "aria.del", - "aria.insert", - "rename.label", - "detail.rename", - "detail.create", - "detail.del", - "title" + "configured", + "configured", + "TaskQuickPick.changeSettingNo", + "TaskQuickPick.changeSettingYes", + "TaskQuickPick.changeSettingDetails", + "TaskService.pickRunTask", + "TaskQuickPick.changeSettingsOptions", + "TaskQuickPick.goBack", + "TaskQuickPick.noTasksForType", + "noProviderForTask" ], - "vs/workbench/contrib/search/browser/replaceService": [ - "searchReplace.source", - "fileReplaceChanges" + "vs/workbench/contrib/debug/common/abstractDebugAdapter": [ + "timeout" ], - "vs/workbench/contrib/files/browser/fileImportExport": [ - "uploadingFiles", - "overwrite", - "overwriting", - "uploadProgressSmallMany", - "uploadProgressLarge", - "copyingFiles", - "copyFolders", - "copyFolder", - "cancel", - "addFolders", - "addFolder", - "dropFolders", - "dropFolder", - "copyfolders", - "copyfolder", - "filesInaccessible", - "fileInaccessible", + "vs/platform/menubar/electron-main/menubar": [ { + "key": "miNewWindow", "comment": [ - "substitution will be the name of the file that was imported" - ], - "key": "importFile" + "&& denotes a mnemonic" + ] }, { + "key": "mFile", "comment": [ - "substitution will be the number of files that were imported" - ], - "key": "importnFile" + "&& denotes a mnemonic" + ] }, { + "key": "mEdit", "comment": [ - "substitution will be the name of the file that was copied" - ], - "key": "copyingFile" + "&& denotes a mnemonic" + ] }, { + "key": "mSelection", "comment": [ - "substitution will be the number of files that were copied" - ], - "key": "copyingnFile" + "&& denotes a mnemonic" + ] }, - "downloadingFiles", - "downloadProgressSmallMany", - "downloadProgressLarge", - "downloadButton", - "chooseWhereToDownload", - "downloadBulkEdit", - "downloadingBulkEdit", - "confirmOverwrite", - "irreversible", { - "key": "replaceButtonLabel", + "key": "mView", "comment": [ "&& denotes a mnemonic" ] }, - "confirmManyOverwrites", - "irreversible", { - "key": "replaceButtonLabel", + "key": "mGoto", "comment": [ "&& denotes a mnemonic" ] - } - ], - "vs/workbench/contrib/files/browser/views/explorerViewer": [ - "treeAriaLabel", - "fileInputAriaLabel", - "confirmRootsMove", - "confirmMultiMove", - "confirmRootMove", - "confirmMove", - "doNotAskAgain", + }, { - "key": "moveButtonLabel", + "key": "mRun", "comment": [ "&& denotes a mnemonic" ] }, - "copy", - "copying", - "move", - "moving", - "numberOfFolders", - "numberOfFiles" + { + "key": "mTerminal", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "mWindow", + { + "key": "mHelp", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "mAbout", + { + "key": "miPreferences", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "mServices", + "mHide", + "mHideOthers", + "mShowAll", + "miQuit", + { + "key": "quit", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "cancel", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "quitMessage", + "mMinimize", + "mZoom", + "mBringToFront", + { + "key": "miSwitchWindow", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "mNewTab", + "mShowPreviousTab", + "mShowNextTab", + "mMoveTabToNewWindow", + "mMergeAllWindows", + "miCheckForUpdates", + "miCheckingForUpdates", + "miDownloadUpdate", + "miDownloadingUpdate", + "miInstallUpdate", + "miInstallingUpdate", + "miRestartToUpdate" ], - "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindReplaceWidget": [ + "vs/platform/windows/electron-main/window": [ + { + "key": "reopen", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "wait", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "close", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "appStalled", + "appStalledDetail", + "doNotRestoreEditors", + "appCrashed", + "appCrashedDetails", + { + "key": "reopen", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "close", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "appCrashedDetail", + "doNotRestoreEditors", + "hiddenMenuBar" + ], + "vs/workbench/contrib/debug/node/debugAdapter": [ + "debugAdapterBinNotFound", + { + "key": "debugAdapterCannotDetermineExecutable", + "comment": [ + "Adapter executable file not found" + ] + }, + "unableToLaunchDebugAdapter", + "unableToLaunchDebugAdapterNoArgs" + ], + "vs/platform/terminal/common/terminalProfiles": [ + "terminalAutomaticProfile" + ], + "vs/base/browser/ui/findinput/findInput": [ + "defaultLabel" + ], + "vs/editor/browser/widget/diffReview": [ + "diffReviewInsertIcon", + "diffReviewRemoveIcon", + "diffReviewCloseIcon", + "label.close", + "no_lines_changed", + "one_line_changed", + "more_lines_changed", + { + "key": "header", + "comment": [ + "This is the ARIA label for a git diff header.", + "A git diff header looks like this: @@ -154,12 +159,39 @@.", + "That encodes that at original line 154 (which is now line 159), 12 lines were removed/changed with 39 lines.", + "Variables 0 and 1 refer to the diff index out of total number of diffs.", + "Variables 2 and 4 will be numbers (a line number).", + "Variables 3 and 5 will be \"no lines changed\", \"1 line changed\" or \"X lines changed\", localized separately." + ] + }, + "blankLine", + { + "key": "unchangedLine", + "comment": [ + "The placeholders are contents of the line and should not be translated." + ] + }, + "equalLine", + "insertLine", + "deleteLine", + "editor.action.diffReview.next", + "editor.action.diffReview.prev" + ], + "vs/editor/browser/widget/inlineDiffMargin": [ + "diff.clipboard.copyDeletedLinesContent.label", + "diff.clipboard.copyDeletedLinesContent.single.label", + "diff.clipboard.copyChangedLinesContent.label", + "diff.clipboard.copyChangedLinesContent.single.label", + "diff.clipboard.copyDeletedLineContent.label", + "diff.clipboard.copyChangedLineContent.label", + "diff.inline.revertChange.label", + "diff.clipboard.copyDeletedLineContent.label", + "diff.clipboard.copyChangedLineContent.label" + ], + "vs/editor/contrib/codeAction/browser/codeActionWidgetContribution": [ + "codeActionWidget" + ], + "vs/editor/contrib/codeAction/browser/codeActionCommands": [ + "editor.action.refactor.noneMessage.preferred.kind", + "editor.action.refactor.noneMessage.kind", + "editor.action.refactor.noneMessage.preferred", + "editor.action.refactor.noneMessage", + "args.schema.kind", + "args.schema.apply", + "args.schema.apply.first", + "args.schema.apply.ifSingle", + "args.schema.apply.never", + "args.schema.preferred", + "applyCodeActionFailed", + "quickfix.trigger.label", + "editor.action.quickFix.noneMessage", + "editor.action.codeAction.noneMessage.preferred.kind", + "editor.action.codeAction.noneMessage.kind", + "editor.action.codeAction.noneMessage.preferred", + "editor.action.codeAction.noneMessage", + "refactor.label", + "refactor.preview.label", + "source.label", + "editor.action.source.noneMessage.preferred.kind", + "editor.action.source.noneMessage.kind", + "editor.action.source.noneMessage.preferred", + "editor.action.source.noneMessage", + "organizeImports.label", + "editor.action.organize.noneMessage", + "fixAll.label", + "fixAll.noneMessage", + "autoFix.label", + "editor.action.autoFix.noneMessage" + ], + "vs/editor/contrib/find/browser/findWidget": [ + "findSelectionIcon", + "findCollapsedIcon", + "findExpandedIcon", + "findReplaceIcon", + "findReplaceAllIcon", + "findPreviousMatchIcon", + "findNextMatchIcon", "label.find", "placeholder.find", "label.previousMatchButton", "label.nextMatchButton", + "label.toggleSelectionFind", "label.closeButton", - "label.toggleReplaceButton", "label.replace", "placeholder.replace", "label.replaceButton", "label.replaceAllButton", - "findFilterIcon", - "notebook.find.filter.filterAction", - "notebook.find.filter.findInMarkupInput", - "notebook.find.filter.findInMarkupPreview", - "notebook.find.filter.findInCodeInput", - "notebook.find.filter.findInCodeOutput" + "label.toggleReplaceButton", + "title.matchesCountLimit", + "label.matchesLocation", + "label.noResults", + "ariaSearchNoResultEmpty", + "ariaSearchNoResult", + "ariaSearchNoResultWithLineNum", + "ariaSearchNoResultWithLineNumNoCurrentMatch", + "ctrlEnter.keybindingChanged" ], - "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": [ - "invalidQueryStringError", - "numFiles", - "oneFile", - "numResults", - "oneResult", - "noResults", - "searchMaxResultsWarning" + "vs/editor/contrib/folding/browser/foldingDecorations": [ + "foldingExpandedIcon", + "foldingCollapsedIcon", + "foldingManualCollapedIcon", + "foldingManualExpandedIcon" ], - "vs/editor/contrib/quickAccess/browser/gotoSymbolQuickAccess": [ - "cannotRunGotoSymbolWithoutEditor", - "cannotRunGotoSymbolWithoutSymbolProvider", - "noMatchingSymbolResults", - "noSymbolResults", - "openToSide", - "openToBottom", - "symbols", - "property", - "method", - "function", - "_constructor", - "variable", - "class", - "struct", - "event", - "operator", - "interface", - "namespace", - "package", - "typeParameter", - "modules", - "property", - "enum", - "enumMember", - "string", - "file", - "array", - "number", - "boolean", - "object", - "key", - "field", - "constant" + "vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": [ + "showNextInlineSuggestion", + "showPreviousInlineSuggestion", + "acceptInlineSuggestion", + "inlineSuggestionFollows" ], - "vs/workbench/contrib/debug/browser/baseDebugView": [ - "debug.lazyButton.tooltip" + "vs/editor/contrib/gotoError/browser/gotoErrorWidget": [ + "Error", + "Warning", + "Info", + "Hint", + "marker aria", + "problems", + "change", + "editorMarkerNavigationError", + "editorMarkerNavigationErrorHeaderBackground", + "editorMarkerNavigationWarning", + "editorMarkerNavigationWarningBackground", + "editorMarkerNavigationInfo", + "editorMarkerNavigationInfoHeaderBackground", + "editorMarkerNavigationBackground" ], - "vs/workbench/contrib/debug/browser/debugConfigurationManager": [ - "selectConfiguration", - "editLaunchConfig", - "DebugConfig.failed", - "workspace", - "user settings" + "vs/editor/contrib/inlayHints/browser/inlayHintsHover": [ + "hint.dbl", + "links.navigate.kb.meta.mac", + "links.navigate.kb.meta", + "links.navigate.kb.alt.mac", + "links.navigate.kb.alt", + "hint.defAndCommand", + "hint.def", + "hint.cmd" ], - "vs/workbench/contrib/debug/browser/debugAdapterManager": [ - "debugNoType", - "debugName", - "debugServer", - "debugPrelaunchTask", - "debugPostDebugTask", - "CouldNotFindLanguage", - "findExtension", - "cancel", - "suggestedDebuggers", - "installLanguage", - "installExt", - "selectDebug" + "vs/editor/contrib/format/browser/format": [ + "hint11", + "hintn1", + "hint1n", + "hintnn" ], - "vs/workbench/contrib/debug/common/debugSource": [ - "unknownSource" + "vs/editor/contrib/hover/browser/markdownHoverParticipant": [ + "modesContentHover.loading", + "too many characters" ], - "vs/base/browser/ui/findinput/replaceInput": [ - "defaultLabel", - "label.preserveCaseToggle" + "vs/editor/contrib/hover/browser/markerHoverParticipant": [ + "view problem", + "noQuickFixes", + "checkingForQuickFixes", + "noQuickFixes", + "quick fixes" ], - "vs/base/browser/ui/findinput/findInput": [ - "defaultLabel" + "vs/editor/contrib/inlineCompletions/browser/ghostTextController": [ + "inlineSuggestionVisible", + "inlineSuggestionHasIndentation", + "inlineSuggestionHasIndentationLessThanTabSize", + "action.inlineSuggest.showNext", + "action.inlineSuggest.showPrevious", + "action.inlineSuggest.trigger" ], - "vs/workbench/contrib/debug/browser/debugTaskRunner": [ - "preLaunchTaskErrors", - "preLaunchTaskError", - "preLaunchTaskExitCode", - "preLaunchTaskTerminated", - "debugAnyway", - "showErrors", - "abort", - "remember", - "debugAnyway", - "cancel", - "rememberTask", - "invalidTaskReference", - "DebugTaskNotFoundWithTaskId", - "DebugTaskNotFound", - "taskNotTrackedWithTaskId", - "taskNotTracked" + "vs/editor/contrib/gotoSymbol/browser/referencesModel": [ + "aria.oneReference", + { + "key": "aria.oneReference.preview", + "comment": [ + "Placeholders are: 0: filename, 1:line number, 2: column number, 3: preview snippet of source code" + ] + }, + "aria.fileReferences.1", + "aria.fileReferences.N", + "aria.result.0", + "aria.result.1", + "aria.result.n1", + "aria.result.nm" ], - "vs/workbench/contrib/comments/browser/commentGlyphWidget": [ - "editorGutterCommentRangeForeground" + "vs/editor/contrib/message/browser/messageController": [ + "messageVisible" ], - "vs/workbench/contrib/comments/browser/commentColors": [ - "resolvedCommentBorder", - "unresolvedCommentBorder", - "commentThreadRangeBackground", - "commentThreadRangeBorder", - "commentThreadActiveRangeBackground", - "commentThreadActiveRangeBorder" + "vs/editor/contrib/gotoSymbol/browser/symbolNavigation": [ + "hasSymbols", + "location.kb", + "location" ], - "vs/workbench/contrib/debug/browser/debugSession": [ - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "sessionNotReadyForBreakpoints", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "noDebugAdapter", - "debuggingStarted", - "debuggingStopped" + "vs/editor/contrib/gotoSymbol/browser/peek/referencesController": [ + "referenceSearchVisible", + "labelLoading", + "metaTitle.N" ], - "vs/workbench/contrib/markers/browser/markersViewActions": [ - "filterIcon", - "showing filtered problems" + "vs/editor/contrib/rename/browser/renameInputField": [ + "renameInputVisible", + "renameAriaLabel", + { + "key": "label", + "comment": [ + "placeholders are keybindings, e.g \"F2 to Rename, Shift+F2 to Preview\"" + ] + } ], - "vs/workbench/contrib/markers/browser/markersTreeViewer": [ - "problemsView", - "expandedIcon", - "collapsedIcon", - "single line", - "multi line" + "vs/editor/contrib/parameterHints/browser/parameterHintsWidget": [ + "parameterHintsNextIcon", + "parameterHintsPreviousIcon", + "hint", + "editorHoverWidgetHighlightForeground" ], - "vs/workbench/contrib/markers/browser/markersTable": [ - "codeColumnLabel", - "messageColumnLabel", - "fileColumnLabel", - "sourceColumnLabel" + "vs/editor/contrib/suggest/browser/suggestWidget": [ + "editorSuggestWidgetBackground", + "editorSuggestWidgetBorder", + "editorSuggestWidgetForeground", + "editorSuggestWidgetSelectedForeground", + "editorSuggestWidgetSelectedIconForeground", + "editorSuggestWidgetSelectedBackground", + "editorSuggestWidgetHighlightForeground", + "editorSuggestWidgetFocusHighlightForeground", + "editorSuggestWidgetStatusForeground", + "suggestWidget.loading", + "suggestWidget.noSuggestions", + "suggest", + "label.full", + "label.detail", + "label.desc", + "ariaCurrenttSuggestionReadDetails" ], - "vs/workbench/contrib/customEditor/common/contributedCustomEditors": [ - "builtinProviderDisplayName" + "vs/workbench/api/browser/mainThreadWebviews": [ + "errorMessage" ], - "vs/platform/files/browser/htmlFileSystemProvider": [ - "fileSystemRenameError", - "fileSystemNotAllowedError" + "vs/workbench/browser/parts/editor/textEditor": [ + "editor" ], - "vs/workbench/contrib/extensions/browser/extensionsViewer": [ - "error", - "Unknown Extension", - "extension.arialabel", - "extensions" + "vs/workbench/api/browser/mainThreadCustomEditors": [ + "defaultEditLabel" ], - "vs/workbench/contrib/extensions/browser/extensionsWidgets": [ - "ratedLabel", - "remote extension title", - "syncingore.label", - "activation", - "startup", - "pre-release-label", - "publisher verified tooltip", - "activation", - "startup", - "uncaught error", - "uncaught errors", - "message", - "messages", - "dependencies", - "Show prerelease version", - "has prerelease", - "extensionIconStarForeground", - "extensionIconVerifiedForeground", - "extensionPreReleaseForeground" + "vs/workbench/contrib/comments/browser/commentsView": [ + "rootCommentsLabel", + "resourceWithCommentThreadsLabel", + "resourceWithCommentLabel", + "collapseAll" ], - "vs/workbench/contrib/extensions/browser/workspaceRecommendations": [ - "workspaceRecommendation" + "vs/platform/theme/common/tokenClassificationRegistry": [ + "schema.token.settings", + "schema.token.foreground", + "schema.token.background.warning", + "schema.token.fontStyle", + "schema.fontStyle.error", + "schema.token.fontStyle.none", + "schema.token.bold", + "schema.token.italic", + "schema.token.underline", + "schema.token.strikethrough", + "comment", + "string", + "keyword", + "number", + "regexp", + "operator", + "namespace", + "type", + "struct", + "class", + "interface", + "enum", + "typeParameter", + "function", + "member", + "method", + "macro", + "variable", + "parameter", + "property", + "enumMember", + "event", + "decorator", + "labels", + "declaration", + "documentation", + "static", + "abstract", + "deprecated", + "modification", + "async", + "readonly" ], - "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": [ - "exeBasedRecommendation" + "vs/workbench/contrib/comments/browser/commentsTreeViewer": [ + "commentsCount", + "commentCount", + "imageWithLabel", + "image", + "commentLine", + "commentRange", + "lastReplyFrom" ], - "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": [ - "searchMarketplace", - "fileBasedRecommendation", - "reallyRecommended", - "showLanguageExtensions", - "dontShowAgainExtension" + "vs/workbench/contrib/testing/common/testResult": [ + "runFinished" ], - "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": [ - "dynamicWorkspaceRecommendation" + "vs/workbench/browser/parts/compositeBarActions": [ + "titleKeybinding", + "badgeTitle", + "additionalViews", + "numberBadge", + "manageExtension", + "hide", + "keep", + "toggle" ], - "vs/workbench/contrib/remote/browser/explorerViewItems": [ - "remotes", - "remote.explorer.switch" + "vs/base/browser/ui/tree/treeDefaults": [ + "collapse all" ], - "vs/workbench/contrib/extensions/browser/webRecommendations": [ - "reason" + "vs/base/browser/ui/splitview/paneview": [ + "viewSection" ], - "vs/workbench/contrib/terminal/browser/terminalConfigHelper": [ - "useWslExtension.title", - "install" + "vs/workbench/contrib/remote/browser/remoteIcons": [ + "getStartedIcon", + "documentationIcon", + "feedbackIcon", + "reviewIssuesIcon", + "reportIssuesIcon", + "remoteExplorerViewIcon", + "portsViewIcon", + "portIcon", + "privatePortIcon", + "forwardPortIcon", + "stopForwardIcon", + "openBrowserIcon", + "openPreviewIcon", + "copyAddressIcon", + "labelPortIcon", + "forwardedPortWithoutProcessIcon", + "forwardedPortWithProcessIcon" ], - "vs/workbench/contrib/terminal/browser/terminalProfileQuickpick": [ - "terminal.integrated.selectProfileToCreate", - "terminal.integrated.chooseDefaultProfile", - "enterTerminalProfileName", - "terminalProfileAlreadyExists", - "terminalProfiles", - "ICreateContributedTerminalProfileOptions", - "terminalProfiles.detected", - "createQuickLaunchProfile" + "vs/workbench/browser/parts/editor/textCodeEditor": [ + "textEditor" ], - "vs/workbench/contrib/extensions/browser/configBasedRecommendations": [ - "exeBasedRecommendation" + "vs/workbench/browser/parts/editor/binaryEditor": [ + "binaryEditor", + "binaryError", + "openAnyway" ], - "vs/workbench/contrib/terminal/browser/terminalInstance": [ - "terminal.integrated.a11yPromptLabel", - "terminal.integrated.a11yTooMuchOutput", - "terminalTypeTask", - "terminalTypeLocal", - "bellStatus", - "removeCommand", - "viewCommandOutput", - "keybindingHandling", - "configureTerminalSettings", - "terminal.integrated.copySelection.noSelection", - "preview", - "confirmMoveTrashMessageFilesAndDirectories", + "vs/workbench/contrib/remote/browser/tunnelView": [ + "tunnel.forwardedPortsViewEnabled", + "remote.tunnelsView.addPort", + "tunnelPrivacy.private", + "tunnel.portColumn.label", + "tunnel.portColumn.tooltip", + "tunnel.addressColumn.label", + "tunnel.addressColumn.tooltip", + "portsLink.followLinkAlt.mac", + "portsLink.followLinkAlt", + "portsLink.followLinkCmd", + "portsLink.followLinkCtrl", + "tunnel.processColumn.label", + "tunnel.processColumn.tooltip", + "tunnel.originColumn.label", + "tunnel.originColumn.tooltip", + "tunnel.privacyColumn.label", + "tunnel.privacyColumn.tooltip", + "remote.tunnelsView.input", + "tunnelView.runningProcess.inacessable", + "remote.tunnel.tooltipForwarded", + "remote.tunnel.tooltipCandidate", + "tunnel.iconColumn.running", + "tunnel.iconColumn.notRunning", + "remote.tunnel.tooltipName", + "tunnelPrivacy.unknown", + "tunnelPrivacy.private", + "tunnel.focusContext", + "remote.tunnel", + "tunnelView", + "remote.tunnel.label", + "remote.tunnelsView.labelPlaceholder", + "remote.tunnelsView.portNumberValid", + "remote.tunnelsView.portNumberToHigh", + "remote.tunnelView.inlineElevationMessage", + "remote.tunnelView.alreadyForwarded", + "remote.tunnel.forward", + "remote.tunnel.forwardItem", + "remote.tunnel.forwardPrompt", + "remote.tunnel.forwardError", + "remote.tunnel.closeNoPorts", + "remote.tunnel.close", + "remote.tunnel.closePlaceholder", + "remote.tunnel.open", + "remote.tunnel.openPreview", + "remote.tunnel.openCommandPalette", + "remote.tunnel.openCommandPaletteNone", + "remote.tunnel.openCommandPaletteView", + "remote.tunnel.openCommandPalettePick", + "remote.tunnel.copyAddressInline", + "remote.tunnel.copyAddressCommandPalette", + "remote.tunnel.copyAddressPlaceholdter", + "remote.tunnel.changeLocalPort", + "remote.tunnel.changeLocalPortNumber", + "remote.tunnelsView.changePort", + "remote.tunnel.protocolHttp", + "remote.tunnel.protocolHttps", + "tunnelContext.privacyMenu", + "tunnelContext.protocolMenu", + "portWithRunningProcess.foreground" + ], + "vs/workbench/browser/parts/compositeBar": [ + "activityBarAriaLabel" + ], + "vs/workbench/browser/parts/compositePart": [ + "ariaCompositeToolbarLabel", + "viewsAndMoreActions", + "titleTooltip" + ], + "vs/workbench/browser/parts/activitybar/activitybarActions": [ + "manageTrustedExtensions", + "signOut", + "authProviderUnavailable", + "noAccounts", + "hideAccounts", + "previousSideBarView", + "nextSideBarView", + "focusActivityBar" + ], + "vs/workbench/browser/parts/titlebar/menubarControl": [ { - "key": "multiLinePasteButton", + "key": "mFile", "comment": [ "&& denotes a mnemonic" ] }, - "doNotAskAgain", - "disconnectStatus", - "workspaceNotTrustedCreateTerminal", - "workspaceNotTrustedCreateTerminalCwd", - "terminal.requestTrust", - "terminalTextBoxAriaLabelNumberAndTitle", - "terminalTextBoxAriaLabel", - "terminalNavigationMode", - "setTerminalDimensionsColumn", - "setTerminalDimensionsRow", - "terminalStaleTextBoxAriaLabel", - "workbench.action.terminal.rename.prompt", - "launchFailed.exitCodeAndCommandLineShellIntegration", - "launchFailed.exitCodeOnlyShellIntegration", - "launchFailed.exitCodeAndCommandLine", - "launchFailed.exitCodeOnly", - "terminated.exitCodeAndCommandLine", - "terminated.exitCodeOnly", - "launchFailed.errorMessage" - ], - "vs/workbench/contrib/terminal/browser/terminalTabsList": [ - "terminalInputAriaLabel", - "terminal.tabs", { - "key": "splitTerminalAriaLabel", + "key": "mEdit", "comment": [ - "The terminal's ID", - "The terminal's title", - "The terminal's split number", - "The terminal group's total split number" + "&& denotes a mnemonic" ] }, { - "key": "terminalAriaLabel", + "key": "mSelection", "comment": [ - "The terminal's ID", - "The terminal's title" + "&& denotes a mnemonic" + ] + }, + { + "key": "mView", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "mGoto", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "mTerminal", + "comment": [ + "&& denotes a mnemonic" + ] + }, + { + "key": "mHelp", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "mPreferences", + "menubar.customTitlebarAccessibilityNotification", + "goToSetting", + "focusMenu", + { + "key": "checkForUpdates", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "checkingForUpdates", + { + "key": "download now", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "DownloadingUpdate", + { + "key": "installUpdate...", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "installingUpdate", + { + "key": "restartToUpdate", + "comment": [ + "&& denotes a mnemonic" ] } ], - "vs/workbench/contrib/tasks/common/jsonSchemaCommon": [ - "JsonSchema.options", - "JsonSchema.options.cwd", - "JsonSchema.options.env", - "JsonSchema.tasks.matcherError", - "JsonSchema.tasks.matcherError", - "JsonSchema.shellConfiguration", - "JsonSchema.shell.executable", - "JsonSchema.shell.args", - "JsonSchema.command", - "JsonSchema.tasks.args", - "JsonSchema.tasks.taskName", - "JsonSchema.command", - "JsonSchema.tasks.args", - "JsonSchema.tasks.windows", - "JsonSchema.tasks.matchers", - "JsonSchema.tasks.mac", - "JsonSchema.tasks.matchers", - "JsonSchema.tasks.linux", - "JsonSchema.tasks.matchers", - "JsonSchema.tasks.suppressTaskName", - "JsonSchema.tasks.showOutput", - "JsonSchema.echoCommand", - "JsonSchema.tasks.watching.deprecation", - "JsonSchema.tasks.watching", - "JsonSchema.tasks.background", - "JsonSchema.tasks.promptOnClose", - "JsonSchema.tasks.build", - "JsonSchema.tasks.test", - "JsonSchema.tasks.matchers", - "JsonSchema.command", - "JsonSchema.args", - "JsonSchema.showOutput", - "JsonSchema.watching.deprecation", - "JsonSchema.watching", - "JsonSchema.background", - "JsonSchema.promptOnClose", - "JsonSchema.echoCommand", - "JsonSchema.suppressTaskName", - "JsonSchema.taskSelector", - "JsonSchema.matchers", - "JsonSchema.tasks" + "vs/workbench/browser/parts/sidebar/sidebarActions": [ + "focusSideBar" ], - "vs/workbench/services/configurationResolver/common/configurationResolverUtils": [ - "deprecatedVariables" + "vs/base/browser/ui/iconLabel/iconLabelHover": [ + "iconLabel.loading" ], - "vs/editor/contrib/editorState/browser/keybindingCancellation": [ - "cancellableOperation" + "vs/base/browser/ui/toolbar/toolbar": [ + "moreActions" ], - "vs/workbench/contrib/update/browser/releaseNotesEditor": [ - "releaseNotesInputName", - "unassigned" + "vs/workbench/browser/parts/editor/tabsTitleControl": [ + "ariaLabelTabActions" ], - "vs/workbench/services/configurationResolver/common/configurationResolverSchema": [ - "JsonSchema.input.id", - "JsonSchema.input.type", - "JsonSchema.input.description", - "JsonSchema.input.default", - "JsonSchema.inputs", - "JsonSchema.input.type.promptString", - "JsonSchema.input.password", - "JsonSchema.input.type.pickString", - "JsonSchema.input.options", - "JsonSchema.input.pickString.optionLabel", - "JsonSchema.input.pickString.optionValue", - "JsonSchema.input.type.command", - "JsonSchema.input.command.command", - "JsonSchema.input.command.args", - "JsonSchema.input.command.args", - "JsonSchema.input.command.args" + "vs/workbench/browser/parts/editor/editorPanes": [ + "ok", + "cancel", + "editorOpenErrorDialog" ], - "vs/editor/contrib/snippet/browser/snippetVariables": [ - "Sunday", - "Monday", - "Tuesday", - "Wednesday", - "Thursday", - "Friday", - "Saturday", - "SundayShort", - "MondayShort", - "TuesdayShort", - "WednesdayShort", - "ThursdayShort", - "FridayShort", - "SaturdayShort", - "January", - "February", - "March", - "April", - "May", - "June", - "July", - "August", - "September", - "October", - "November", - "December", - "JanuaryShort", - "FebruaryShort", - "MarchShort", - "AprilShort", - "MayShort", - "JuneShort", - "JulyShort", - "AugustShort", - "SeptemberShort", - "OctoberShort", - "NovemberShort", - "DecemberShort" + "vs/editor/common/model/editStack": [ + "edit" ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedColors": [ - "welcomePage.background", - "welcomePage.tileBackground", - "welcomePage.tileHoverBackground", - "welcomePage.tileShadow", - "welcomePage.progress.background", - "welcomePage.progress.foreground" + "vs/workbench/services/preferences/browser/keybindingsEditorModel": [ + "default", + "extension", + "user", + "cat.title", + "cat.title", + "option", + "meta" ], - "vs/workbench/contrib/welcomeGettingStarted/common/gettingStartedContent": [ - "getting-started-setup-icon", - "getting-started-beginner-icon", - "getting-started-intermediate-icon", - "gettingStarted.newFile.title", - "gettingStarted.newFile.description", - "gettingStarted.openMac.title", - "gettingStarted.openMac.description", - "gettingStarted.openFile.title", - "gettingStarted.openFile.description", - "gettingStarted.openFolder.title", - "gettingStarted.openFolder.description", - "gettingStarted.openFolder.title", - "gettingStarted.openFolder.description", - "gettingStarted.topLevelGitClone.title", - "gettingStarted.topLevelGitClone.description", - "gettingStarted.topLevelGitOpen.title", - "gettingStarted.topLevelGitOpen.description", - "gettingStarted.topLevelShowWalkthroughs.title", - "gettingStarted.topLevelShowWalkthroughs.description", - "gettingStarted.topLevelVideoTutorials.title", - "gettingStarted.topLevelVideoTutorials.description", - "gettingStarted.topLevelVideoTutorials.title", - "gettingStarted.topLevelVideoTutorials.description", - "gettingStarted.setup.title", - "gettingStarted.setup.description", - "gettingStarted.pickColor.title", - "gettingStarted.pickColor.description.interpolated", - "titleID", - "gettingStarted.settingsSync.title", - "gettingStarted.settingsSync.description.interpolated", - "enableSync", - "gettingStarted.commandPalette.title", - "gettingStarted.commandPalette.description.interpolated", - "commandPalette", - "gettingStarted.extensions.title", - "gettingStarted.extensionsWeb.description.interpolated", - "browsePopular", - "gettingStarted.findLanguageExts.title", - "gettingStarted.findLanguageExts.description.interpolated", - "browseLangExts", - "gettingStarted.setup.OpenFolder.title", - "gettingStarted.setup.OpenFolder.description.interpolated", - "pickFolder", - "gettingStarted.setup.OpenFolder.title", - "gettingStarted.setup.OpenFolder.description.interpolated", - "pickFolder", - "gettingStarted.quickOpen.title", - "gettingStarted.quickOpen.description.interpolated", - "quickOpen", - "gettingStarted.setupWeb.title", - "gettingStarted.setupWeb.description", - "gettingStarted.pickColor.title", - "gettingStarted.pickColor.description.interpolated", - "titleID", - "gettingStarted.settingsSync.title", - "gettingStarted.settingsSync.description.interpolated", - "enableSync", - "gettingStarted.commandPalette.title", - "gettingStarted.commandPalette.description.interpolated", - "commandPalette", - "gettingStarted.menuBar.title", - "gettingStarted.menuBar.description.interpolated", - "toggleMenuBar", - "gettingStarted.extensions.title", - "gettingStarted.extensionsWeb.description.interpolated", - "browsePopular", - "gettingStarted.findLanguageExts.title", - "gettingStarted.findLanguageExts.description.interpolated", - "browseLangExts", - "gettingStarted.setup.OpenFolder.title", - "gettingStarted.setup.OpenFolderWeb.description.interpolated", - "openFolder", - "openRepository", - "gettingStarted.quickOpen.title", - "gettingStarted.quickOpen.description.interpolated", - "quickOpen", - "gettingStarted.beginner.title", - "gettingStarted.beginner.description", - "gettingStarted.playground.title", - "gettingStarted.playground.description.interpolated", - "openEditorPlayground", - "gettingStarted.terminal.title", - "gettingStarted.terminal.description.interpolated", - "showTerminal", - "gettingStarted.extensions.title", - "gettingStarted.extensions.description.interpolated", - "browseRecommended", - "gettingStarted.settings.title", - "gettingStarted.settings.description.interpolated", - "tweakSettings", - "gettingStarted.workspaceTrust.title", - "gettingStarted.workspaceTrust.description.interpolated", - "workspaceTrust", - "enableTrust", - "gettingStarted.videoTutorial.title", - "gettingStarted.videoTutorial.description.interpolated", - "watch", - "gettingStarted.intermediate.title", - "gettingStarted.intermediate.description", - "gettingStarted.splitview.title", - "gettingStarted.splitview.description.interpolated", - "splitEditor", - "gettingStarted.debug.title", - "gettingStarted.debug.description.interpolated", - "runProject", - "gettingStarted.scm.title", - "gettingStarted.scmClone.description.interpolated", - "cloneRepo", - "gettingStarted.scm.title", - "gettingStarted.scmSetup.description.interpolated", - "initRepo", - "gettingStarted.scm.title", - "gettingStarted.scm.description.interpolated", - "openSCM", - "gettingStarted.installGit.title", - "gettingStarted.installGit.description.interpolated", - "installGit", - "gettingStarted.tasks.title", - "gettingStarted.tasks.description.interpolated", - "runTasks", - "gettingStarted.shortcuts.title", - "gettingStarted.shortcuts.description.interpolated", - "keyboardShortcuts", - "gettingStarted.notebook.title", - "gettingStarted.notebookProfile.title", - "gettingStarted.notebookProfile.description" - ], - "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": [ - "tree.aria", - "from", - "to" - ], - "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyTree": [ - "tree.aria", - "supertypes", - "subtypes" - ], - "vs/editor/contrib/symbolIcons/browser/symbolIcons": [ - "symbolIcon.arrayForeground", - "symbolIcon.booleanForeground", - "symbolIcon.classForeground", - "symbolIcon.colorForeground", - "symbolIcon.constantForeground", - "symbolIcon.constructorForeground", - "symbolIcon.enumeratorForeground", - "symbolIcon.enumeratorMemberForeground", - "symbolIcon.eventForeground", - "symbolIcon.fieldForeground", - "symbolIcon.fileForeground", - "symbolIcon.folderForeground", - "symbolIcon.functionForeground", - "symbolIcon.interfaceForeground", - "symbolIcon.keyForeground", - "symbolIcon.keywordForeground", - "symbolIcon.methodForeground", - "symbolIcon.moduleForeground", - "symbolIcon.namespaceForeground", - "symbolIcon.nullForeground", - "symbolIcon.numberForeground", - "symbolIcon.objectForeground", - "symbolIcon.operatorForeground", - "symbolIcon.packageForeground", - "symbolIcon.propertyForeground", - "symbolIcon.referenceForeground", - "symbolIcon.snippetForeground", - "symbolIcon.stringForeground", - "symbolIcon.structForeground", - "symbolIcon.textForeground", - "symbolIcon.typeParameterForeground", - "symbolIcon.unitForeground", - "symbolIcon.variableForeground" + "vs/base/browser/ui/inputbox/inputBox": [ + "alertErrorMessage", + "alertWarningMessage", + "alertInfoMessage", + { + "key": "history.inputbox.hint", + "comment": [ + "Text will be prefixed with ⇅ plus a single space, then used as a hint where input field keeps history" + ] + } ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedExtensionPoint": [ - "title", - "walkthroughs", - "walkthroughs.id", - "walkthroughs.title", - "walkthroughs.description", - "walkthroughs.featuredFor", - "walkthroughs.when", - "walkthroughs.steps", - "walkthroughs.steps.id", - "walkthroughs.steps.title", - "walkthroughs.steps.description.interpolated", - "walkthroughs.steps.button.deprecated.interpolated", - "walkthroughs.steps.media", - "pathDeprecated", - "walkthroughs.steps.media.image.path.string", - "walkthroughs.steps.media.image.path.dark.string", - "walkthroughs.steps.media.image.path.light.string", - "walkthroughs.steps.media.image.path.hc.string", - "walkthroughs.steps.media.image.path.hcLight.string", - "walkthroughs.steps.media.altText", - "walkthroughs.steps.media.image.path.svg", - "walkthroughs.steps.media.altText", - "pathDeprecated", - "walkthroughs.steps.media.markdown.path", - "walkthroughs.steps.completionEvents", - "walkthroughs.steps.completionEvents.onCommand", - "walkthroughs.steps.completionEvents.onLink", - "walkthroughs.steps.completionEvents.onView", - "walkthroughs.steps.completionEvents.onSettingChanged", - "walkthroughs.steps.completionEvents.onContext", - "walkthroughs.steps.completionEvents.extensionInstalled", - "walkthroughs.steps.completionEvents.stepSelected", - "walkthroughs.steps.doneOn", - "walkthroughs.steps.doneOn.deprecation", - "walkthroughs.steps.oneOn.command", - "walkthroughs.steps.when" + "vs/workbench/services/preferences/common/preferencesValidation": [ + "validations.booleanIncorrectType", + "validations.expectedNumeric", + "validations.stringIncorrectEnumOptions", + "validations.stringIncorrectType", + "invalidTypeError", + "validations.maxLength", + "validations.minLength", + "validations.regex", + "validations.colorFormat", + "validations.uriEmpty", + "validations.uriMissing", + "validations.uriSchemeMissing", + "validations.invalidStringEnumValue", + "validations.exclusiveMax", + "validations.exclusiveMin", + "validations.max", + "validations.min", + "validations.multipleOf", + "validations.expectedInteger", + "validations.arrayIncorrectType", + "validations.stringArrayUniqueItems", + "validations.stringArrayMinItem", + "validations.stringArrayMaxItem", + "validations.stringArrayIncorrectType", + "validations.stringArrayItemPattern", + "validations.stringArrayItemEnum", + "validations.objectIncorrectType", + "validations.objectPattern" ], - "vs/workbench/services/textfile/common/textFileSaveParticipant": [ - "saveParticipants" + "vs/workbench/contrib/preferences/browser/preferencesWidgets": [ + "userSettings", + "userSettingsRemote", + "workspaceSettings", + "folderSettings", + "settingsSwitcherBarAriaLabel", + "workspaceSettings", + "userSettings" ], - "vs/workbench/contrib/feedback/browser/feedback": [ - "label.sendASmile", - "close", - "patchedVersion1", - "patchedVersion2", - "sentiment", - "smileCaption", - "smileCaption", - "frownCaption", - "frownCaption", - "other ways to contact us", - "submit a bug", - "request a missing feature", - "tell us why", - "feedbackTextInput", - "showFeedback", - "tweet", - "tweetFeedback", - "character left", - "characters left" + "vs/workbench/contrib/notebook/browser/viewParts/notebookKernelActionViewItem": [ + "select", + "select" ], - "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": [ - "merges", - "synced machines", - "workbench.actions.sync.editMachineName", - "workbench.actions.sync.turnOffSyncOnMachine", - "remote sync activity title", - "local sync activity title", - "workbench.actions.sync.resolveResourceRef", - "workbench.actions.sync.compareWithLocal", - "remoteToLocalDiff", - { - "key": "leftResourceName", - "comment": [ - "remote as in file in cloud" - ] - }, + "vs/base/parts/quickinput/browser/quickInput": [ + "quickInput.back", + "inputModeEntry", + "quickInput.steps", + "quickInputBox.ariaLabel", + "inputModeEntryDescription", + "quickInput.checkAll", { - "key": "rightResourceName", + "key": "quickInput.visibleCount", "comment": [ - "local as in file in disk" + "This tells the user how many items are shown in a list of items to select from. The items can be anything. Currently not visible, but read by screen readers." ] }, - "workbench.actions.sync.replaceCurrent", { - "key": "confirm replace", + "key": "quickInput.countSelected", "comment": [ - "A confirmation message to replace current user data (settings, extensions, keybindings, snippets) with selected version" + "This tells the user how many items are selected in a list of items to select from. The items can be anything." ] }, - "troubleshoot", - "reset", - "sideBySideLabels", - { - "key": "current", + "ok", + "custom", + "quickInput.backWithKeybinding", + "quickInput.back" + ], + "vs/workbench/contrib/notebook/browser/extensionPoint": [ + "contributes.notebook.provider", + "contributes.notebook.provider.viewType", + "contributes.notebook.provider.displayName", + "contributes.notebook.provider.selector", + "contributes.notebook.provider.selector.filenamePattern", + "contributes.notebook.selector.provider.excludeFileNamePattern", + "contributes.priority", + "contributes.priority.default", + "contributes.priority.option", + "contributes.notebook.renderer", + "contributes.notebook.renderer.viewType", + "contributes.notebook.renderer.displayName", + "contributes.notebook.renderer.hardDependencies", + "contributes.notebook.renderer.optionalDependencies", + "contributes.notebook.renderer.requiresMessaging.always", + "contributes.notebook.renderer.requiresMessaging.optional", + "contributes.notebook.renderer.requiresMessaging.never", + "contributes.notebook.renderer.requiresMessaging", + "contributes.notebook.selector", + "contributes.notebook.renderer.entrypoint", + "contributes.notebook.renderer.entrypoint", + "contributes.notebook.renderer.entrypoint.extends", + "contributes.notebook.renderer.entrypoint" + ], + "vs/workbench/contrib/notebook/common/notebookEditorModel": [ + "notebook.staleSaveError", + "notebook.staleSaveError.revert", + "notebook.staleSaveError.overwrite." + ], + "vs/workbench/services/workingCopy/common/fileWorkingCopyManager": [ + "fileWorkingCopyCreate.source", + "fileWorkingCopyReplace.source", + "fileWorkingCopyDecorations", + "readonlyAndDeleted", + "readonly", + "deleted", + "confirmOverwrite", + "irreversible", + { + "key": "replaceButtonLabel", "comment": [ - "Represents current machine" + "&& denotes a mnemonic" + ] + } + ], + "vs/workbench/contrib/notebook/browser/notebookEditorWidget": [ + "notebookTreeAriaLabel", + "notebook.cellBorderColor", + "notebook.focusedEditorBorder", + "notebookStatusSuccessIcon.foreground", + "notebookStatusErrorIcon.foreground", + "notebookStatusRunningIcon.foreground", + "notebook.outputContainerBorderColor", + "notebook.outputContainerBackgroundColor", + "notebook.cellToolbarSeparator", + "focusedCellBackground", + "selectedCellBackground", + "notebook.cellHoverBackground", + "notebook.selectedCellBorder", + "notebook.inactiveSelectedCellBorder", + "notebook.focusedCellBorder", + "notebook.inactiveFocusedCellBorder", + "notebook.cellStatusBarItemHoverBackground", + "notebook.cellInsertionIndicator", + "notebookScrollbarSliderBackground", + "notebookScrollbarSliderHoverBackground", + "notebookScrollbarSliderActiveBackground", + "notebook.symbolHighlightBackground", + "notebook.cellEditorBackground", + "notebook.editorBackground" + ], + "vs/workbench/contrib/notebook/browser/view/renderers/backLayerWebView": [ + "notebook.emptyMarkdownPlaceholder", + { + "key": "notebook.error.rendererNotFound", + "comment": [ + "$0 is a placeholder for the mime type" + ] + } + ], + "vs/platform/quickinput/browser/commandsQuickAccess": [ + "commandPickAriaLabelWithKeybinding", + "recentlyUsed", + "morecCommands", + "canNotRun" + ], + "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": [ + "canNotResolve", + "symbolicLlink", + "unknown", + "label" + ], + "vs/workbench/contrib/testing/common/constants": [ + "testState.errored", + "testState.failed", + "testState.passed", + "testState.queued", + "testState.running", + "testState.skipped", + "testState.unset", + { + "key": "testing.treeElementLabel", + "comment": [ + "label then the unit tests state, for example \"Addition Tests (Running)\"" ] }, - "no machines", + "testGroup.debug", + "testGroup.run", + "testGroup.coverage" + ], + "vs/workbench/contrib/testing/browser/testingExplorerFilter": [ + "testing.filters.showOnlyFailed", + "testing.filters.showOnlyExecuted", + "testing.filters.currentFile", + "testing.filters.showExcludedTests", + "testing.filters.menu", + "testExplorerFilterLabel", + "testExplorerFilter", + "testing.filters.fuzzyMatch", + "testing.filters.showExcludedTests", + "testing.filters.removeTestExclusions", + "filter" + ], + "vs/workbench/contrib/testing/browser/theme": [ + "testing.iconFailed", + "testing.iconErrored", + "testing.iconPassed", + "testing.runAction", + "testing.iconQueued", + "testing.iconUnset", + "testing.iconSkipped", + "testing.peekBorder", + "testing.peekBorder", + "testing.message.error.decorationForeground", + "testing.message.error.marginBackground", + "testing.message.info.decorationForeground", + "testing.message.info.marginBackground" + ], + "vs/workbench/contrib/files/browser/views/explorerViewer": [ + "treeAriaLabel", + "fileInputAriaLabel", + "confirmRootsMove", + "confirmMultiMove", + "confirmRootMove", + "confirmMove", + "doNotAskAgain", { - "key": "current", + "key": "moveButtonLabel", "comment": [ - "Current machine" + "&& denotes a mnemonic" ] }, - "not found", - "turn off sync on multiple machines", - "turn off sync on machine", + "copy", + "copying", + "move", + "moving", + "numberOfFolders", + "numberOfFiles" + ], + "vs/workbench/contrib/files/browser/fileImportExport": [ + "uploadingFiles", + "overwrite", + "overwriting", + "uploadProgressSmallMany", + "uploadProgressLarge", + "copyingFiles", + "copyFolders", + "copyFolder", + "cancel", + "addFolders", + "addFolder", + "dropFolders", + "dropFolder", + "copyfolders", + "copyfolder", + "filesInaccessible", + "fileInaccessible", { - "key": "turn off", + "comment": [ + "substitution will be the name of the file that was imported" + ], + "key": "importFile" + }, + { + "comment": [ + "substitution will be the number of files that were imported" + ], + "key": "importnFile" + }, + { + "comment": [ + "substitution will be the name of the file that was copied" + ], + "key": "copyingFile" + }, + { + "comment": [ + "substitution will be the number of files that were copied" + ], + "key": "copyingnFile" + }, + "downloadingFiles", + "downloadProgressSmallMany", + "downloadProgressLarge", + "downloadButton", + "chooseWhereToDownload", + "downloadBulkEdit", + "downloadingBulkEdit", + "confirmOverwrite", + "irreversible", + { + "key": "replaceButtonLabel", "comment": [ "&& denotes a mnemonic" ] }, - "placeholder", - "not found", - "valid message", - "sync logs", - "last sync states", + "confirmManyOverwrites", + "irreversible", { - "key": "current", + "key": "replaceButtonLabel", "comment": [ - "Represents current log file" + "&& denotes a mnemonic" ] } ], - "vs/workbench/browser/parts/notifications/notificationsList": [ - "notificationAriaLabel", - "notificationWithSourceAriaLabel", - "notificationsList" + "vs/workbench/contrib/search/browser/replaceService": [ + "searchReplace.source", + "fileReplaceChanges" ], - "vs/workbench/browser/parts/notifications/notificationsActions": [ - "clearIcon", - "clearAllIcon", - "hideIcon", - "expandIcon", - "collapseIcon", - "configureIcon", - "clearNotification", - "clearNotifications", - "hideNotificationsCenter", - "expandNotification", - "collapseNotification", - "configureNotification", - "copyNotification" + "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": [ + "invalidQueryStringError", + "numFiles", + "oneFile", + "numResults", + "oneResult", + "noResults", + "searchMaxResultsWarning" ], - "vs/workbench/browser/parts/titlebar/windowTitle": [ - "patchedWindowTitle", - "userIsAdmin", - "userIsSudo", - "devExtensionWindowTitlePrefix" - ], - "vs/workbench/browser/parts/titlebar/commandCenterControl": [ - "label1", - "label2", - "title", - "title2", - "all", - "commandCenter-foreground", - "commandCenter-activeForeground", - "commandCenter-background", - "commandCenter-activeBackground", - "commandCenter-border" - ], - "vs/workbench/contrib/webview/browser/webviewElement": [ - "fatalErrorMessage" - ], - "vs/workbench/services/workingCopy/common/storedFileWorkingCopy": [ - "staleSaveError", - "overwrite", - "discard", - "overwriteElevated", - "overwriteElevatedSudo", - "saveElevated", - "saveElevatedSudo", - "overwrite", - "retry", - "saveAs", - "discard", - "readonlySaveErrorAdmin", - "readonlySaveErrorSudo", - "readonlySaveError", - "permissionDeniedSaveError", - "permissionDeniedSaveErrorSudo", - { - "key": "genericSaveError", - "comment": [ - "{0} is the resource that failed to save and {1} the error message" - ] - } + "vs/editor/contrib/quickAccess/browser/gotoSymbolQuickAccess": [ + "cannotRunGotoSymbolWithoutEditor", + "cannotRunGotoSymbolWithoutSymbolProvider", + "noMatchingSymbolResults", + "noSymbolResults", + "openToSide", + "openToBottom", + "symbols", + "property", + "method", + "function", + "_constructor", + "variable", + "class", + "struct", + "event", + "operator", + "interface", + "namespace", + "package", + "typeParameter", + "modules", + "property", + "enum", + "enumMember", + "string", + "file", + "array", + "number", + "boolean", + "object", + "key", + "field", + "constant" ], - "vs/editor/browser/controller/textAreaHandler": [ - "editor", - "accessibilityOffAriaLabel" + "vs/workbench/contrib/debug/browser/baseDebugView": [ + "debug.lazyButton.tooltip" ], - "vs/base/browser/ui/findinput/findInputToggles": [ - "caseDescription", - "wordsDescription", - "regexDescription" + "vs/workbench/contrib/debug/browser/debugAdapterManager": [ + "debugNoType", + "debugName", + "debugServer", + "debugPrelaunchTask", + "debugPostDebugTask", + "CouldNotFindLanguage", + "findExtension", + "cancel", + "suggestedDebuggers", + "installLanguage", + "installExt", + "selectDebug" ], - "vs/editor/contrib/colorPicker/browser/colorPickerWidget": [ - "clickToToggleColorOptions" + "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindReplaceWidget": [ + "label.find", + "placeholder.find", + "label.previousMatchButton", + "label.nextMatchButton", + "label.closeButton", + "label.toggleReplaceButton", + "label.replace", + "placeholder.replace", + "label.replaceButton", + "label.replaceAllButton", + "findFilterIcon", + "notebook.find.filter.filterAction", + "notebook.find.filter.findInMarkupInput", + "notebook.find.filter.findInMarkupPreview", + "notebook.find.filter.findInCodeInput", + "notebook.find.filter.findInCodeOutput" ], - "vs/editor/contrib/gotoSymbol/browser/peek/referencesWidget": [ - "missingPreviewMessage", - "noResults", - "peekView.alternateTitle" + "vs/workbench/contrib/debug/browser/debugConfigurationManager": [ + "selectConfiguration", + "editLaunchConfig", + "DebugConfig.failed", + "workspace", + "user settings" ], - "vs/editor/contrib/suggest/browser/suggestWidgetDetails": [ - "details.close", - "loading" + "vs/workbench/contrib/debug/browser/debugSession": [ + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "sessionNotReadyForBreakpoints", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "noDebugAdapter", + "debuggingStarted", + "debuggingStopped" ], - "vs/editor/contrib/suggest/browser/suggestWidgetStatus": [ - "ddd" + "vs/workbench/contrib/debug/common/debugSource": [ + "unknownSource" ], - "vs/editor/contrib/suggest/browser/suggestWidgetRenderer": [ - "suggestMoreInfoIcon", - "readMore" + "vs/workbench/contrib/debug/browser/debugTaskRunner": [ + "preLaunchTaskErrors", + "preLaunchTaskError", + "preLaunchTaskExitCode", + "preLaunchTaskTerminated", + "debugAnyway", + "showErrors", + "abort", + "remember", + "debugAnyway", + "cancel", + "rememberTask", + "invalidTaskReference", + "DebugTaskNotFoundWithTaskId", + "DebugTaskNotFound", + "taskNotTrackedWithTaskId", + "taskNotTracked" ], - "vs/workbench/contrib/comments/common/commentModel": [ - "noComments" + "vs/workbench/contrib/debug/common/loadedScriptsPicker": [ + "moveFocusedView.selectView" ], - "vs/base/browser/ui/menu/menubar": [ - "mAppMenu", - "mMore" + "vs/workbench/contrib/preferences/browser/settingsTree": [ + "extensions", + "modified", + "policyLabel", + "viewPolicySettings", + "settingsContextMenuTitle", + "newExtensionsButtonLabel", + "editInSettingsJson", + "editLanguageSettingLabel", + "settings.Default", + "modified", + "manageWorkspaceTrust", + "trustLabel", + "resetSettingLabel", + "validationError", + "validationError", + "settings.Modified", + "settings", + "copySettingIdLabel", + "copySettingAsJSONLabel", + "stopSyncingSetting" ], - "vs/workbench/browser/parts/editor/titleControl": [ - "ariaLabelEditorActions", - "draggedEditorGroup" + "vs/workbench/contrib/preferences/browser/preferencesRenderers": [ + "editTtile", + "replaceDefaultValue", + "copyDefaultValue", + "unknown configuration setting", + "unsupportedPolicySetting", + "defaultProfileSettingWhileNonDefaultActive", + "unsupportedRemoteMachineSetting", + "unsupportedWindowSetting", + "unsupportedApplicationSetting", + "unsupportedMachineSetting", + "untrustedSetting", + "manage workspace trust", + "manage workspace trust", + "unsupportedProperty" ], - "vs/workbench/browser/parts/editor/breadcrumbsControl": [ - "separatorIcon", - "breadcrumbsPossible", - "breadcrumbsVisible", - "breadcrumbsActive", - "empty", - "cmd.toggle", - "miShowBreadcrumbs", - "cmd.focus" + "vs/workbench/contrib/preferences/browser/tocTree": [ + { + "key": "settingsTOC", + "comment": [ + "A label for the table of contents for the full settings list" + ] + }, + "groupRowAriaLabel" ], - "vs/workbench/browser/parts/editor/editorPlaceholder": [ - "trustRequiredEditor", - "requiresFolderTrustText", - "requiresWorkspaceTrustText", - "manageTrust", - "errorEditor", - "unavailableResourceErrorEditorText", - "unknownErrorEditorTextWithError", - "unknownErrorEditorTextWithoutError", - "retry" + "vs/workbench/contrib/preferences/browser/settingsLayout": [ + "commonlyUsed", + "textEditor", + "cursor", + "find", + "font", + "formatting", + "diffEditor", + "minimap", + "suggestions", + "files", + "workbench", + "appearance", + "breadcrumbs", + "editorManagement", + "settings", + "zenMode", + "screencastMode", + "window", + "newWindow", + "features", + "fileExplorer", + "search", + "debug", + "testing", + "scm", + "extensions", + "terminal", + "task", + "problems", + "output", + "comments", + "remote", + "timeline", + "notebook", + "audioCues", + "application", + "proxy", + "keyboard", + "update", + "telemetry", + "settingsSync", + "security", + "workspace" ], - "vs/base/parts/quickinput/browser/quickInputList": [ - "quickInput" + "vs/workbench/contrib/preferences/browser/settingsSearchMenu": [ + "modifiedSettingsSearch", + "modifiedSettingsSearchTooltip", + "extSettingsSearch", + "extSettingsSearchTooltip", + "featureSettingsSearch", + "featureSettingsSearchTooltip", + "tagSettingsSearch", + "tagSettingsSearchTooltip", + "langSettingsSearch", + "langSettingsSearchTooltip", + "onlineSettingsSearch", + "onlineSettingsSearchTooltip", + "policySettingsSearch", + "policySettingsSearchTooltip" ], - "vs/workbench/contrib/preferences/browser/settingsEditorSettingIndicators": [ - "extensionSyncIgnoredLabel", - "syncIgnoredTitle", - "alsoConfiguredIn", - "configuredIn", - "defaultOverriddenDetails", - "defaultOverrideLabelText", - "defaultOverriddenDetails", - "defaultOverrideLabelText", - "alsoConfiguredIn", - "configuredIn", - "syncIgnoredTitle", - "defaultOverriddenDetails", - "defaultOverriddenDetails" + "vs/workbench/contrib/debug/browser/debugSessionPicker": [ + "moveFocusedView.selectView", + "workbench.action.debug.startDebug", + "workbench.action.debug.spawnFrom" ], - "vs/workbench/contrib/preferences/browser/settingsWidgets": [ - "okButton", - "cancelButton", - "listValueHintLabel", - "listSiblingHintLabel", - "removeItem", - "editItem", - "addItem", - "itemInputPlaceholder", - "listSiblingInputPlaceholder", - "excludePatternHintLabel", - "excludeSiblingHintLabel", - "removeExcludeItem", - "editExcludeItem", - "addPattern", - "excludePatternInputPlaceholder", - "excludeSiblingInputPlaceholder", - "okButton", - "cancelButton", - "objectKeyInputPlaceholder", - "objectValueInputPlaceholder", - "objectPairHintLabel", - "removeItem", - "resetItem", - "editItem", - "addItem", - "objectKeyHeader", - "objectValueHeader", - "objectPairHintLabel", - "removeItem", - "resetItem", - "editItem", - "addItem", - "objectKeyHeader", - "objectValueHeader" + "vs/workbench/contrib/markers/browser/markersViewActions": [ + "filterIcon", + "showing filtered problems" ], - "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": [ - "cellExecutionOrderCountLabel" + "vs/workbench/contrib/preferences/common/settingsEditorColorRegistry": [ + "headerForeground", + "modifiedItemForeground", + "settingsHeaderBorder", + "settingsSashBorder", + "settingsDropdownBackground", + "settingsDropdownForeground", + "settingsDropdownBorder", + "settingsDropdownListBorder", + "settingsCheckboxBackground", + "settingsCheckboxForeground", + "settingsCheckboxBorder", + "textInputBoxBackground", + "textInputBoxForeground", + "textInputBoxBorder", + "numberInputBoxBackground", + "numberInputBoxForeground", + "numberInputBoxBorder", + "focusedRowBackground", + "settings.rowHoverBackground", + "settings.focusedRowBorder" ], - "vs/workbench/services/workingCopy/common/storedFileWorkingCopyManager": [ - "join.fileWorkingCopyManager" + "vs/workbench/contrib/markers/browser/markersTable": [ + "codeColumnLabel", + "messageColumnLabel", + "fileColumnLabel", + "sourceColumnLabel" ], - "vs/base/browser/ui/selectBox/selectBoxCustom": [ - { - "key": "selectBox", - "comment": [ - "Behave like native select dropdown element." - ] - } + "vs/base/browser/ui/findinput/replaceInput": [ + "defaultLabel", + "label.preserveCaseToggle" ], - "vs/workbench/contrib/debug/browser/rawDebugSession": [ - "noDebugAdapterStart", - "canNotStart", - "continue", - "cancel", - "noDebugAdapter", - "moreInfo" + "vs/workbench/contrib/markers/browser/markersTreeViewer": [ + "problemsView", + "expandedIcon", + "collapsedIcon", + "single line", + "multi line" ], - "vs/workbench/contrib/debug/common/debugSchemas": [ - "vscode.extension.contributes.debuggers", - "vscode.extension.contributes.debuggers.type", - "vscode.extension.contributes.debuggers.label", - "vscode.extension.contributes.debuggers.program", - "vscode.extension.contributes.debuggers.args", - "vscode.extension.contributes.debuggers.runtime", - "vscode.extension.contributes.debuggers.runtimeArgs", - "vscode.extension.contributes.debuggers.variables", - "vscode.extension.contributes.debuggers.initialConfigurations", - "vscode.extension.contributes.debuggers.languages", - "vscode.extension.contributes.debuggers.configurationSnippets", - "vscode.extension.contributes.debuggers.configurationAttributes", - "vscode.extension.contributes.debuggers.when", - "vscode.extension.contributes.debuggers.windows", - "vscode.extension.contributes.debuggers.windows.runtime", - "vscode.extension.contributes.debuggers.osx", - "vscode.extension.contributes.debuggers.osx.runtime", - "vscode.extension.contributes.debuggers.linux", - "vscode.extension.contributes.debuggers.linux.runtime", - "vscode.extension.contributes.breakpoints", - "vscode.extension.contributes.breakpoints.language", - "vscode.extension.contributes.breakpoints.when", - "presentation", - "presentation.hidden", - "presentation.group", - "presentation.order", - "app.launch.json.title", - "app.launch.json.version", - "app.launch.json.configurations", - "app.launch.json.compounds", - "app.launch.json.compound.name", - "useUniqueNames", - "app.launch.json.compound.name", - "app.launch.json.compound.folder", - "app.launch.json.compounds.configurations", - "app.launch.json.compound.stopAll", - "compoundPrelaunchTask" + "vs/workbench/contrib/comments/browser/commentGlyphWidget": [ + "editorGutterCommentRangeForeground" ], - "vs/workbench/contrib/debug/common/debugger": [ - "cannot.find.da", - "launch.config.comment1", - "launch.config.comment2", - "launch.config.comment3", - "debugType", - "debugTypeNotRecognised", - "node2NotSupported", - "debugRequest", - "debugWindowsConfiguration", - "debugOSXConfiguration", - "debugLinuxConfiguration" + "vs/workbench/contrib/comments/browser/commentColors": [ + "resolvedCommentBorder", + "unresolvedCommentBorder", + "commentThreadRangeBackground", + "commentThreadRangeBorder", + "commentThreadActiveRangeBackground", + "commentThreadActiveRangeBorder" ], - "vs/workbench/contrib/customEditor/common/extensionPoint": [ - "contributes.customEditors", - "contributes.viewType", - "contributes.displayName", - "contributes.selector", - "contributes.selector.filenamePattern", - "contributes.priority", - "contributes.priority.default", - "contributes.priority.option" + "vs/workbench/contrib/mergeEditor/common/mergeEditor": [ + "is", + "editorLayout", + "baseUri", + "resultUri" + ], + "vs/workbench/contrib/mergeEditor/browser/view/colors": [ + "mergeEditor.change.background", + "mergeEditor.change.word.background", + "mergeEditor.conflict.unhandledUnfocused.border", + "mergeEditor.conflict.unhandledFocused.border", + "mergeEditor.conflict.handledUnfocused.border", + "mergeEditor.conflict.handledFocused.border", + "mergeEditor.conflict.handled.minimapOverViewRuler", + "mergeEditor.conflict.unhandled.minimapOverViewRuler" + ], + "vs/workbench/contrib/mergeEditor/browser/view/editors/inputCodeEditorView": [ + "mergeEditor.accept", + "mergeEditor.accept", + "mergeEditor.acceptBoth", + "mergeEditor.swap", + "mergeEditor.markAsHandled", + "accept" + ], + "vs/workbench/contrib/mergeEditor/browser/view/editors/resultCodeEditorView": [ + "mergeEditor.remainingConflicts", + "mergeEditor.remainingConflict" ], - "vs/workbench/contrib/terminal/browser/terminalDecorationsProvider": [ - "label" + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": [ + "bulkEdit", + "aria.renameAndEdit", + "aria.createAndEdit", + "aria.deleteAndEdit", + "aria.editOnly", + "aria.rename", + "aria.create", + "aria.delete", + "aria.replace", + "aria.del", + "aria.insert", + "rename.label", + "detail.rename", + "detail.create", + "detail.del", + "title" ], - "vs/workbench/contrib/terminal/browser/terminalProcessManager": [ - "ptyHostRelaunch" + "vs/platform/files/browser/htmlFileSystemProvider": [ + "fileSystemRenameError", + "fileSystemNotAllowedError" ], - "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": [ - "label.find", - "placeholder.find", - "label.previousMatchButton", - "label.nextMatchButton", - "label.closeButton" + "vs/workbench/contrib/extensions/browser/extensionsWidgets": [ + "ratedLabel", + "sponsor", + "remote extension title", + "syncingore.label", + "activation", + "startup", + "pre-release-label", + "sponsor", + "publisher verified tooltip", + "activation", + "startup", + "uncaught error", + "uncaught errors", + "message", + "messages", + "dependencies", + "Show prerelease version", + "has prerelease", + "recommendationHasBeenIgnored", + "extensionIconStarForeground", + "extensionIconVerifiedForeground", + "extensionPreReleaseForeground", + "extensionIcon.sponsorForeground" ], - "vs/workbench/contrib/terminal/browser/links/terminalLinkQuickpick": [ - "terminal.integrated.openDetectedLink", - "terminal.integrated.urlLinks", - "terminal.integrated.localFileLinks", - "terminal.integrated.searchLinks" + "vs/workbench/contrib/extensions/browser/extensionsViewer": [ + "error", + "Unknown Extension", + "extension.arialabel", + "extensions" ], - "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": [ - "terminalLinkHandler.followLinkAlt.mac", - "terminalLinkHandler.followLinkAlt", - "terminalLinkHandler.followLinkCmd", - "terminalLinkHandler.followLinkCtrl", - "followLink", - "followForwardedLink", - "followLinkUrl" + "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": [ + "exeBasedRecommendation" ], - "vs/workbench/contrib/terminal/browser/xterm/xtermTerminal": [ - "yes", - "no", - "dontShowAgain", - "terminal.slowRendering" + "vs/workbench/contrib/extensions/browser/workspaceRecommendations": [ + "workspaceRecommendation" ], - "vs/workbench/contrib/welcomeGettingStarted/common/media/theme_picker": [ - "light", - "dark", - "HighContrast", - "HighContrastLight", - "seeMore" + "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": [ + "dynamicWorkspaceRecommendation" ], - "vs/workbench/contrib/welcomeGettingStarted/common/media/notebookProfile": [ - "default", - "jupyter", - "colab" + "vs/workbench/contrib/extensions/browser/webRecommendations": [ + "reason" ], - "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": [ - "explanation", - "turn on sync", - "cancel", - "workbench.actions.sync.acceptRemote", - "workbench.actions.sync.acceptLocal", - "workbench.actions.sync.merge", - "workbench.actions.sync.discard", + "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": [ + "searchMarketplace", + "fileBasedRecommendation", + "reallyRecommended", + "showLanguageExtensions", + "dontShowAgainExtension" + ], + "vs/workbench/contrib/extensions/browser/configBasedRecommendations": [ + "exeBasedRecommendation" + ], + "vs/workbench/contrib/customEditor/common/contributedCustomEditors": [ + "builtinProviderDisplayName" + ], + "vs/workbench/contrib/terminal/browser/terminalProfileQuickpick": [ + "terminal.integrated.selectProfileToCreate", + "terminal.integrated.chooseDefaultProfile", + "enterTerminalProfileName", + "terminalProfileAlreadyExists", + "terminalProfiles", + "ICreateContributedTerminalProfileOptions", + "terminalProfiles.detected", + "createQuickLaunchProfile" + ], + "vs/workbench/contrib/terminal/browser/terminalConfigHelper": [ + "useWslExtension.title", + "install" + ], + "vs/workbench/contrib/terminal/browser/terminalInstance": [ + "terminal.integrated.a11yPromptLabel", + "terminal.integrated.a11yTooMuchOutput", + "terminalTypeTask", + "terminalTypeLocal", + "bellStatus", + "removeCommand", + "selectRecentCommandMac", + "selectRecentCommand", + "viewCommandOutput", + "shellFileHistoryCategory", + "selectRecentDirectoryMac", + "selectRecentDirectory", + "terminal.contiguousSearch", + "terminal.fuzzySearch", + "keybindingHandling", + "configureTerminalSettings", + "terminal.integrated.copySelection.noSelection", + "preview", + "confirmMoveTrashMessageFilesAndDirectories", { - "key": "workbench.actions.sync.showChanges", + "key": "multiLinePasteButton", "comment": [ - "This is an action title to show the changes between local and remote version of resources" + "&& denotes a mnemonic" ] }, - "conflicts detected", - "resolve", - "turning on", - "preview", + "doNotAskAgain", + "disconnectStatus", + "workspaceNotTrustedCreateTerminal", + "workspaceNotTrustedCreateTerminalCwd", + "launchFailed.exitCodeOnlyShellIntegration", + "shellIntegration.learnMore", + "shellIntegration.openSettings", + "terminal.requestTrust", + "terminalTextBoxAriaLabelNumberAndTitle", + "terminalTextBoxAriaLabel", + "terminalNavigationMode", + "setTerminalDimensionsColumn", + "setTerminalDimensionsRow", + "terminalStaleTextBoxAriaLabel", + "workbench.action.terminal.rename.prompt", + "launchFailed.exitCodeAndCommandLine", + "launchFailed.exitCodeOnly", + "terminated.exitCodeAndCommandLine", + "terminated.exitCodeOnly", + "launchFailed.errorMessage" + ], + "vs/workbench/contrib/remote/browser/explorerViewItems": [ + "remotes", + "remote.explorer.switch" + ], + "vs/workbench/contrib/terminal/browser/terminalTabsList": [ + "terminalInputAriaLabel", + "terminal.tabs", { - "key": "leftResourceName", + "key": "splitTerminalAriaLabel", "comment": [ - "remote as in file in cloud" + "The terminal's ID", + "The terminal's title", + "The terminal's split number", + "The terminal group's total split number" ] }, - "merges", { - "key": "rightResourceName", + "key": "terminalAriaLabel", "comment": [ - "local as in file in disk" + "The terminal's ID", + "The terminal's title" ] - }, - "sideBySideLabels", - "sideBySideDescription", - "label", - "conflict", - "accepted", - "accept remote", - "accept local", - "accept merges" + } ], - "vs/platform/languagePacks/common/localizedStrings": [ - "open", - "close", - "find" + "vs/workbench/contrib/tasks/common/jsonSchemaCommon": [ + "JsonSchema.options", + "JsonSchema.options.cwd", + "JsonSchema.options.env", + "JsonSchema.tasks.matcherError", + "JsonSchema.tasks.matcherError", + "JsonSchema.shellConfiguration", + "JsonSchema.shell.executable", + "JsonSchema.shell.args", + "JsonSchema.command", + "JsonSchema.tasks.args", + "JsonSchema.tasks.taskName", + "JsonSchema.command", + "JsonSchema.tasks.args", + "JsonSchema.tasks.windows", + "JsonSchema.tasks.matchers", + "JsonSchema.tasks.mac", + "JsonSchema.tasks.matchers", + "JsonSchema.tasks.linux", + "JsonSchema.tasks.matchers", + "JsonSchema.tasks.suppressTaskName", + "JsonSchema.tasks.showOutput", + "JsonSchema.echoCommand", + "JsonSchema.tasks.watching.deprecation", + "JsonSchema.tasks.watching", + "JsonSchema.tasks.background", + "JsonSchema.tasks.promptOnClose", + "JsonSchema.tasks.build", + "JsonSchema.tasks.test", + "JsonSchema.tasks.matchers", + "JsonSchema.command", + "JsonSchema.args", + "JsonSchema.showOutput", + "JsonSchema.watching.deprecation", + "JsonSchema.watching", + "JsonSchema.background", + "JsonSchema.promptOnClose", + "JsonSchema.echoCommand", + "JsonSchema.suppressTaskName", + "JsonSchema.taskSelector", + "JsonSchema.matchers", + "JsonSchema.tasks" ], - "vs/workbench/browser/parts/notifications/notificationsViewer": [ - "executeCommand", - "notificationActions", - "notificationSource" + "vs/workbench/contrib/snippets/browser/commands/abstractSnippetsActions": [ + "snippets" ], - "vs/editor/contrib/codeAction/browser/lightBulbWidget": [ - "preferredcodeActionWithKb", - "codeActionWithKb", - "codeAction" + "vs/workbench/contrib/snippets/browser/snippetPicker": [ + "sep.userSnippet", + "sep.workspaceSnippet", + "disableSnippet", + "isDisabled", + "enable.snippet", + "pick.placeholder", + "pick.noSnippetAvailable" ], - "vs/editor/contrib/gotoSymbol/browser/peek/referencesTree": [ - "referencesCount", - "referenceCount", - "treeAriaLabel" + "vs/workbench/contrib/snippets/browser/snippetsFile": [ + "source.workspaceSnippetGlobal", + "source.userSnippetGlobal", + "source.userSnippet" ], - "vs/workbench/browser/parts/editor/breadcrumbsPicker": [ - "breadcrumbs" + "vs/workbench/services/configurationResolver/common/configurationResolverUtils": [ + "deprecatedVariables" ], - "vs/workbench/contrib/notebook/browser/diff/diffElementOutputs": [ - "mimeTypePicker", - "empty", - "noRenderer.2", - "curruentActiveMimeType", - "promptChooseMimeTypeInSecure.placeHolder", - "promptChooseMimeType.placeHolder", - "builtinRenderInfo" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/cellEditorOptions": [ - "notebook.lineNumbers", - "notebook.toggleLineNumbers", - "notebook.showLineNumbers", - "notebook.cell.toggleLineNumbers.title" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/collapsedCellOutput": [ - "cellOutputsCollapsedMsg", - "cellExpandOutputButtonLabelWithDoubleClick", - "cellExpandOutputButtonLabel" - ], - "vs/workbench/browser/parts/editor/breadcrumbs": [ - "title", - "enabled", - "filepath", - "filepath.on", - "filepath.off", - "filepath.last", - "symbolpath", - "symbolpath.on", - "symbolpath.off", - "symbolpath.last", - "symbolSortOrder", - "symbolSortOrder.position", - "symbolSortOrder.name", - "symbolSortOrder.type", - "icons", - "filteredTypes.file", - "filteredTypes.module", - "filteredTypes.namespace", - "filteredTypes.package", - "filteredTypes.class", - "filteredTypes.method", - "filteredTypes.property", - "filteredTypes.field", - "filteredTypes.constructor", - "filteredTypes.enum", - "filteredTypes.interface", - "filteredTypes.function", - "filteredTypes.variable", - "filteredTypes.constant", - "filteredTypes.string", - "filteredTypes.number", - "filteredTypes.boolean", - "filteredTypes.array", - "filteredTypes.object", - "filteredTypes.key", - "filteredTypes.null", - "filteredTypes.enumMember", - "filteredTypes.struct", - "filteredTypes.event", - "filteredTypes.operator", - "filteredTypes.typeParameter" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/codeCell": [ - "cellExpandInputButtonLabelWithDoubleClick", - "cellExpandInputButtonLabel" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellRunToolbar": [ - "notebook.moreRunActionsLabel" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/foldedCellHint": [ - "hiddenCellsLabel", - "hiddenCellsLabelPlural" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/markdownCell": [ - "cellExpandInputButtonLabelWithDoubleClick", - "cellExpandInputButtonLabel" + "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": [ + "detail.snippet", + "snippetSuggest.longLabel", + "snippetSuggest.longLabel" ], - "vs/workbench/contrib/comments/browser/commentThreadHeader": [ - "collapseIcon", - "label.collapse", - "startThread" + "vs/workbench/contrib/update/browser/releaseNotesEditor": [ + "releaseNotesInputName", + "unassigned" ], - "vs/workbench/contrib/comments/browser/commentThreadBody": [ - "commentThreadAria.withRange", - "commentThreadAria" + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedColors": [ + "welcomePage.background", + "welcomePage.tileBackground", + "welcomePage.tileHoverBackground", + "welcomePage.tileShadow", + "welcomePage.progress.background", + "welcomePage.progress.foreground" ], - "vs/workbench/contrib/terminal/browser/environmentVariableInfo": [ - "extensionEnvironmentContributionChanges", - "extensionEnvironmentContributionRemoval", - "relaunchTerminalLabel", - "extensionEnvironmentContributionInfo" + "vs/workbench/services/configurationResolver/common/configurationResolverSchema": [ + "JsonSchema.input.id", + "JsonSchema.input.type", + "JsonSchema.input.description", + "JsonSchema.input.default", + "JsonSchema.inputs", + "JsonSchema.input.type.promptString", + "JsonSchema.input.password", + "JsonSchema.input.type.pickString", + "JsonSchema.input.options", + "JsonSchema.input.pickString.optionLabel", + "JsonSchema.input.pickString.optionValue", + "JsonSchema.input.type.command", + "JsonSchema.input.command.command", + "JsonSchema.input.command.args", + "JsonSchema.input.command.args", + "JsonSchema.input.command.args" ], - "vs/workbench/contrib/terminal/browser/links/terminalLinkDetectorAdapter": [ - "searchWorkspace", - "openFile", - "focusFolder", + "vs/workbench/contrib/welcomeGettingStarted/common/gettingStartedContent": [ + "getting-started-setup-icon", + "getting-started-beginner-icon", + "getting-started-intermediate-icon", + "gettingStarted.newFile.title", + "gettingStarted.newFile.description", + "gettingStarted.openMac.title", + "gettingStarted.openMac.description", + "gettingStarted.openFile.title", + "gettingStarted.openFile.description", + "gettingStarted.openFolder.title", + "gettingStarted.openFolder.description", + "gettingStarted.openFolder.title", + "gettingStarted.openFolder.description", + "gettingStarted.topLevelGitClone.title", + "gettingStarted.topLevelGitClone.description", + "gettingStarted.topLevelGitOpen.title", + "gettingStarted.topLevelGitOpen.description", + "gettingStarted.topLevelShowWalkthroughs.title", + "gettingStarted.topLevelShowWalkthroughs.description", + "gettingStarted.topLevelVideoTutorials.title", + "gettingStarted.topLevelVideoTutorials.description", + "gettingStarted.topLevelVideoTutorials.title", + "gettingStarted.topLevelVideoTutorials.description", + "gettingStarted.setup.title", + "gettingStarted.setup.description", + "gettingStarted.pickColor.title", + "gettingStarted.pickColor.description.interpolated", + "titleID", + "gettingStarted.settingsSync.title", + "gettingStarted.settingsSync.description.interpolated", + "enableSync", + "gettingStarted.commandPalette.title", + "gettingStarted.commandPalette.description.interpolated", + "commandPalette", + "gettingStarted.extensions.title", + "gettingStarted.extensionsWeb.description.interpolated", + "browsePopular", + "gettingStarted.findLanguageExts.title", + "gettingStarted.findLanguageExts.description.interpolated", + "browseLangExts", + "gettingStarted.setup.OpenFolder.title", + "gettingStarted.setup.OpenFolder.description.interpolated", + "pickFolder", + "gettingStarted.setup.OpenFolder.title", + "gettingStarted.setup.OpenFolder.description.interpolated", + "pickFolder", + "gettingStarted.quickOpen.title", + "gettingStarted.quickOpen.description.interpolated", + "quickOpen", + "gettingStarted.setupWeb.title", + "gettingStarted.setupWeb.description", + "gettingStarted.pickColor.title", + "gettingStarted.pickColor.description.interpolated", + "titleID", + "gettingStarted.settingsSync.title", + "gettingStarted.settingsSync.description.interpolated", + "enableSync", + "gettingStarted.commandPalette.title", + "gettingStarted.commandPalette.description.interpolated", + "commandPalette", + "gettingStarted.menuBar.title", + "gettingStarted.menuBar.description.interpolated", + "toggleMenuBar", + "gettingStarted.extensions.title", + "gettingStarted.extensionsWeb.description.interpolated", + "browsePopular", + "gettingStarted.findLanguageExts.title", + "gettingStarted.findLanguageExts.description.interpolated", + "browseLangExts", + "gettingStarted.setup.OpenFolder.title", + "gettingStarted.setup.OpenFolderWeb.description.interpolated", "openFolder", - "followLink" + "openRepository", + "gettingStarted.quickOpen.title", + "gettingStarted.quickOpen.description.interpolated", + "quickOpen", + "gettingStarted.beginner.title", + "gettingStarted.beginner.description", + "gettingStarted.playground.title", + "gettingStarted.playground.description.interpolated", + "openEditorPlayground", + "gettingStarted.terminal.title", + "gettingStarted.terminal.description.interpolated", + "showTerminal", + "gettingStarted.extensions.title", + "gettingStarted.extensions.description.interpolated", + "browseRecommended", + "gettingStarted.settings.title", + "gettingStarted.settings.description.interpolated", + "tweakSettings", + "gettingStarted.workspaceTrust.title", + "gettingStarted.workspaceTrust.description.interpolated", + "workspaceTrust", + "enableTrust", + "gettingStarted.videoTutorial.title", + "gettingStarted.videoTutorial.description.interpolated", + "watch", + "gettingStarted.intermediate.title", + "gettingStarted.intermediate.description", + "gettingStarted.splitview.title", + "gettingStarted.splitview.description.interpolated", + "splitEditor", + "gettingStarted.debug.title", + "gettingStarted.debug.description.interpolated", + "runProject", + "gettingStarted.scm.title", + "gettingStarted.scmClone.description.interpolated", + "cloneRepo", + "gettingStarted.scm.title", + "gettingStarted.scmSetup.description.interpolated", + "initRepo", + "gettingStarted.scm.title", + "gettingStarted.scm.description.interpolated", + "openSCM", + "gettingStarted.installGit.title", + "gettingStarted.installGit.description.interpolated", + "installGit", + "gettingStarted.tasks.title", + "gettingStarted.tasks.description.interpolated", + "runTasks", + "gettingStarted.shortcuts.title", + "gettingStarted.shortcuts.description.interpolated", + "keyboardShortcuts", + "gettingStarted.notebook.title", + "gettingStarted.notebookProfile.title", + "gettingStarted.notebookProfile.description" ], - "vs/workbench/contrib/terminal/browser/xterm/decorationAddon": [ - "terminalPromptContextMenu", - "terminalPromptCommandFailed", - "terminalPromptCommandFailedWithExitCode", - "terminalPromptCommandSuccess", - "terminal.copyOutput", - "terminal.copyOutputAsHtml", - "terminal.rerunCommand", - "terminal.howDoesThisWork" + "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": [ + "tree.aria", + "from", + "to" ], - "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellExecutionIcon": [ - "notebook.cell.status.success", - "notebook.cell.status.failed", - "notebook.cell.status.pending", - "notebook.cell.status.executing" - ], - "vs/workbench/contrib/terminal/browser/links/terminalLink": [ - "openFile", - "focusFolder", - "openFolder" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/cellOutput": [ - "empty", - "noRenderer.2", - "pickMimeType", - "curruentActiveMimeType", - "installJupyterPrompt", - "promptChooseMimeTypeInSecure.placeHolder", - "promptChooseMimeType.placeHolder", - "unavailableRenderInfo" + "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyTree": [ + "tree.aria", + "supertypes", + "subtypes" ], - "vs/workbench/contrib/comments/browser/commentNode": [ - "commentToggleReaction", - "commentToggleReactionError", - "commentToggleReactionDefaultError", - "commentDeleteReactionError", - "commentDeleteReactionDefaultError", - "commentAddReactionError", - "commentAddReactionDefaultError" + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedExtensionPoint": [ + "title", + "walkthroughs", + "walkthroughs.id", + "walkthroughs.title", + "walkthroughs.description", + "walkthroughs.featuredFor", + "walkthroughs.when", + "walkthroughs.steps", + "walkthroughs.steps.id", + "walkthroughs.steps.title", + "walkthroughs.steps.description.interpolated", + "walkthroughs.steps.button.deprecated.interpolated", + "walkthroughs.steps.media", + "pathDeprecated", + "walkthroughs.steps.media.image.path.string", + "walkthroughs.steps.media.image.path.dark.string", + "walkthroughs.steps.media.image.path.light.string", + "walkthroughs.steps.media.image.path.hc.string", + "walkthroughs.steps.media.image.path.hcLight.string", + "walkthroughs.steps.media.altText", + "walkthroughs.steps.media.image.path.svg", + "walkthroughs.steps.media.altText", + "pathDeprecated", + "walkthroughs.steps.media.markdown.path", + "walkthroughs.steps.completionEvents", + "walkthroughs.steps.completionEvents.onCommand", + "walkthroughs.steps.completionEvents.onLink", + "walkthroughs.steps.completionEvents.onView", + "walkthroughs.steps.completionEvents.onSettingChanged", + "walkthroughs.steps.completionEvents.onContext", + "walkthroughs.steps.completionEvents.extensionInstalled", + "walkthroughs.steps.completionEvents.stepSelected", + "walkthroughs.steps.doneOn", + "walkthroughs.steps.doneOn.deprecation", + "walkthroughs.steps.oneOn.command", + "walkthroughs.steps.when" ], - "vs/workbench/contrib/comments/browser/reactionsAction": [ - "pickReactions" - ] - }, - "messages": { - "vs/code/electron-main/main": [ - "A second instance of {0} is already running as administrator.", - "Please close the other instance and try again.", - "Another instance of {0} is running but not responding", - "Please close all other instances and try again.", - "Unable to write program user data.", - "{0}\n\nPlease make sure the following directories are writeable:\n\n{1}", - "&&Close" + "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": [ + "merges", + "synced machines", + "workbench.actions.sync.editMachineName", + "workbench.actions.sync.turnOffSyncOnMachine", + "remote sync activity title", + "local sync activity title", + "workbench.actions.sync.resolveResourceRef", + "workbench.actions.sync.compareWithLocal", + "remoteToLocalDiff", + { + "key": "leftResourceName", + "comment": [ + "remote as in file in cloud" + ] + }, + { + "key": "rightResourceName", + "comment": [ + "local as in file in disk" + ] + }, + "workbench.actions.sync.replaceCurrent", + { + "key": "confirm replace", + "comment": [ + "A confirmation message to replace current user data (settings, extensions, keybindings, snippets) with selected version" + ] + }, + "troubleshoot", + "reset", + "sideBySideLabels", + { + "key": "current", + "comment": [ + "Represents current machine" + ] + }, + "no machines", + { + "key": "current", + "comment": [ + "Current machine" + ] + }, + "not found", + "turn off sync on multiple machines", + "turn off sync on machine", + { + "key": "turn off", + "comment": [ + "&& denotes a mnemonic" + ] + }, + "placeholder", + "not found", + "valid message", + "sync logs", + "last sync states", + { + "key": "current", + "comment": [ + "Represents current log file" + ] + } ], - "vs/code/electron-sandbox/issue/issueReporterMain": [ - "hide", - "show", - "Create on GitHub", - "Preview on GitHub", - "Loading data...", - "GitHub query limit exceeded. Please wait.", - "Similar issues", - "Open", - "Closed", - "Open", - "Closed", - "No similar issues found", - "Bug Report", - "Feature Request", - "Performance Issue", - "Select source", - "Visual Studio Code", - "An extension", - "Extensions marketplace", - "Don't know", - "Steps to Reproduce", - "Share the steps needed to reliably reproduce the problem. Please include actual and expected results. We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.", - "Steps to Reproduce", - "When did this performance issue happen? Does it occur on startup or after a specific series of actions? We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.", - "Description", - "Please describe the feature you would like to see. We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.", - "We have written the needed data into your clipboard because it was too large to send. Please paste.", - "Extensions are disabled", - "No current experiments." + "vs/workbench/contrib/feedback/browser/feedback": [ + "label.sendASmile", + "close", + "patchedVersion1", + "patchedVersion2", + "sentiment", + "smileCaption", + "smileCaption", + "frownCaption", + "frownCaption", + "other ways to contact us", + "submit a bug", + "request a missing feature", + "tell us why", + "feedbackTextInput", + "showFeedback", + "tweet", + "tweetFeedback", + "character left", + "characters left" ], - "vs/code/electron-sandbox/processExplorer/processExplorerMain": [ - "Process Name", - "CPU (%)", - "PID", - "Memory (MB)", - "Kill Process", - "Force Kill Process", - "Copy", - "Copy All", - "Debug" + "vs/editor/contrib/symbolIcons/browser/symbolIcons": [ + "symbolIcon.arrayForeground", + "symbolIcon.booleanForeground", + "symbolIcon.classForeground", + "symbolIcon.colorForeground", + "symbolIcon.constantForeground", + "symbolIcon.constructorForeground", + "symbolIcon.enumeratorForeground", + "symbolIcon.enumeratorMemberForeground", + "symbolIcon.eventForeground", + "symbolIcon.fieldForeground", + "symbolIcon.fileForeground", + "symbolIcon.folderForeground", + "symbolIcon.functionForeground", + "symbolIcon.interfaceForeground", + "symbolIcon.keyForeground", + "symbolIcon.keywordForeground", + "symbolIcon.methodForeground", + "symbolIcon.moduleForeground", + "symbolIcon.namespaceForeground", + "symbolIcon.nullForeground", + "symbolIcon.numberForeground", + "symbolIcon.objectForeground", + "symbolIcon.operatorForeground", + "symbolIcon.packageForeground", + "symbolIcon.propertyForeground", + "symbolIcon.referenceForeground", + "symbolIcon.snippetForeground", + "symbolIcon.stringForeground", + "symbolIcon.structForeground", + "symbolIcon.textForeground", + "symbolIcon.typeParameterForeground", + "symbolIcon.unitForeground", + "symbolIcon.variableForeground" ], - "vs/platform/terminal/node/ptyService": [ - "Session contents restored from {0} at {1}" + "vs/workbench/browser/parts/notifications/notificationsList": [ + "notificationAriaLabel", + "notificationWithSourceAriaLabel", + "notificationsList" ], - "vs/base/common/errorMessage": [ - "{0}: {1}", - "A system error occurred ({0})", - "An unknown error occurred. Please consult the log for more details.", - "An unknown error occurred. Please consult the log for more details.", - "{0} ({1} errors in total)", - "An unknown error occurred. Please consult the log for more details." + "vs/workbench/services/textfile/common/textFileSaveParticipant": [ + "saveParticipants" ], - "vs/code/electron-main/app": [ - "&&Yes", - "&&No", - "An external application wants to open '{0}' in {1}. Do you want to open this file or folder?", - "If you did not initiate this request, it may represent an attempted attack on your system. Unless you took an explicit action to initiate this request, you should press 'No'", - "Successfully created trace.", - "Please create an issue and manually attach the following file:\n{0}", - "&&OK" + "vs/workbench/browser/parts/notifications/notificationsActions": [ + "clearIcon", + "clearAllIcon", + "hideIcon", + "expandIcon", + "collapseIcon", + "configureIcon", + "doNotDisturbIcon", + "clearNotification", + "clearNotifications", + "toggleDoNotDisturbMode", + "hideNotificationsCenter", + "expandNotification", + "collapseNotification", + "configureNotification", + "copyNotification" ], - "vs/platform/environment/node/argvHelper": [ - "Warning: '{0}' is not in the list of known options, but still passed to Electron/Chromium.", - "Option '{0}' is defined more than once. Using value '{1}'.", - "Option '{0}' requires a non empty value. Ignoring the option.", - "Option '{0}' is deprecated: {1}", - "Arguments in `--goto` mode should be in the format of `FILE(:LINE(:CHARACTER))`." + "vs/workbench/browser/parts/titlebar/commandCenterControl": [ + "label.dfl", + "label1", + "label2", + "title", + "title2", + "all", + "commandCenter-foreground", + "commandCenter-activeForeground", + "commandCenter-background", + "commandCenter-activeBackground", + "commandCenter-border" ], - "vs/platform/files/common/files": [ - "Unknown Error", - "{0}B", - "{0}KB", - "{0}MB", - "{0}GB", - "{0}TB" + "vs/workbench/browser/parts/titlebar/windowTitle": [ + "userIsAdmin", + "userIsSudo", + "devExtensionWindowTitlePrefix" ], - "vs/platform/files/common/fileService": [ - "Unable to resolve filesystem provider with relative file path '{0}'", - "No file system provider found for resource '{0}'", - "Unable to resolve nonexistent file '{0}'", - "Unable to create file '{0}' that already exists when overwrite flag is not set", - "Unable to write file '{0}' ({1})", - "Unable to unlock file '{0}' because provider does not support it.", - "Unable to write file '{0}' that is actually a directory", - "File Modified Since", - "Unable to read file '{0}' ({1})", - "Unable to read file '{0}' ({1})", - "Unable to read file '{0}' ({1})", - "Unable to read file '{0}' that is actually a directory", - "File not modified since", - "Unable to read file '{0}' that is too large to open", - "Unable to copy when source '{0}' is same as target '{1}' with different path case on a case insensitive file system", - "Unable to move/copy when source '{0}' is parent of target '{1}'.", - "Unable to move/copy '{0}' because target '{1}' already exists at destination.", - "Unable to move/copy '{0}' into '{1}' since a file would replace the folder it is contained in.", - "Unable to create folder '{0}' that already exists but is not a directory", - "Unable to delete file '{0}' via trash because provider does not support it.", - "Unable to delete nonexistent file '{0}'", - "Unable to delete non-empty folder '{0}'.", - "Unable to modify readonly file '{0}'", - "Unable to modify readonly file '{0}'" + "vs/workbench/services/extensions/common/extensionsUtil": [ + "overwritingExtension", + "overwritingExtension", + "extensionUnderDevelopment" ], - "vs/platform/files/node/diskFileSystemProvider": [ - "File already exists", - "File does not exist", - "Unable to move '{0}' into '{1}' ({2}).", - "Unable to copy '{0}' into '{1}' ({2}).", - "'File cannot be copied to same path with different path case", - "File at target already exists" + "vs/workbench/services/extensions/common/extensionHostManager": [ + "measureExtHostLatency" ], - "vs/platform/request/common/request": [ - "HTTP", - "The proxy setting to use. If not set, will be inherited from the `http_proxy` and `https_proxy` environment variables.", - "Controls whether the proxy server certificate should be verified against the list of supplied CAs.", - "The value to send as the `Proxy-Authorization` header for every network request.", - "Disable proxy support for extensions.", - "Enable proxy support for extensions.", - "Enable proxy support for extensions, fall back to request options, when no proxy found.", - "Enable proxy support for extensions, override request options.", - "Use the proxy support for extensions.", - "Controls whether CA certificates should be loaded from the OS. (On Windows and macOS, a reload of the window is required after turning this off.)" + "vs/workbench/services/workingCopy/common/storedFileWorkingCopy": [ + "staleSaveError", + "overwrite", + "discard", + "overwriteElevated", + "overwriteElevatedSudo", + "saveElevated", + "saveElevatedSudo", + "overwrite", + "retry", + "saveAs", + "discard", + "readonlySaveErrorAdmin", + "readonlySaveErrorSudo", + "readonlySaveError", + "permissionDeniedSaveError", + "permissionDeniedSaveErrorSudo", + { + "key": "genericSaveError", + "comment": [ + "{0} is the resource that failed to save and {1} the error message" + ] + } ], - "vs/platform/update/common/update.config.contribution": [ - "Update", - "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.", - "Disable updates.", - "Disable automatic background update checks. Updates will be available if you manually check for updates.", - "Check for updates only on startup. Disable automatic background update checks.", - "Enable automatic update checks. Code will check for updates automatically and periodically.", - "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.", - "This setting is deprecated, please use '{0}' instead.", - "Enable Background Updates on Windows", - "Enable to download and install new VS Code versions in the background on Windows.", - "Show Release Notes after an update. The Release Notes are fetched from a Microsoft online service." + "vs/workbench/contrib/webview/browser/webviewElement": [ + "fatalErrorMessage" ], - "vs/editor/common/config/editorOptions": [ - "The editor will use platform APIs to detect when a Screen Reader is attached.", - "The editor will be permanently optimized for usage with a Screen Reader. Word wrapping will be disabled.", - "The editor will never be optimized for usage with a Screen Reader.", - "Controls whether the editor should run in a mode where it is optimized for screen readers. Setting to on will disable word wrapping.", - "Controls whether a space character is inserted when commenting.", - "Controls if empty lines should be ignored with toggle, add or remove actions for line comments.", - "Controls whether copying without a selection copies the current line.", - "Controls whether the cursor should jump to find matches while typing.", - "Never seed search string from the editor selection.", - "Always seed search string from the editor selection, including word at cursor position.", - "Only seed search string from the editor selection.", - "Controls whether the search string in the Find Widget is seeded from the editor selection.", - "Never turn on Find in Selection automatically (default).", - "Always turn on Find in Selection automatically.", - "Turn on Find in Selection automatically when multiple lines of content are selected.", - "Controls the condition for turning on Find in Selection automatically.", - "Controls whether the Find Widget should read or modify the shared find clipboard on macOS.", - "Controls whether the Find Widget should add extra lines on top of the editor. When true, you can scroll beyond the first line when the Find Widget is visible.", - "Controls whether the search automatically restarts from the beginning (or the end) when no further matches can be found.", - "Enables/Disables font ligatures ('calt' and 'liga' font features). Change this to a string for fine-grained control of the 'font-feature-settings' CSS property.", - "Explicit 'font-feature-settings' CSS property. A boolean can be passed instead if one only needs to turn on/off ligatures.", - "Configures font ligatures or font features. Can be either a boolean to enable/disable ligatures or a string for the value of the CSS 'font-feature-settings' property.", - "Controls the font size in pixels.", - "Only \"normal\" and \"bold\" keywords or numbers between 1 and 1000 are allowed.", - "Controls the font weight. Accepts \"normal\" and \"bold\" keywords or numbers between 1 and 1000.", - "Show peek view of the results (default)", - "Go to the primary result and show a peek view", - "Go to the primary result and enable peek-less navigation to others", - "This setting is deprecated, please use separate settings like 'editor.editor.gotoLocation.multipleDefinitions' or 'editor.editor.gotoLocation.multipleImplementations' instead.", - "Controls the behavior the 'Go to Definition'-command when multiple target locations exist.", - "Controls the behavior the 'Go to Type Definition'-command when multiple target locations exist.", - "Controls the behavior the 'Go to Declaration'-command when multiple target locations exist.", - "Controls the behavior the 'Go to Implementations'-command when multiple target locations exist.", - "Controls the behavior the 'Go to References'-command when multiple target locations exist.", - "Alternative command id that is being executed when the result of 'Go to Definition' is the current location.", - "Alternative command id that is being executed when the result of 'Go to Type Definition' is the current location.", - "Alternative command id that is being executed when the result of 'Go to Declaration' is the current location.", - "Alternative command id that is being executed when the result of 'Go to Implementation' is the current location.", - "Alternative command id that is being executed when the result of 'Go to Reference' is the current location.", - "Controls whether the hover is shown.", - "Controls the delay in milliseconds after which the hover is shown.", - "Controls whether the hover should remain visible when mouse is moved over it.", - "Prefer showing hovers above the line, if there's space.", - "Enables the code action lightbulb in the editor.", - "Enables the inlay hints in the editor.", - "Inlay hints are enabled", - "Inlay hints are showing by default and hide when holding `Ctrl+Alt`", - "Inlay hints are hidden by default and show when holding `Ctrl+Alt`", - "Inlay hints are disabled", - "Controls font size of inlay hints in the editor. As default the `#editor.fontSize#` is used when the configured value is less than `5` or greater than the editor font size.", - "Controls font family of inlay hints in the editor. When set to empty, the `#editor.fontFamily#` is used.", - "Enables the padding around the inlay hints in the editor.", - "Controls the line height. \n - Use 0 to automatically compute the line height from the font size.\n - Values between 0 and 8 will be used as a multiplier with the font size.\n - Values greater than or equal to 8 will be used as effective values.", - "Controls whether the minimap is shown.", - "The minimap has the same size as the editor contents (and might scroll).", - "The minimap will stretch or shrink as necessary to fill the height of the editor (no scrolling).", - "The minimap will shrink as necessary to never be larger than the editor (no scrolling).", - "Controls the size of the minimap.", - "Controls the side where to render the minimap.", - "Controls when the minimap slider is shown.", - "Scale of content drawn in the minimap: 1, 2 or 3.", - "Render the actual characters on a line as opposed to color blocks.", - "Limit the width of the minimap to render at most a certain number of columns.", - "Controls the amount of space between the top edge of the editor and the first line.", - "Controls the amount of space between the bottom edge of the editor and the last line.", - "Enables a pop-up that shows parameter documentation and type information as you type.", - "Controls whether the parameter hints menu cycles or closes when reaching the end of the list.", - "Quick suggestions show inside the suggest widget", - "Quick suggestions show as ghost text", - "Quick suggestions are disabled", - "Enable quick suggestions inside strings.", - "Enable quick suggestions inside comments.", - "Enable quick suggestions outside of strings and comments.", - "Controls whether suggestions should automatically show up while typing. This can be controlled for typing in comments, strings, and other code. Quick suggestion can be configured to show as ghost text or with the suggest widget.", - "Line numbers are not rendered.", - "Line numbers are rendered as absolute number.", - "Line numbers are rendered as distance in lines to cursor position.", - "Line numbers are rendered every 10 lines.", - "Controls the display of line numbers.", - "Number of monospace characters at which this editor ruler will render.", - "Color of this editor ruler.", - "Render vertical rulers after a certain number of monospace characters. Use multiple values for multiple rulers. No rulers are drawn if array is empty.", - "The vertical scrollbar will be visible only when necessary.", - "The vertical scrollbar will always be visible.", - "The vertical scrollbar will always be hidden.", - "Controls the visibility of the vertical scrollbar.", - "The horizontal scrollbar will be visible only when necessary.", - "The horizontal scrollbar will always be visible.", - "The horizontal scrollbar will always be hidden.", - "Controls the visibility of the horizontal scrollbar.", - "The width of the vertical scrollbar.", - "The height of the horizontal scrollbar.", - "Controls whether clicks scroll by page or jump to click position.", - "Controls whether all non-basic ASCII characters are highlighted. Only characters between U+0020 and U+007E, tab, line-feed and carriage-return are considered basic ASCII.", - "Controls whether characters that just reserve space or have no width at all are highlighted.", - "Controls whether characters are highlighted that can be confused with basic ASCII characters, except those that are common in the current user locale.", - "Controls whether characters in comments should also be subject to unicode highlighting.", - "Controls whether characters in strings should also be subject to unicode highlighting.", - "Defines allowed characters that are not being highlighted.", - "Unicode characters that are common in allowed locales are not being highlighted.", - "Controls whether to automatically show inline suggestions in the editor.", - "Controls whether bracket pair colorization is enabled or not. Use `#workbench.colorCustomizations#` to override the bracket highlight colors.", - "Controls whether each bracket type has its own independent color pool.", - "Enables bracket pair guides.", - "Enables bracket pair guides only for the active bracket pair.", - "Disables bracket pair guides.", - "Controls whether bracket pair guides are enabled or not.", - "Enables horizontal guides as addition to vertical bracket pair guides.", - "Enables horizontal guides only for the active bracket pair.", - "Disables horizontal bracket pair guides.", - "Controls whether horizontal bracket pair guides are enabled or not.", - "Controls whether the editor should highlight the active bracket pair.", - "Controls whether the editor should render indent guides.", - "Highlights the active indent guide.", - "Highlights the active indent guide even if bracket guides are highlighted.", - "Do not highlight the active indent guide.", - "Controls whether the editor should highlight the active indent guide.", - "Insert suggestion without overwriting text right of the cursor.", - "Insert suggestion and overwrite text right of the cursor.", - "Controls whether words are overwritten when accepting completions. Note that this depends on extensions opting into this feature.", - "Controls whether filtering and sorting suggestions accounts for small typos.", - "Controls whether sorting favors words that appear close to the cursor.", - "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).", - "Controls whether an active snippet prevents quick suggestions.", - "Controls whether to show or hide icons in suggestions.", - "Controls the visibility of the status bar at the bottom of the suggest widget.", - "Controls whether to preview the suggestion outcome in the editor.", - "Controls whether suggest details show inline with the label or only in the details widget", - "This setting is deprecated. The suggest widget can now be resized.", - "This setting is deprecated, please use separate settings like 'editor.suggest.showKeywords' or 'editor.suggest.showSnippets' instead.", - "When enabled IntelliSense shows `method`-suggestions.", - "When enabled IntelliSense shows `function`-suggestions.", - "When enabled IntelliSense shows `constructor`-suggestions.", - "When enabled IntelliSense shows `deprecated`-suggestions.", - "When enabled IntelliSense shows `field`-suggestions.", - "When enabled IntelliSense shows `variable`-suggestions.", - "When enabled IntelliSense shows `class`-suggestions.", - "When enabled IntelliSense shows `struct`-suggestions.", - "When enabled IntelliSense shows `interface`-suggestions.", - "When enabled IntelliSense shows `module`-suggestions.", - "When enabled IntelliSense shows `property`-suggestions.", - "When enabled IntelliSense shows `event`-suggestions.", - "When enabled IntelliSense shows `operator`-suggestions.", - "When enabled IntelliSense shows `unit`-suggestions.", - "When enabled IntelliSense shows `value`-suggestions.", - "When enabled IntelliSense shows `constant`-suggestions.", - "When enabled IntelliSense shows `enum`-suggestions.", - "When enabled IntelliSense shows `enumMember`-suggestions.", - "When enabled IntelliSense shows `keyword`-suggestions.", - "When enabled IntelliSense shows `text`-suggestions.", - "When enabled IntelliSense shows `color`-suggestions.", - "When enabled IntelliSense shows `file`-suggestions.", - "When enabled IntelliSense shows `reference`-suggestions.", - "When enabled IntelliSense shows `customcolor`-suggestions.", - "When enabled IntelliSense shows `folder`-suggestions.", - "When enabled IntelliSense shows `typeParameter`-suggestions.", - "When enabled IntelliSense shows `snippet`-suggestions.", - "When enabled IntelliSense shows `user`-suggestions.", - "When enabled IntelliSense shows `issues`-suggestions.", - "Whether leading and trailing whitespace should always be selected.", - "Controls whether suggestions should be accepted on commit characters. For example, in JavaScript, the semi-colon (`;`) can be a commit character that accepts a suggestion and types that character.", - "Only accept a suggestion with `Enter` when it makes a textual change.", - "Controls whether suggestions should be accepted on `Enter`, in addition to `Tab`. Helps to avoid ambiguity between inserting new lines or accepting suggestions.", - "Controls the number of lines in the editor that can be read out by a screen reader at once. When we detect a screen reader we automatically set the default to be 500. Warning: this has a performance implication for numbers larger than the default.", - "Editor content", - "Use language configurations to determine when to autoclose brackets.", - "Autoclose brackets only when the cursor is to the left of whitespace.", - "Controls whether the editor should automatically close brackets after the user adds an opening bracket.", - "Remove adjacent closing quotes or brackets only if they were automatically inserted.", - "Controls whether the editor should remove adjacent closing quotes or brackets when deleting.", - "Type over closing quotes or brackets only if they were automatically inserted.", - "Controls whether the editor should type over closing quotes or brackets.", - "Use language configurations to determine when to autoclose quotes.", - "Autoclose quotes only when the cursor is to the left of whitespace.", - "Controls whether the editor should automatically close quotes after the user adds an opening quote.", - "The editor will not insert indentation automatically.", - "The editor will keep the current line's indentation.", - "The editor will keep the current line's indentation and honor language defined brackets.", - "The editor will keep the current line's indentation, honor language defined brackets and invoke special onEnterRules defined by languages.", - "The editor will keep the current line's indentation, honor language defined brackets, invoke special onEnterRules defined by languages, and honor indentationRules defined by languages.", - "Controls whether the editor should automatically adjust the indentation when users type, paste, move or indent lines.", - "Use language configurations to determine when to automatically surround selections.", - "Surround with quotes but not brackets.", - "Surround with brackets but not quotes.", - "Controls whether the editor should automatically surround selections when typing quotes or brackets.", - "Emulate selection behavior of tab characters when using spaces for indentation. Selection will stick to tab stops.", - "Controls whether the editor shows CodeLens.", - "Controls the font family for CodeLens.", - "Controls the font size in pixels for CodeLens. When set to `0`, 90% of `#editor.fontSize#` is used.", - "Controls whether the editor should render the inline color decorators and color picker.", - "Enable that the selection with the mouse and keys is doing column selection.", - "Controls whether syntax highlighting should be copied into the clipboard.", - "Control the cursor animation style.", - "Controls whether the smooth caret animation should be enabled.", - "Controls the cursor style.", - "Controls the minimal number of visible leading and trailing lines surrounding the cursor. Known as 'scrollOff' or 'scrollOffset' in some other editors.", - "`cursorSurroundingLines` is enforced only when triggered via the keyboard or API.", - "`cursorSurroundingLines` is enforced always.", - "Controls when `cursorSurroundingLines` should be enforced.", - "Controls the width of the cursor when `#editor.cursorStyle#` is set to `line`.", - "Controls whether the editor should allow moving selections via drag and drop.", - "Scrolling speed multiplier when pressing `Alt`.", - "Controls whether the editor has code folding enabled.", - "Use a language-specific folding strategy if available, else the indentation-based one.", - "Use the indentation-based folding strategy.", - "Controls the strategy for computing folding ranges.", - "Controls whether the editor should highlight folded ranges.", - "Controls whether the editor automatically collapses import ranges.", - "The maximum number of foldable regions. Increasing this value may result in the editor becoming less responsive when the current source has a large number of foldable regions.", - "Controls whether clicking on the empty content after a folded line will unfold the line.", - "Controls the font family.", - "Controls whether the editor should automatically format the pasted content. A formatter must be available and the formatter should be able to format a range in a document.", - "Controls whether the editor should automatically format the line after typing.", - "Controls whether the editor should render the vertical glyph margin. Glyph margin is mostly used for debugging.", - "Controls whether the cursor should be hidden in the overview ruler.", - "Controls the letter spacing in pixels.", - "Controls whether the editor has linked editing enabled. Depending on the language, related symbols, e.g. HTML tags, are updated while editing.", - "Controls whether the editor should detect links and make them clickable.", - "Highlight matching brackets.", - "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.", - "Zoom the font of the editor when using mouse wheel and holding `Ctrl`.", - "Merge multiple cursors when they are overlapping.", - "Maps to `Control` on Windows and Linux and to `Command` on macOS.", - "Maps to `Alt` on Windows and Linux and to `Option` on macOS.", - "The modifier to be used to add multiple cursors with the mouse. The Go to Definition and Open Link mouse gestures will adapt such that they do not conflict with the multicursor modifier. [Read more](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).", - "Each cursor pastes a single line of the text.", - "Each cursor pastes the full text.", - "Controls pasting when the line count of the pasted text matches the cursor count.", - "Controls whether the editor should highlight semantic symbol occurrences.", - "Controls whether a border should be drawn around the overview ruler.", - "Focus the tree when opening peek", - "Focus the editor when opening peek", - "Controls whether to focus the inline editor or the tree in the peek widget.", - "Controls whether the Go to Definition mouse gesture always opens the peek widget.", - "Controls the delay in milliseconds after which quick suggestions will show up.", - "Controls whether the editor auto renames on type.", - "Deprecated, use `editor.linkedEditing` instead.", - "Controls whether the editor should render control characters.", - "Render last line number when the file ends with a newline.", - "Highlights both the gutter and the current line.", - "Controls how the editor should render the current line highlight.", - "Controls if the editor should render the current line highlight only when the editor is focused.", - "Render whitespace characters except for single spaces between words.", - "Render whitespace characters only on selected text.", - "Render only trailing whitespace characters.", - "Controls how the editor should render whitespace characters.", - "Controls whether selections should have rounded corners.", - "Controls the number of extra characters beyond which the editor will scroll horizontally.", - "Controls whether the editor will scroll beyond the last line.", - "Scroll only along the predominant axis when scrolling both vertically and horizontally at the same time. Prevents horizontal drift when scrolling vertically on a trackpad.", - "Controls whether the Linux primary clipboard should be supported.", - "Controls whether the editor should highlight matches similar to the selection.", - "Always show the folding controls.", - "Only show the folding controls when the mouse is over the gutter.", - "Controls when the folding controls on the gutter are shown.", - "Controls fading out of unused code.", - "Controls strikethrough deprecated variables.", - "Show snippet suggestions on top of other suggestions.", - "Show snippet suggestions below other suggestions.", - "Show snippets suggestions with other suggestions.", - "Do not show snippet suggestions.", - "Controls whether snippets are shown with other suggestions and how they are sorted.", - "Controls whether the editor will scroll using an animation.", - "Font size for the suggest widget. When set to `0`, the value of `#editor.fontSize#` is used.", - "Line height for the suggest widget. When set to `0`, the value of `#editor.lineHeight#` is used. The minimum value is 8.", - "Controls whether suggestions should automatically show up when typing trigger characters.", - "Always select the first suggestion.", - "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently.", - "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`.", - "Controls how suggestions are pre-selected when showing the suggest list.", - "Tab complete will insert the best matching suggestion when pressing tab.", - "Disable tab completions.", - "Tab complete snippets when their prefix match. Works best when 'quickSuggestions' aren't enabled.", - "Enables tab completions.", - "Unusual line terminators are automatically removed.", - "Unusual line terminators are ignored.", - "Unusual line terminators prompt to be removed.", - "Remove unusual line terminators that might cause problems.", - "Inserting and deleting whitespace follows tab stops.", - "Characters that will be used as word separators when doing word related navigations or operations.", - "Lines will never wrap.", - "Lines will wrap at the viewport width.", - "Lines will wrap at `#editor.wordWrapColumn#`.", - "Lines will wrap at the minimum of viewport and `#editor.wordWrapColumn#`.", - "Controls how lines should wrap.", - "Controls the wrapping column of the editor when `#editor.wordWrap#` is `wordWrapColumn` or `bounded`.", - "No indentation. Wrapped lines begin at column 1.", - "Wrapped lines get the same indentation as the parent.", - "Wrapped lines get +1 indentation toward the parent.", - "Wrapped lines get +2 indentation toward the parent.", - "Controls the indentation of wrapped lines.", - "Assumes that all characters are of the same width. This is a fast algorithm that works correctly for monospace fonts and certain scripts (like Latin characters) where glyphs are of equal width.", - "Delegates wrapping points computation to the browser. This is a slow algorithm, that might cause freezes for large files, but it works correctly in all cases.", - "Controls the algorithm that computes wrapping points." + "vs/workbench/api/common/extHostDiagnostics": [ + { + "key": "limitHit", + "comment": [ + "amount of errors/warning skipped due to limits" + ] + } + ], + "vs/workbench/api/common/extHostProgress": [ + "extensionSource" + ], + "vs/workbench/api/common/extHostStatusBar": [ + "extensionLabel", + "status.extensionMessage" + ], + "vs/workbench/api/common/extHostTreeViews": [ + "treeView.notRegistered", + "treeView.notRegistered", + "treeView.notRegistered", + "treeView.notRegistered", + "treeView.notRegistered", + "treeView.notRegistered", + "treeView.notRegistered", + "treeView.notRegistered", + "treeView.duplicateElement" + ], + "vs/base/browser/ui/findinput/findInputToggles": [ + "caseDescription", + "wordsDescription", + "regexDescription" + ], + "vs/editor/browser/controller/textAreaHandler": [ + "editor", + "accessibilityOffAriaLabel" + ], + "vs/editor/contrib/colorPicker/browser/colorPickerWidget": [ + "clickToToggleColorOptions" + ], + "vs/editor/contrib/codeAction/browser/codeActionMenu": [ + "CodeActionMenuVisible", + { + "key": "label", + "comment": [ + "placeholders are keybindings, e.g \"F2 to Refactor, Shift+F2 to Preview\"" + ] + } + ], + "vs/editor/contrib/editorState/browser/keybindingCancellation": [ + "cancellableOperation" + ], + "vs/editor/contrib/gotoSymbol/browser/peek/referencesWidget": [ + "missingPreviewMessage", + "noResults", + "peekView.alternateTitle" + ], + "vs/editor/contrib/suggest/browser/suggestWidgetStatus": [ + "ddd" + ], + "vs/editor/contrib/suggest/browser/suggestWidgetDetails": [ + "details.close", + "loading" + ], + "vs/editor/contrib/suggest/browser/suggestWidgetRenderer": [ + "suggestMoreInfoIcon", + "readMore" + ], + "vs/workbench/contrib/comments/common/commentModel": [ + "noComments" + ], + "vs/base/browser/ui/menu/menubar": [ + "mAppMenu", + "mMore" + ], + "vs/workbench/browser/parts/editor/titleControl": [ + "ariaLabelEditorActions", + "draggedEditorGroup" + ], + "vs/editor/contrib/snippet/browser/snippetVariables": [ + "Sunday", + "Monday", + "Tuesday", + "Wednesday", + "Thursday", + "Friday", + "Saturday", + "SundayShort", + "MondayShort", + "TuesdayShort", + "WednesdayShort", + "ThursdayShort", + "FridayShort", + "SaturdayShort", + "January", + "February", + "March", + "April", + "May", + "June", + "July", + "August", + "September", + "October", + "November", + "December", + "JanuaryShort", + "FebruaryShort", + "MarchShort", + "AprilShort", + "MayShort", + "JuneShort", + "JulyShort", + "AugustShort", + "SeptemberShort", + "OctoberShort", + "NovemberShort", + "DecemberShort" + ], + "vs/workbench/browser/parts/editor/editorPlaceholder": [ + "trustRequiredEditor", + "requiresFolderTrustText", + "requiresWorkspaceTrustText", + "manageTrust", + "errorEditor", + "unavailableResourceErrorEditorText", + "unknownErrorEditorTextWithError", + "unknownErrorEditorTextWithoutError", + "retry" + ], + "vs/workbench/browser/parts/editor/breadcrumbsControl": [ + "separatorIcon", + "breadcrumbsPossible", + "breadcrumbsVisible", + "breadcrumbsActive", + "empty", + "cmd.toggle", + "miBreadcrumbs", + "cmd.focus" + ], + "vs/base/parts/quickinput/browser/quickInputList": [ + "quickInput" + ], + "vs/workbench/services/workingCopy/common/storedFileWorkingCopyManager": [ + "join.fileWorkingCopyManager" + ], + "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": [ + "cellExecutionOrderCountLabel" + ], + "vs/workbench/contrib/debug/browser/rawDebugSession": [ + "noDebugAdapterStart", + "canNotStart", + "continue", + "cancel", + "noDebugAdapter", + "moreInfo" + ], + "vs/workbench/contrib/debug/common/debugger": [ + "cannot.find.da", + "launch.config.comment1", + "launch.config.comment2", + "launch.config.comment3", + "debugType", + "debugTypeNotRecognised", + "node2NotSupported", + "debugRequest", + "debugWindowsConfiguration", + "debugOSXConfiguration", + "debugLinuxConfiguration" + ], + "vs/workbench/contrib/debug/common/debugSchemas": [ + "vscode.extension.contributes.debuggers", + "vscode.extension.contributes.debuggers.type", + "vscode.extension.contributes.debuggers.label", + "vscode.extension.contributes.debuggers.program", + "vscode.extension.contributes.debuggers.args", + "vscode.extension.contributes.debuggers.runtime", + "vscode.extension.contributes.debuggers.runtimeArgs", + "vscode.extension.contributes.debuggers.variables", + "vscode.extension.contributes.debuggers.initialConfigurations", + "vscode.extension.contributes.debuggers.languages", + "vscode.extension.contributes.debuggers.configurationSnippets", + "vscode.extension.contributes.debuggers.configurationAttributes", + "vscode.extension.contributes.debuggers.when", + "vscode.extension.contributes.debuggers.deprecated", + "vscode.extension.contributes.debuggers.windows", + "vscode.extension.contributes.debuggers.windows.runtime", + "vscode.extension.contributes.debuggers.osx", + "vscode.extension.contributes.debuggers.osx.runtime", + "vscode.extension.contributes.debuggers.linux", + "vscode.extension.contributes.debuggers.linux.runtime", + "vscode.extension.contributes.breakpoints", + "vscode.extension.contributes.breakpoints.language", + "vscode.extension.contributes.breakpoints.when", + "presentation", + "presentation.hidden", + "presentation.group", + "presentation.order", + "app.launch.json.title", + "app.launch.json.version", + "app.launch.json.configurations", + "app.launch.json.compounds", + "app.launch.json.compound.name", + "useUniqueNames", + "app.launch.json.compound.name", + "app.launch.json.compound.folder", + "app.launch.json.compounds.configurations", + "app.launch.json.compound.stopAll", + "compoundPrelaunchTask" + ], + "vs/base/browser/ui/selectBox/selectBoxCustom": [ + { + "key": "selectBox", + "comment": [ + "Behave like native select dropdown element." + ] + } + ], + "vs/workbench/contrib/preferences/browser/settingsEditorSettingIndicators": [ + "extensionSyncIgnoredLabel", + "syncIgnoredTitle", + "defaultOverriddenLabel", + "user", + "workspace", + "remote", + "applicationSetting", + "applicationSettingDescription", + "alsoConfiguredIn", + "configuredIn", + "alsoConfiguredElsewhere", + "configuredElsewhere", + "alsoModifiedInScopes", + "modifiedInScopes", + "hasDefaultOverridesForLanguages", + "defaultOverriddenDetails", + "user", + "workspace", + "remote", + "modifiedInScopeForLanguage", + "user", + "workspace", + "remote", + "modifiedInScopeForLanguageMidSentence", + "applicationSettingDescriptionAccessible", + "alsoConfiguredIn", + "configuredIn", + "syncIgnoredAriaLabel", + "defaultOverriddenDetailsAriaLabel", + "defaultOverriddenLanguagesList" ], - "vs/platform/environment/node/argv": [ - "Options", - "Extensions Management", - "Troubleshooting", - "Compare two files with each other.", - "Add folder(s) to the last active window.", - "Open a file at the path on the specified line and character position.", - "Force to open a new window.", - "Force to open a file or folder in an already opened window.", - "Wait for the files to be closed before returning.", - "The locale to use (e.g. en-US or zh-TW).", - "Specifies the directory that user data is kept in. Can be used to open multiple distinct instances of Code.", - "Print usage.", - "Set the root path for extensions.", - "List the installed extensions.", - "Show versions of installed extensions, when using --list-extensions.", - "Filters installed extensions by provided category, when using --list-extensions.", - "Installs or updates an extension. The argument is either an extension id or a path to a VSIX. The identifier of an extension is '${publisher}.${name}'. Use '--force' argument to update to latest version. To install a specific version provide '@${version}'. For example: 'vscode.csharp@1.2.3'.", - "Installs the pre-release version of the extension, when using --install-extension", - "Uninstalls an extension.", - "Enables proposed API features for extensions. Can receive one or more extension IDs to enable individually.", - "Print version.", - "Print verbose output (implies --wait).", - "Log level to use. Default is 'info'. Allowed values are 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.", - "Print process usage and diagnostics information.", - "Run CPU profiler during startup.", - "Disable all installed extensions.", - "Disable an extension.", - "Turn sync on or off.", - "Allow debugging and profiling of extensions. Check the developer tools for the connection URI.", - "Allow debugging and profiling of extensions with the extension host being paused after start. Check the developer tools for the connection URI.", - "Disable GPU hardware acceleration.", - "Max memory size for a window (in Mbytes).", - "Shows all telemetry events which VS code collects.", - "Use {0} instead.", - "paths", - "Usage", - "options", - "To read output from another program, append '-' (e.g. 'echo Hello World | {0} -')", - "To read from stdin, append '-' (e.g. 'ps aux | grep code | {0} -')", - "Unknown version", - "Unknown commit" + "vs/workbench/contrib/preferences/browser/settingsWidgets": [ + "okButton", + "cancelButton", + "listValueHintLabel", + "listSiblingHintLabel", + "removeItem", + "editItem", + "addItem", + "itemInputPlaceholder", + "listSiblingInputPlaceholder", + "excludePatternHintLabel", + "excludeSiblingHintLabel", + "removeExcludeItem", + "editExcludeItem", + "addPattern", + "excludePatternInputPlaceholder", + "excludeSiblingInputPlaceholder", + "okButton", + "cancelButton", + "objectKeyInputPlaceholder", + "objectValueInputPlaceholder", + "objectPairHintLabel", + "removeItem", + "resetItem", + "editItem", + "addItem", + "objectKeyHeader", + "objectValueHeader", + "objectPairHintLabel", + "removeItem", + "resetItem", + "editItem", + "addItem", + "objectKeyHeader", + "objectValueHeader" + ], + "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": [ + "label.find", + "placeholder.find", + "label.previousMatchButton", + "label.nextMatchButton", + "label.closeButton", + "ariaSearchNoInput", + "ariaSearchNoResultEmpty", + "ariaSearchNoResult", + "ariaSearchNoResultWithLineNumNoCurrentMatch" + ], + "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": [ + "terminalLinkHandler.followLinkAlt.mac", + "terminalLinkHandler.followLinkAlt", + "terminalLinkHandler.followLinkCmd", + "terminalLinkHandler.followLinkCtrl", + "followLink", + "followForwardedLink", + "followLinkUrl" + ], + "vs/workbench/contrib/customEditor/common/extensionPoint": [ + "contributes.customEditors", + "contributes.viewType", + "contributes.displayName", + "contributes.selector", + "contributes.selector.filenamePattern", + "contributes.priority", + "contributes.priority.default", + "contributes.priority.option" + ], + "vs/workbench/contrib/terminal/browser/terminalProcessManager": [ + "ptyHostRelaunch" + ], + "vs/workbench/contrib/terminal/browser/links/terminalLinkQuickpick": [ + "terminal.integrated.openDetectedLink", + "terminal.integrated.urlLinks", + "terminal.integrated.localFileLinks", + "terminal.integrated.searchLinks", + "terminal.integrated.showMoreLinks" + ], + "vs/workbench/contrib/terminal/browser/xterm/xtermTerminal": [ + "yes", + "no", + "dontShowAgain", + "terminal.slowRendering" + ], + "vs/workbench/contrib/terminal/browser/terminalDecorationsProvider": [ + "label" + ], + "vs/workbench/contrib/welcomeGettingStarted/common/media/theme_picker": [ + "light", + "dark", + "HighContrast", + "HighContrastLight", + "seeMore" + ], + "vs/workbench/contrib/welcomeGettingStarted/common/media/notebookProfile": [ + "default", + "jupyter", + "colab" + ], + "vs/platform/languagePacks/common/localizedStrings": [ + "open", + "close", + "find" + ], + "vs/workbench/browser/parts/notifications/notificationsViewer": [ + "executeCommand", + "notificationActions", + "notificationSource" + ], + "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": [ + "explanation", + "turn on sync", + "cancel", + "workbench.actions.sync.acceptRemote", + "workbench.actions.sync.acceptLocal", + "workbench.actions.sync.merge", + "workbench.actions.sync.discard", + { + "key": "workbench.actions.sync.showChanges", + "comment": [ + "This is an action title to show the changes between local and remote version of resources" + ] + }, + "conflicts detected", + "resolve", + "turning on", + "preview", + { + "key": "leftResourceName", + "comment": [ + "remote as in file in cloud" + ] + }, + "merges", + { + "key": "rightResourceName", + "comment": [ + "local as in file in disk" + ] + }, + "sideBySideLabels", + "sideBySideDescription", + "label", + "conflict", + "accepted", + "accept remote", + "accept local", + "accept merges" + ], + "vs/editor/contrib/codeAction/browser/lightBulbWidget": [ + "preferredcodeActionWithKb", + "codeActionWithKb", + "codeAction" + ], + "vs/editor/contrib/gotoSymbol/browser/peek/referencesTree": [ + "referencesCount", + "referenceCount", + "treeAriaLabel" + ], + "vs/workbench/browser/parts/editor/breadcrumbs": [ + "title", + "enabled", + "filepath", + "filepath.on", + "filepath.off", + "filepath.last", + "symbolpath", + "symbolpath.on", + "symbolpath.off", + "symbolpath.last", + "symbolSortOrder", + "symbolSortOrder.position", + "symbolSortOrder.name", + "symbolSortOrder.type", + "icons", + "filteredTypes.file", + "filteredTypes.module", + "filteredTypes.namespace", + "filteredTypes.package", + "filteredTypes.class", + "filteredTypes.method", + "filteredTypes.property", + "filteredTypes.field", + "filteredTypes.constructor", + "filteredTypes.enum", + "filteredTypes.interface", + "filteredTypes.function", + "filteredTypes.variable", + "filteredTypes.constant", + "filteredTypes.string", + "filteredTypes.number", + "filteredTypes.boolean", + "filteredTypes.array", + "filteredTypes.object", + "filteredTypes.key", + "filteredTypes.null", + "filteredTypes.enumMember", + "filteredTypes.struct", + "filteredTypes.event", + "filteredTypes.operator", + "filteredTypes.typeParameter" + ], + "vs/workbench/browser/parts/editor/breadcrumbsPicker": [ + "breadcrumbs" + ], + "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellRunToolbar": [ + "notebook.moreRunActionsLabel" + ], + "vs/workbench/contrib/notebook/browser/view/cellParts/codeCell": [ + "cellExpandInputButtonLabelWithDoubleClick", + "cellExpandInputButtonLabel" + ], + "vs/workbench/contrib/notebook/browser/view/cellParts/cellEditorOptions": [ + "notebook.lineNumbers", + "notebook.toggleLineNumbers", + "notebook.showLineNumbers", + "notebook.cell.toggleLineNumbers.title" ], - "vs/code/electron-sandbox/issue/issueReporterPage": [ - "Include my system information", - "Include my currently running processes", - "Include my workspace metadata", - "Include my enabled extensions", - "Include A/B experiment info", - "Please complete the form in English.", - "This is a", - "File on", - "An issue source is required.", - "Try to reproduce the problem after {0}. If the problem only reproduces when extensions are active, it is likely an issue with an extension.", - "disabling all extensions and reloading the window", - "Extension", - "The issue reporter is unable to create issues for this extension. Please visit {0} to report an issue.", - "The issue reporter is unable to create issues for this extension, as it does not specify a URL for reporting issues. Please check the marketplace page of this extension to see if other instructions are available.", - "Title", - "Please enter a title.", - "A title is required.", - "The title is too long.", - "Please enter details.", - "A description is required.", - "show", - "show", - "show", - "show", - "show" + "vs/workbench/contrib/notebook/browser/view/cellParts/collapsedCellOutput": [ + "cellOutputsCollapsedMsg", + "cellExpandOutputButtonLabelWithDoubleClick", + "cellExpandOutputButtonLabel" ], - "vs/platform/extensionManagement/common/extensionManagement": [ - "Extensions", - "Preferences" + "vs/workbench/contrib/notebook/browser/view/cellParts/foldedCellHint": [ + "hiddenCellsLabel", + "hiddenCellsLabelPlural" ], - "vs/platform/extensionManagement/common/extensionManagementCLIService": [ - "Extension '{0}' not found.", - "Make sure you use the full extension ID, including the publisher, e.g.: {0}", - "Extensions installed on {0}:", - "Installing extensions on {0}...", - "Installing extensions...", - "Extension '{0}' v{1} is already installed. Use '--force' option to update to latest version or provide '@' to install a specific version, for example: '{2}@1.2.3'.", - "Extension '{0}' is already installed.", - "Failed Installing Extensions: {0}", - "Extension '{0}' was successfully installed.", - "Cancelled installing extension '{0}'.", - "Extension '{0}' is already installed.", - "Updating the extension '{0}' to the version {1}", - "Installing builtin extension '{0}' v{1}...", - "Installing builtin extension '{0}'...", - "Installing extension '{0}' v{1}...", - "Installing extension '{0}'...", - "Extension '{0}' v{1} was successfully installed.", - "Cancelled installing extension '{0}'.", - "A newer version of extension '{0}' v{1} is already installed. Use '--force' option to downgrade to older version.", - "Extension '{0}' is a Built-in extension and cannot be uninstalled", - "Extension '{0}' is marked as a Built-in extension by user. Please use '--force' option to uninstall it.", - "Uninstalling {0}...", - "Extension '{0}' was successfully uninstalled from {1}!", - "Extension '{0}' was successfully uninstalled!", - "Extension '{0}' is not installed on {1}.", - "Extension '{0}' is not installed." + "vs/workbench/contrib/notebook/browser/view/cellParts/markdownCell": [ + "cellExpandInputButtonLabelWithDoubleClick", + "cellExpandInputButtonLabel" ], - "vs/platform/extensionManagement/common/extensionsScannerService": [ - "Cannot read file {0}: {1}.", - "Failed to parse {0}: [{1}, {2}] {3}.", - "Invalid manifest file {0}: Not an JSON object.", - "Failed to parse {0}: {1}.", - "Invalid format {0}: JSON object expected.", - "Failed to parse {0}: {1}.", - "Invalid format {0}: JSON object expected.", - "Couldn't find message for key {0}." + "vs/workbench/contrib/comments/browser/commentThreadBody": [ + "commentThreadAria.withRange", + "commentThreadAria" ], - "vs/platform/languagePacks/common/languagePacks": [ - " (Current)" + "vs/workbench/contrib/notebook/browser/diff/diffElementOutputs": [ + "mimeTypePicker", + "empty", + "noRenderer.2", + "curruentActiveMimeType", + "promptChooseMimeTypeInSecure.placeHolder", + "promptChooseMimeType.placeHolder", + "builtinRenderInfo" ], - "vs/platform/extensionManagement/node/extensionManagementService": [ - "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.", - "Unable to delete the existing folder '{0}' while installing the extension '{1}'. Please delete the folder manually and try again", - "Unknown error while renaming {0} to {1}", - "Cannot read the extension from {0}", - "Unable to install the extension. Please Quit and Start VS Code before reinstalling.", - "Unable to install the extension. Please Exit and Start VS Code before reinstalling.", - "Please restart VS Code before reinstalling {0}.", - "Please restart VS Code before reinstalling {0}.", - "Extension '{0}' is not installed.", - "Error while removing the extension: {0}. Please Quit and Start VS Code before trying again." + "vs/workbench/contrib/comments/browser/commentThreadHeader": [ + "collapseIcon", + "label.collapse", + "startThread" ], - "vs/platform/telemetry/common/telemetryService": [ - "Controls {0} telemetry, first-party extension telemetry and participating third-party extension telemetry. Some third party extensions might not respect this setting. Consult the specific extension's documentation to be sure. Telemetry helps us better understand how {0} is performing, where improvements need to be made, and how features are being used.", - "Read more about the [data we collect]({0}).", - "Read more about the [data we collect]({0}) and our [privacy statement]({1}).", - "A full restart of the application is necessary for crash reporting changes to take effect.", - "Crash Reports", - "Error Telemetry", - "Usage Data", - "The following table outlines the data sent with each setting:", - "****Note:*** If this setting is 'off', no telemetry will be sent regardless of other telemetry settings. If this setting is set to anything except 'off' and telemetry is disabled with deprecated settings, no telemetry will be sent.*", - "Telemetry", - "Sends usage data, errors, and crash reports.", - "Sends general error telemetry and crash reports.", - "Sends OS level crash reports.", - "Disables all product telemetry.", - "Telemetry", - "Enable diagnostic data to be collected. This helps us to better understand how {0} is performing and where improvements need to be made.", - "Enable diagnostic data to be collected. This helps us to better understand how {0} is performing and where improvements need to be made. [Read more]({1}) about what we collect and our privacy statement.", - "If this setting is false, no telemetry will be sent regardless of the new setting's value. Deprecated in favor of the {0} setting." + "vs/workbench/contrib/terminal/browser/links/terminalLinkDetectorAdapter": [ + "searchWorkspace", + "openFile", + "focusFolder", + "openFolder", + "followLink" ], - "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": [ - "You have {0} installed on your system. Do you want to install the recommended extensions for it?" + "vs/workbench/contrib/terminal/browser/environmentVariableInfo": [ + "extensionEnvironmentContributionChanges", + "extensionEnvironmentContributionRemoval", + "relaunchTerminalLabel", + "extensionEnvironmentContributionInfo" ], - "vs/platform/userDataSync/common/userDataSync": [ - "Settings Sync", - "Synchronize keybindings for each platform.", - "List of extensions to be ignored while synchronizing. The identifier of an extension is always `${publisher}.${name}`. For example: `vscode.csharp`.", - "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'.", - "Configure settings to be ignored while synchronizing." + "vs/workbench/contrib/terminal/browser/xterm/decorationAddon": [ + "terminalPromptContextMenu", + "terminalPromptCommandFailed", + "terminalPromptCommandFailedWithExitCode", + "terminalPromptCommandSuccess", + "terminal.rerunCommand", + "terminal.copyCommand", + "terminal.copyOutput", + "terminal.copyOutputAsHtml", + "terminal.configureCommandDecorations", + "terminal.learnShellIntegration", + "changeDefaultIcon", + "changeSuccessIcon", + "changeErrorIcon", + "toggleVisibility", + "toggleVisibility", + "gutter", + "overviewRuler" ], - "vs/platform/userDataSync/common/userDataSyncMachines": [ - "Cannot read machines data as the current version is incompatible. Please update {0} and try again." + "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellExecutionIcon": [ + "notebook.cell.status.success", + "notebook.cell.status.failed", + "notebook.cell.status.pending", + "notebook.cell.status.executing" ], - "vs/workbench/services/textfile/electron-sandbox/nativeTextFileService": [ - "Saving text files" + "vs/workbench/contrib/comments/browser/commentNode": [ + "commentToggleReaction", + "commentToggleReactionError", + "commentToggleReactionDefaultError", + "commentDeleteReactionError", + "commentDeleteReactionDefaultError", + "commentAddReactionError", + "commentAddReactionDefaultError" + ], + "vs/workbench/contrib/notebook/browser/view/cellParts/cellOutput": [ + "empty", + "noRenderer.2", + "pickMimeType", + "curruentActiveMimeType", + "installJupyterPrompt", + "promptChooseMimeTypeInSecure.placeHolder", + "promptChooseMimeType.placeHolder", + "unavailableRenderInfo" + ], + "vs/workbench/contrib/terminal/browser/links/terminalLink": [ + "openFile", + "focusFolder", + "openFolder" + ], + "vs/workbench/contrib/comments/browser/reactionsAction": [ + "pickReactions" + ] + }, + "messages": { + "vs/code/electron-main/main": [ + "A second instance of {0} is already running as administrator.", + "Please close the other instance and try again.", + "Another instance of {0} is running but not responding", + "Please close all other instances and try again.", + "Unable to write program user data.", + "{0}\n\nPlease make sure the following directories are writeable:\n\n{1}", + "&&Close" + ], + "vs/code/electron-sandbox/issue/issueReporterMain": [ + "hide", + "show", + "Create on GitHub", + "Preview on GitHub", + "Loading data...", + "GitHub query limit exceeded. Please wait.", + "Similar issues", + "Open", + "Closed", + "Open", + "Closed", + "No similar issues found", + "Bug Report", + "Feature Request", + "Performance Issue", + "Select source", + "Visual Studio Code", + "An extension", + "Extensions marketplace", + "Don't know", + "Steps to Reproduce", + "Share the steps needed to reliably reproduce the problem. Please include actual and expected results. We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.", + "Steps to Reproduce", + "When did this performance issue happen? Does it occur on startup or after a specific series of actions? We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.", + "Description", + "Please describe the feature you would like to see. We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.", + "We have written the needed data into your clipboard because it was too large to send. Please paste.", + "Extensions are disabled", + "No current experiments." + ], + "vs/code/electron-sandbox/processExplorer/processExplorerMain": [ + "Process Name", + "CPU (%)", + "PID", + "Memory (MB)", + "Kill Process", + "Force Kill Process", + "Copy", + "Copy All", + "Debug" + ], + "vs/workbench/electron-sandbox/desktop.main": [ + "Saving UI state" ], "vs/workbench/electron-sandbox/desktop.contribution": [ "New Window Tab", @@ -14506,6 +14382,7 @@ "Enables macOS Sierra window tabs. Note that changes require a full restart to apply and that native tabs will disable a custom title bar style if configured.", "Controls if native full-screen should be used on macOS. Disable this option to prevent macOS from creating a new space when going full-screen.", "If enabled, clicking on an inactive window will both activate the window and trigger the element under the mouse if it is clickable. If disabled, clicking anywhere on an inactive window will activate it only and a second click is required on the element.", + "Experimental: When enabled, the window will have sandbox mode enabled via Electron API.", "Telemetry", "Enable crash reports to be collected. This helps us improve stability. \nThis option requires restart to take effect.", "If this setting is false, no telemetry will be sent regardless of the new setting's value. Deprecated due to being combined into the {0} setting.", @@ -14514,7 +14391,6 @@ "A set of identifiers for entries in the touchbar that should not show up (for example `workbench.action.navigateBack`).", "The display Language to use. Picking a different language requires the associated language pack to be installed.", "Disables hardware acceleration. ONLY change this option if you encounter graphic issues.", - "Resolves issues around color profile selection. ONLY change this option if you encounter graphic issues.", "Allows to override the color profile to use. If you experience colors appear badly, try to set this to `srgb` and restart.", "Allows to disable crash reporting, should restart the app if the value is changed.", "Unique id used for correlating crash reports sent from this app instance.", @@ -14522,40 +14398,43 @@ "Log level to use. Default is 'info'. Allowed values are 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.", "Forces the renderer to be accessible. ONLY change this if you are using a screen reader on Linux. On other platforms the renderer will automatically be accessible. This flag is automatically set if you have editor.accessibilitySupport: on." ], - "vs/workbench/electron-sandbox/desktop.main": [ - "Saving UI state" + "vs/workbench/services/textfile/electron-sandbox/nativeTextFileService": [ + "Saving text files" ], "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": [ "Save", "Don't Save", "Cancel", "Do you want to save your workspace configuration as a file?", - "Save your workspace if you plan to open it again.", - "Unable to save workspace '{0}'", - "The workspace is already opened in another window. Please close that window first and then try again." - ], - "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupService": [ - "Backup working copies" - ], - "vs/workbench/services/extensionManagement/electron-sandbox/extensionManagementServerService": [ - "Local", - "Remote" + "Save your workspace if you plan to open it again.", + "Unable to save workspace '{0}'", + "The workspace is already opened in another window. Please close that window first and then try again." ], "vs/workbench/services/integrity/electron-sandbox/integrityService": [ "Your {0} installation appears to be corrupt. Please reinstall.", "More Information", "Don't Show Again" ], + "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupService": [ + "Backup working copies" + ], "vs/workbench/services/workingCopy/electron-sandbox/workingCopyHistoryService": [ "Saving local history" ], - "vs/workbench/contrib/files/electron-sandbox/files.contribution": [ - "Text File Editor" - ], "vs/workbench/contrib/logs/electron-sandbox/logs.contribution": [ "Main", "Shared" ], + "vs/workbench/services/extensionManagement/electron-sandbox/extensionManagementServerService": [ + "Local", + "Remote" + ], + "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": [ + "Reveal in File Explorer", + "Reveal in Finder", + "Open Containing Folder", + "File" + ], "vs/workbench/contrib/localization/electron-sandbox/localization.contribution": [ "Would you like to change VS Code's UI language to {0} and restart?", "In order to use VS Code in {0}, VS Code needs to restart.", @@ -14573,34 +14452,25 @@ "Id should be `vscode` or in format `publisherId.extensionName` for translating VS code or an extension respectively.", "A relative path to a file containing translations for the language." ], - "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": [ - "Reveal in File Explorer", - "Reveal in Finder", - "Open Containing Folder", - "File" + "vs/workbench/contrib/files/electron-sandbox/files.contribution": [ + "Text File Editor" ], "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": [ "Report Issue...", "Report &&Issue", "Open &&Process Explorer" ], - "vs/workbench/contrib/extensions/electron-sandbox/extensions.contribution": [ - "Running Extensions" - ], "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": [ "Remote", "When enabled extensions are downloaded locally and installed on remote." ], + "vs/workbench/contrib/extensions/electron-sandbox/extensions.contribution": [ + "Running Extensions" + ], "vs/workbench/contrib/userDataSync/electron-sandbox/userDataSync.contribution": [ "Open Local Backups Folder", "Local backups folder does not exist" ], - "vs/workbench/contrib/tasks/electron-sandbox/taskService": [ - "There is a task running. Do you want to terminate it?", - "&&Terminate Task", - "The launched task doesn't exist anymore. If the task spawned background processes exiting VS Code might result in orphaned processes. To avoid this start the last background process with a wait flag.", - "&&Exit Anyways" - ], "vs/workbench/contrib/externalTerminal/electron-sandbox/externalTerminal.contribution": [ "Open New External Terminal", "External Terminal", @@ -14611,330 +14481,575 @@ "Customizes which terminal application to run on macOS.", "Customizes which terminal to run on Linux." ], - "vs/workbench/api/common/extHostExtensionService": [ - "Cannot load test runner.", - "Path {0} does not point to a valid extension test runner." - ], - "vs/workbench/services/extensions/electron-sandbox/electronExtensionService": [ - "Extension host cannot start: version mismatch.", - "Relaunch VS Code", - "The extension host terminated unexpectedly. Restarting...", - "Extension host terminated unexpectedly 3 times within the last 5 minutes.", - "Open Developer Tools", - "Restart Extension Host", - "Could not fetch remote environment", - "The following extensions contain dependency loops and have been disabled: {0}", - "Extension '{0}' is required to open the remote window.\nOK to enable?", - "Enable and Reload", - "Extension '{0}' is required to open the remote window.\nDo you want to install the extension?", - "Install and Reload", - "`{0}` not found on marketplace", - "Restart Extension Host" - ], - "vs/workbench/api/common/extHostWorkspace": [ - "Extension '{0}' failed to update workspace folders: {1}" - ], - "vs/workbench/api/common/extHostTerminalService": [ - "Could not find the terminal with id {0} on the extension host" - ], - "vs/base/node/processes": [ - "Can't execute a shell command on a UNC drive." - ], - "vs/platform/terminal/node/terminalProcess": [ - "Starting directory (cwd) \"{0}\" is not a directory", - "Starting directory (cwd) \"{0}\" does not exist", - "Path to shell executable \"{0}\" is not a file or a symlink", - "Path to shell executable \"{0}\" does not exist" + "vs/workbench/contrib/tasks/electron-sandbox/taskService": [ + "There is a task running. Do you want to terminate it?", + "&&Terminate Task", + "The launched task doesn't exist anymore. If the task spawned background processes exiting VS Code might result in orphaned processes. To avoid this start the last background process with a wait flag.", + "&&Exit Anyways" ], - "vs/platform/shell/node/shellEnv": [ - "Unable to resolve your shell environment in a reasonable time. Please review your shell configuration.", - "Unable to resolve your shell environment: {0}", - "Unexpected exit code from spawned shell (code {0}, signal {1})" + "vs/base/common/errorMessage": [ + "{0}: {1}", + "A system error occurred ({0})", + "An unknown error occurred. Please consult the log for more details.", + "An unknown error occurred. Please consult the log for more details.", + "{0} ({1} errors in total)", + "An unknown error occurred. Please consult the log for more details." ], - "vs/platform/dialogs/electron-main/dialogMainService": [ - "Open", - "Open Folder", - "Open File", - "Open Workspace from File", - "&&Open" + "vs/base/common/platform": [ + "_" ], - "vs/platform/files/electron-main/diskFileSystemProviderServer": [ - "Failed to move '{0}' to the recycle bin", - "Failed to move '{0}' to the trash" + "vs/platform/environment/node/argv": [ + "Options", + "Extensions Management", + "Troubleshooting", + "Compare two files with each other.", + "Perform a three-way merge by providing paths for two modified versions of a file, the common origin of both modified versions and the output file to save merge results.", + "Add folder(s) to the last active window.", + "Open a file at the path on the specified line and character position.", + "Force to open a new window.", + "Force to open a file or folder in an already opened window.", + "Wait for the files to be closed before returning.", + "The locale to use (e.g. en-US or zh-TW).", + "Specifies the directory that user data is kept in. Can be used to open multiple distinct instances of Code.", + "Print usage.", + "Set the root path for extensions.", + "List the installed extensions.", + "Show versions of installed extensions, when using --list-extensions.", + "Filters installed extensions by provided category, when using --list-extensions.", + "Installs or updates an extension. The argument is either an extension id or a path to a VSIX. The identifier of an extension is '${publisher}.${name}'. Use '--force' argument to update to latest version. To install a specific version provide '@${version}'. For example: 'vscode.csharp@1.2.3'.", + "Installs the pre-release version of the extension, when using --install-extension", + "Uninstalls an extension.", + "Enables proposed API features for extensions. Can receive one or more extension IDs to enable individually.", + "Print version.", + "Print verbose output (implies --wait).", + "Log level to use. Default is 'info'. Allowed values are 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.", + "Print process usage and diagnostics information.", + "Run CPU profiler during startup.", + "Disable all installed extensions.", + "Disable an extension.", + "Turn sync on or off.", + "Allow debugging and profiling of extensions. Check the developer tools for the connection URI.", + "Allow debugging and profiling of extensions with the extension host being paused after start. Check the developer tools for the connection URI.", + "Disable GPU hardware acceleration.", + "Max memory size for a window (in Mbytes).", + "Shows all telemetry events which VS code collects.", + "Use {0} instead.", + "paths", + "Usage", + "options", + "To read output from another program, append '-' (e.g. 'echo Hello World | {0} -')", + "To read from stdin, append '-' (e.g. 'ps aux | grep code | {0} -')", + "Unknown version", + "Unknown commit" ], - "vs/platform/externalTerminal/node/externalTerminalService": [ - "VS Code Console", - "Script '{0}' failed with exit code {1}", - "'{0}' not supported", - "Press any key to continue...", - "'{0}' failed with exit code {1}", - "can't find terminal application '{0}'" + "vs/platform/terminal/node/ptyService": [ + "History restored" ], - "vs/platform/issue/electron-main/issueMainService": [ - "Local", - "There is too much data to send to GitHub directly. The data will be copied to the clipboard, please paste it into the GitHub issue page that is opened.", - "&&OK", - "&&Cancel", - "Your input will not be saved. Are you sure you want to close this window?", + "vs/code/electron-main/app": [ "&&Yes", - "&&Cancel", - "Issue Reporter", - "Process Explorer" - ], - "vs/platform/native/electron-main/nativeHostMainService": [ - "{0} will now prompt with 'osascript' for Administrator privileges to install the shell command.", - "&&OK", - "&&Cancel", - "Unable to install the shell command '{0}'.", - "{0} will now prompt with 'osascript' for Administrator privileges to uninstall the shell command.", - "&&OK", - "&&Cancel", - "Unable to uninstall the shell command '{0}'.", - "Unable to find shell script in '{0}'" - ], - "vs/platform/workspace/common/workspace": [ - "Code Workspace" - ], - "vs/platform/windows/electron-main/windowsMainService": [ - "&&OK", - "Path does not exist", - "URI can not be opened", - "The path '{0}' does not exist on this computer.", - "The URI '{0}' is not valid and can not be opened." - ], - "vs/platform/workspaces/electron-main/workspacesHistoryMainService": [ - "New Window", - "Opens a new window", - "Recent Folders & Workspaces", - "Recent Folders", - "Untitled (Workspace)", - "{0} (Workspace)" + "&&No", + "An external application wants to open '{0}' in {1}. Do you want to open this file or folder?", + "If you did not initiate this request, it may represent an attempted attack on your system. Unless you took an explicit action to initiate this request, you should press 'No'", + "Successfully created trace.", + "Please create an issue and manually attach the following file:\n{0}", + "&&OK" ], - "vs/platform/files/common/io": [ - "To open a file of this size, you need to restart and allow to use more memory", - "File is too large to open" + "vs/platform/environment/node/argvHelper": [ + "Warning: '{0}' is not in the list of known options, but still passed to Electron/Chromium.", + "Option '{0}' is defined more than once. Using value '{1}'.", + "Option '{0}' requires a non empty value. Ignoring the option.", + "Option '{0}' is deprecated: {1}", + "Arguments in `--goto` mode should be in the format of `FILE(:LINE(:CHARACTER))`." ], - "vs/platform/configuration/common/configurationRegistry": [ - "Default Language Configuration Overrides", - "Configure settings to be overridden for the {0} language.", - "Configure editor settings to be overridden for a language.", - "This setting does not support per-language configuration.", - "Configure editor settings to be overridden for a language.", - "This setting does not support per-language configuration.", - "Cannot register an empty property", - "Cannot register '{0}'. This matches property pattern '\\\\[.*\\\\]$' for describing language specific editor settings. Use 'configurationDefaults' contribution.", - "Cannot register '{0}'. This property is already registered.", - "Cannot register '{0}'. The associated policy {1} is already registered with {2}." + "vs/platform/files/common/files": [ + "Unknown Error", + "{0}B", + "{0}KB", + "{0}MB", + "{0}GB", + "{0}TB" ], - "vs/workbench/api/node/extHostDebugService": [ - "Debug Process" + "vs/platform/files/node/diskFileSystemProvider": [ + "File already exists", + "File does not exist", + "Unable to move '{0}' into '{1}' ({2}).", + "Unable to copy '{0}' into '{1}' ({2}).", + "'File cannot be copied to same path with different path case", + "File at target already exists" ], - "vs/platform/workspaces/electron-main/workspacesManagementMainService": [ - "&&OK", - "Unable to save workspace '{0}'", - "The workspace is already opened in another window. Please close that window first and then try again." + "vs/platform/files/common/fileService": [ + "Unable to resolve filesystem provider with relative file path '{0}'", + "No file system provider found for resource '{0}'", + "Unable to resolve nonexistent file '{0}'", + "Unable to create file '{0}' that already exists when overwrite flag is not set", + "Unable to write file '{0}' ({1})", + "Unable to unlock file '{0}' because provider does not support it.", + "Unable to write file '{0}' that is actually a directory", + "File Modified Since", + "Unable to read file '{0}' ({1})", + "Unable to read file '{0}' ({1})", + "Unable to read file '{0}' ({1})", + "Unable to read file '{0}' that is actually a directory", + "File not modified since", + "Unable to read file '{0}' that is too large to open", + "Unable to copy when source '{0}' is same as target '{1}' with different path case on a case insensitive file system", + "Unable to move/copy when source '{0}' is parent of target '{1}'.", + "Unable to move/copy '{0}' because target '{1}' already exists at destination.", + "Unable to move/copy '{0}' into '{1}' since a file would replace the folder it is contained in.", + "Unable to create folder '{0}' that already exists but is not a directory", + "Unable to delete file '{0}' via trash because provider does not support it.", + "Unable to delete nonexistent file '{0}'", + "Unable to delete non-empty folder '{0}'.", + "Unable to modify readonly file '{0}'", + "Unable to modify readonly file '{0}'" ], - "vs/workbench/api/node/extHostTunnelService": [ - "Private", - "Public" + "vs/platform/request/common/request": [ + "HTTP", + "The proxy setting to use. If not set, will be inherited from the `http_proxy` and `https_proxy` environment variables.", + "Controls whether the proxy server certificate should be verified against the list of supplied CAs.", + "The value to send as the `Proxy-Authorization` header for every network request.", + "Disable proxy support for extensions.", + "Enable proxy support for extensions.", + "Enable proxy support for extensions, fall back to request options, when no proxy found.", + "Enable proxy support for extensions, override request options.", + "Use the proxy support for extensions.", + "Controls whether CA certificates should be loaded from the OS. (On Windows and macOS, a reload of the window is required after turning this off.)" ], - "vs/base/common/actions": [ - "(empty)" + "vs/platform/userDataProfile/common/userDataProfile": [ + "Default" ], - "vs/base/common/jsonErrorMessages": [ - "Invalid symbol", - "Invalid number format", - "Property name expected", - "Value expected", - "Colon expected", - "Comma expected", - "Closing brace expected", - "Closing bracket expected", - "End of file expected" + "vs/platform/update/common/update.config.contribution": [ + "Update", + "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.", + "Disable updates.", + "Disable automatic background update checks. Updates will be available if you manually check for updates.", + "Check for updates only on startup. Disable automatic background update checks.", + "Enable automatic update checks. Code will check for updates automatically and periodically.", + "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.", + "This setting is deprecated, please use '{0}' instead.", + "Enable Background Updates on Windows", + "Enable to download and install new VS Code versions in the background on Windows.", + "Show Release Notes after an update. The Release Notes are fetched from a Microsoft online service." + ], + "vs/editor/common/config/editorOptions": [ + "The editor will use platform APIs to detect when a Screen Reader is attached.", + "The editor will be permanently optimized for usage with a Screen Reader. Word wrapping will be disabled.", + "The editor will never be optimized for usage with a Screen Reader.", + "Controls whether the editor should run in a mode where it is optimized for screen readers. Setting to on will disable word wrapping.", + "Controls whether a space character is inserted when commenting.", + "Controls if empty lines should be ignored with toggle, add or remove actions for line comments.", + "Controls whether copying without a selection copies the current line.", + "Controls whether the cursor should jump to find matches while typing.", + "Never seed search string from the editor selection.", + "Always seed search string from the editor selection, including word at cursor position.", + "Only seed search string from the editor selection.", + "Controls whether the search string in the Find Widget is seeded from the editor selection.", + "Never turn on Find in Selection automatically (default).", + "Always turn on Find in Selection automatically.", + "Turn on Find in Selection automatically when multiple lines of content are selected.", + "Controls the condition for turning on Find in Selection automatically.", + "Controls whether the Find Widget should read or modify the shared find clipboard on macOS.", + "Controls whether the Find Widget should add extra lines on top of the editor. When true, you can scroll beyond the first line when the Find Widget is visible.", + "Controls whether the search automatically restarts from the beginning (or the end) when no further matches can be found.", + "Enables/Disables font ligatures ('calt' and 'liga' font features). Change this to a string for fine-grained control of the 'font-feature-settings' CSS property.", + "Explicit 'font-feature-settings' CSS property. A boolean can be passed instead if one only needs to turn on/off ligatures.", + "Configures font ligatures or font features. Can be either a boolean to enable/disable ligatures or a string for the value of the CSS 'font-feature-settings' property.", + "Controls the font size in pixels.", + "Only \"normal\" and \"bold\" keywords or numbers between 1 and 1000 are allowed.", + "Controls the font weight. Accepts \"normal\" and \"bold\" keywords or numbers between 1 and 1000.", + "Show peek view of the results (default)", + "Go to the primary result and show a peek view", + "Go to the primary result and enable peek-less navigation to others", + "This setting is deprecated, please use separate settings like 'editor.editor.gotoLocation.multipleDefinitions' or 'editor.editor.gotoLocation.multipleImplementations' instead.", + "Controls the behavior the 'Go to Definition'-command when multiple target locations exist.", + "Controls the behavior the 'Go to Type Definition'-command when multiple target locations exist.", + "Controls the behavior the 'Go to Declaration'-command when multiple target locations exist.", + "Controls the behavior the 'Go to Implementations'-command when multiple target locations exist.", + "Controls the behavior the 'Go to References'-command when multiple target locations exist.", + "Alternative command id that is being executed when the result of 'Go to Definition' is the current location.", + "Alternative command id that is being executed when the result of 'Go to Type Definition' is the current location.", + "Alternative command id that is being executed when the result of 'Go to Declaration' is the current location.", + "Alternative command id that is being executed when the result of 'Go to Implementation' is the current location.", + "Alternative command id that is being executed when the result of 'Go to Reference' is the current location.", + "Controls whether the hover is shown.", + "Controls the delay in milliseconds after which the hover is shown.", + "Controls whether the hover should remain visible when mouse is moved over it.", + "Prefer showing hovers above the line, if there's space.", + "Enables the code action lightbulb in the editor.", + "Shows the nested current scopes during the scroll at the top of the editor.", + "Enables the inlay hints in the editor.", + "Inlay hints are enabled", + "Inlay hints are showing by default and hide when holding `Ctrl+Alt`", + "Inlay hints are hidden by default and show when holding `Ctrl+Alt`", + "Inlay hints are disabled", + "Controls font size of inlay hints in the editor. As default the {0} is used when the configured value is less than {1} or greater than the editor font size.", + "Controls font family of inlay hints in the editor. When set to empty, the {0} is used.", + "Enables the padding around the inlay hints in the editor.", + "Controls the line height. \n - Use 0 to automatically compute the line height from the font size.\n - Values between 0 and 8 will be used as a multiplier with the font size.\n - Values greater than or equal to 8 will be used as effective values.", + "Controls whether the minimap is shown.", + "Controls whether the minimap is hidden automatically.", + "The minimap has the same size as the editor contents (and might scroll).", + "The minimap will stretch or shrink as necessary to fill the height of the editor (no scrolling).", + "The minimap will shrink as necessary to never be larger than the editor (no scrolling).", + "Controls the size of the minimap.", + "Controls the side where to render the minimap.", + "Controls when the minimap slider is shown.", + "Scale of content drawn in the minimap: 1, 2 or 3.", + "Render the actual characters on a line as opposed to color blocks.", + "Limit the width of the minimap to render at most a certain number of columns.", + "Controls the amount of space between the top edge of the editor and the first line.", + "Controls the amount of space between the bottom edge of the editor and the last line.", + "Enables a pop-up that shows parameter documentation and type information as you type.", + "Controls whether the parameter hints menu cycles or closes when reaching the end of the list.", + "Quick suggestions show inside the suggest widget", + "Quick suggestions show as ghost text", + "Quick suggestions are disabled", + "Enable quick suggestions inside strings.", + "Enable quick suggestions inside comments.", + "Enable quick suggestions outside of strings and comments.", + "Controls whether suggestions should automatically show up while typing. This can be controlled for typing in comments, strings, and other code. Quick suggestion can be configured to show as ghost text or with the suggest widget. Also be aware of the '{0}'-setting which controls if suggestions are triggered by special characters.", + "Line numbers are not rendered.", + "Line numbers are rendered as absolute number.", + "Line numbers are rendered as distance in lines to cursor position.", + "Line numbers are rendered every 10 lines.", + "Controls the display of line numbers.", + "Number of monospace characters at which this editor ruler will render.", + "Color of this editor ruler.", + "Render vertical rulers after a certain number of monospace characters. Use multiple values for multiple rulers. No rulers are drawn if array is empty.", + "The vertical scrollbar will be visible only when necessary.", + "The vertical scrollbar will always be visible.", + "The vertical scrollbar will always be hidden.", + "Controls the visibility of the vertical scrollbar.", + "The horizontal scrollbar will be visible only when necessary.", + "The horizontal scrollbar will always be visible.", + "The horizontal scrollbar will always be hidden.", + "Controls the visibility of the horizontal scrollbar.", + "The width of the vertical scrollbar.", + "The height of the horizontal scrollbar.", + "Controls whether clicks scroll by page or jump to click position.", + "Controls whether all non-basic ASCII characters are highlighted. Only characters between U+0020 and U+007E, tab, line-feed and carriage-return are considered basic ASCII.", + "Controls whether characters that just reserve space or have no width at all are highlighted.", + "Controls whether characters are highlighted that can be confused with basic ASCII characters, except those that are common in the current user locale.", + "Controls whether characters in comments should also be subject to unicode highlighting.", + "Controls whether characters in strings should also be subject to unicode highlighting.", + "Defines allowed characters that are not being highlighted.", + "Unicode characters that are common in allowed locales are not being highlighted.", + "Controls whether to automatically show inline suggestions in the editor.", + "Controls whether bracket pair colorization is enabled or not. Use {0} to override the bracket highlight colors.", + "Controls whether each bracket type has its own independent color pool.", + "Enables bracket pair guides.", + "Enables bracket pair guides only for the active bracket pair.", + "Disables bracket pair guides.", + "Controls whether bracket pair guides are enabled or not.", + "Enables horizontal guides as addition to vertical bracket pair guides.", + "Enables horizontal guides only for the active bracket pair.", + "Disables horizontal bracket pair guides.", + "Controls whether horizontal bracket pair guides are enabled or not.", + "Controls whether the editor should highlight the active bracket pair.", + "Controls whether the editor should render indent guides.", + "Highlights the active indent guide.", + "Highlights the active indent guide even if bracket guides are highlighted.", + "Do not highlight the active indent guide.", + "Controls whether the editor should highlight the active indent guide.", + "Insert suggestion without overwriting text right of the cursor.", + "Insert suggestion and overwrite text right of the cursor.", + "Controls whether words are overwritten when accepting completions. Note that this depends on extensions opting into this feature.", + "Controls whether filtering and sorting suggestions accounts for small typos.", + "Controls whether sorting favors words that appear close to the cursor.", + "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).", + "Controls whether an active snippet prevents quick suggestions.", + "Controls whether to show or hide icons in suggestions.", + "Controls the visibility of the status bar at the bottom of the suggest widget.", + "Controls whether to preview the suggestion outcome in the editor.", + "Controls whether suggest details show inline with the label or only in the details widget", + "This setting is deprecated. The suggest widget can now be resized.", + "This setting is deprecated, please use separate settings like 'editor.suggest.showKeywords' or 'editor.suggest.showSnippets' instead.", + "When enabled IntelliSense shows `method`-suggestions.", + "When enabled IntelliSense shows `function`-suggestions.", + "When enabled IntelliSense shows `constructor`-suggestions.", + "When enabled IntelliSense shows `deprecated`-suggestions.", + "When enabled IntelliSense shows `field`-suggestions.", + "When enabled IntelliSense shows `variable`-suggestions.", + "When enabled IntelliSense shows `class`-suggestions.", + "When enabled IntelliSense shows `struct`-suggestions.", + "When enabled IntelliSense shows `interface`-suggestions.", + "When enabled IntelliSense shows `module`-suggestions.", + "When enabled IntelliSense shows `property`-suggestions.", + "When enabled IntelliSense shows `event`-suggestions.", + "When enabled IntelliSense shows `operator`-suggestions.", + "When enabled IntelliSense shows `unit`-suggestions.", + "When enabled IntelliSense shows `value`-suggestions.", + "When enabled IntelliSense shows `constant`-suggestions.", + "When enabled IntelliSense shows `enum`-suggestions.", + "When enabled IntelliSense shows `enumMember`-suggestions.", + "When enabled IntelliSense shows `keyword`-suggestions.", + "When enabled IntelliSense shows `text`-suggestions.", + "When enabled IntelliSense shows `color`-suggestions.", + "When enabled IntelliSense shows `file`-suggestions.", + "When enabled IntelliSense shows `reference`-suggestions.", + "When enabled IntelliSense shows `customcolor`-suggestions.", + "When enabled IntelliSense shows `folder`-suggestions.", + "When enabled IntelliSense shows `typeParameter`-suggestions.", + "When enabled IntelliSense shows `snippet`-suggestions.", + "When enabled IntelliSense shows `user`-suggestions.", + "When enabled IntelliSense shows `issues`-suggestions.", + "Whether leading and trailing whitespace should always be selected.", + "Controls whether you can drag and drop a file into a text editor by holding down `shift` (instead of opening the file in an editor).", + "Controls whether suggestions should be accepted on commit characters. For example, in JavaScript, the semi-colon (`; `) can be a commit character that accepts a suggestion and types that character.", + "Only accept a suggestion with `Enter` when it makes a textual change.", + "Controls whether suggestions should be accepted on `Enter`, in addition to `Tab`. Helps to avoid ambiguity between inserting new lines or accepting suggestions.", + "Controls the number of lines in the editor that can be read out by a screen reader at once. When we detect a screen reader we automatically set the default to be 500. Warning: this has a performance implication for numbers larger than the default.", + "Editor content", + "Use language configurations to determine when to autoclose brackets.", + "Autoclose brackets only when the cursor is to the left of whitespace.", + "Controls whether the editor should automatically close brackets after the user adds an opening bracket.", + "Remove adjacent closing quotes or brackets only if they were automatically inserted.", + "Controls whether the editor should remove adjacent closing quotes or brackets when deleting.", + "Type over closing quotes or brackets only if they were automatically inserted.", + "Controls whether the editor should type over closing quotes or brackets.", + "Use language configurations to determine when to autoclose quotes.", + "Autoclose quotes only when the cursor is to the left of whitespace.", + "Controls whether the editor should automatically close quotes after the user adds an opening quote.", + "The editor will not insert indentation automatically.", + "The editor will keep the current line's indentation.", + "The editor will keep the current line's indentation and honor language defined brackets.", + "The editor will keep the current line's indentation, honor language defined brackets and invoke special onEnterRules defined by languages.", + "The editor will keep the current line's indentation, honor language defined brackets, invoke special onEnterRules defined by languages, and honor indentationRules defined by languages.", + "Controls whether the editor should automatically adjust the indentation when users type, paste, move or indent lines.", + "Use language configurations to determine when to automatically surround selections.", + "Surround with quotes but not brackets.", + "Surround with brackets but not quotes.", + "Controls whether the editor should automatically surround selections when typing quotes or brackets.", + "Emulate selection behavior of tab characters when using spaces for indentation. Selection will stick to tab stops.", + "Controls whether the editor shows CodeLens.", + "Controls the font family for CodeLens.", + "Controls the font size in pixels for CodeLens. When set to `0`, 90% of `#editor.fontSize#` is used.", + "Controls whether the editor should render the inline color decorators and color picker.", + "Enable that the selection with the mouse and keys is doing column selection.", + "Controls whether syntax highlighting should be copied into the clipboard.", + "Control the cursor animation style.", + "Controls whether the smooth caret animation should be enabled.", + "Controls the cursor style.", + "Controls the minimal number of visible leading and trailing lines surrounding the cursor. Known as 'scrollOff' or 'scrollOffset' in some other editors.", + "`cursorSurroundingLines` is enforced only when triggered via the keyboard or API.", + "`cursorSurroundingLines` is enforced always.", + "Controls when `cursorSurroundingLines` should be enforced.", + "Controls the width of the cursor when `#editor.cursorStyle#` is set to `line`.", + "Controls whether the editor should allow moving selections via drag and drop.", + "Scrolling speed multiplier when pressing `Alt`.", + "Controls whether the editor has code folding enabled.", + "Use a language-specific folding strategy if available, else the indentation-based one.", + "Use the indentation-based folding strategy.", + "Controls the strategy for computing folding ranges.", + "Controls whether the editor should highlight folded ranges.", + "Controls whether the editor automatically collapses import ranges.", + "The maximum number of foldable regions. Increasing this value may result in the editor becoming less responsive when the current source has a large number of foldable regions.", + "Controls whether clicking on the empty content after a folded line will unfold the line.", + "Controls the font family.", + "Controls whether the editor should automatically format the pasted content. A formatter must be available and the formatter should be able to format a range in a document.", + "Controls whether the editor should automatically format the line after typing.", + "Controls whether the editor should render the vertical glyph margin. Glyph margin is mostly used for debugging.", + "Controls whether the cursor should be hidden in the overview ruler.", + "Controls the letter spacing in pixels.", + "Controls whether the editor has linked editing enabled. Depending on the language, related symbols, e.g. HTML tags, are updated while editing.", + "Controls whether the editor should detect links and make them clickable.", + "Highlight matching brackets.", + "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.", + "Zoom the font of the editor when using mouse wheel and holding `Ctrl`.", + "Merge multiple cursors when they are overlapping.", + "Maps to `Control` on Windows and Linux and to `Command` on macOS.", + "Maps to `Alt` on Windows and Linux and to `Option` on macOS.", + "The modifier to be used to add multiple cursors with the mouse. The Go to Definition and Open Link mouse gestures will adapt such that they do not conflict with the [multicursor modifier](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).", + "Each cursor pastes a single line of the text.", + "Each cursor pastes the full text.", + "Controls pasting when the line count of the pasted text matches the cursor count.", + "Controls whether the editor should highlight semantic symbol occurrences.", + "Controls whether a border should be drawn around the overview ruler.", + "Focus the tree when opening peek", + "Focus the editor when opening peek", + "Controls whether to focus the inline editor or the tree in the peek widget.", + "Controls whether the Go to Definition mouse gesture always opens the peek widget.", + "Controls the delay in milliseconds after which quick suggestions will show up.", + "Controls whether the editor auto renames on type.", + "Deprecated, use `editor.linkedEditing` instead.", + "Controls whether the editor should render control characters.", + "Render last line number when the file ends with a newline.", + "Highlights both the gutter and the current line.", + "Controls how the editor should render the current line highlight.", + "Controls if the editor should render the current line highlight only when the editor is focused.", + "Render whitespace characters except for single spaces between words.", + "Render whitespace characters only on selected text.", + "Render only trailing whitespace characters.", + "Controls how the editor should render whitespace characters.", + "Controls whether selections should have rounded corners.", + "Controls the number of extra characters beyond which the editor will scroll horizontally.", + "Controls whether the editor will scroll beyond the last line.", + "Scroll only along the predominant axis when scrolling both vertically and horizontally at the same time. Prevents horizontal drift when scrolling vertically on a trackpad.", + "Controls whether the Linux primary clipboard should be supported.", + "Controls whether the editor should highlight matches similar to the selection.", + "Always show the folding controls.", + "Never show the folding controls and reduce the gutter size.", + "Only show the folding controls when the mouse is over the gutter.", + "Controls when the folding controls on the gutter are shown.", + "Controls fading out of unused code.", + "Controls strikethrough deprecated variables.", + "Show snippet suggestions on top of other suggestions.", + "Show snippet suggestions below other suggestions.", + "Show snippets suggestions with other suggestions.", + "Do not show snippet suggestions.", + "Controls whether snippets are shown with other suggestions and how they are sorted.", + "Controls whether the editor will scroll using an animation.", + "Font size for the suggest widget. When set to {0}, the value of {1} is used.", + "Line height for the suggest widget. When set to {0}, the value of {1} is used. The minimum value is 8.", + "Controls whether suggestions should automatically show up when typing trigger characters.", + "Always select the first suggestion.", + "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently.", + "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`.", + "Controls how suggestions are pre-selected when showing the suggest list.", + "Tab complete will insert the best matching suggestion when pressing tab.", + "Disable tab completions.", + "Tab complete snippets when their prefix match. Works best when 'quickSuggestions' aren't enabled.", + "Enables tab completions.", + "Unusual line terminators are automatically removed.", + "Unusual line terminators are ignored.", + "Unusual line terminators prompt to be removed.", + "Remove unusual line terminators that might cause problems.", + "Inserting and deleting whitespace follows tab stops.", + "Characters that will be used as word separators when doing word related navigations or operations.", + "Lines will never wrap.", + "Lines will wrap at the viewport width.", + "Lines will wrap at `#editor.wordWrapColumn#`.", + "Lines will wrap at the minimum of viewport and `#editor.wordWrapColumn#`.", + "Controls how lines should wrap.", + "Controls the wrapping column of the editor when `#editor.wordWrap#` is `wordWrapColumn` or `bounded`.", + "No indentation. Wrapped lines begin at column 1.", + "Wrapped lines get the same indentation as the parent.", + "Wrapped lines get +1 indentation toward the parent.", + "Wrapped lines get +2 indentation toward the parent.", + "Controls the indentation of wrapped lines.", + "Assumes that all characters are of the same width. This is a fast algorithm that works correctly for monospace fonts and certain scripts (like Latin characters) where glyphs are of equal width.", + "Delegates wrapping points computation to the browser. This is a slow algorithm, that might cause freezes for large files, but it works correctly in all cases.", + "Controls the algorithm that computes wrapping points." ], - "vs/platform/extensionManagement/node/extensionManagementUtil": [ - "VSIX invalid: package.json is not a JSON file." + "vs/base/browser/ui/button/button": [ + "More Actions..." ], - "vs/platform/extensionManagement/common/abstractExtensionManagementService": [ - "Marketplace is not enabled", - "Marketplace is not enabled", - "Only Marketplace Extensions can be reinstalled", - "Can't install '{0}' extension since it was reported to be problematic.", - "The '{0}' extension is not available in {1} for {2}.", - "Can't install pre-release version of '{0}' extension because it is not compatible with the current version of {1} (version {2}).", - "Can't install release version of '{0}' extension because it has no release version.", - "Can't install '{0}' extension because it is not compatible with the current version of {1} (version {2}).", - "Cannot uninstall '{0}' extension. '{1}' extension depends on this.", - "Cannot uninstall '{0}' extension. '{1}' and '{2}' extensions depend on this.", - "Cannot uninstall '{0}' extension. '{1}', '{2}' and other extension depend on this.", - "Cannot uninstall '{0}' extension . It includes uninstalling '{1}' extension and '{2}' extension depends on this.", - "Cannot uninstall '{0}' extension. It includes uninstalling '{1}' extension and '{2}' and '{3}' extensions depend on this.", - "Cannot uninstall '{0}' extension. It includes uninstalling '{1}' extension and '{2}', '{3}' and other extensions depend on this." + "vs/code/electron-sandbox/issue/issueReporterPage": [ + "Include my system information", + "Include my currently running processes", + "Include my workspace metadata", + "Include my enabled extensions", + "Include A/B experiment info", + "Please complete the form in English.", + "This is a", + "File on", + "An issue source is required.", + "Try to reproduce the problem after {0}. If the problem only reproduces when extensions are active, it is likely an issue with an extension.", + "disabling all extensions and reloading the window", + "Extension", + "The issue reporter is unable to create issues for this extension. Please visit {0} to report an issue.", + "The issue reporter is unable to create issues for this extension, as it does not specify a URL for reporting issues. Please check the marketplace page of this extension to see if other instructions are available.", + "Title", + "Please enter a title.", + "A title is required.", + "The title is too long.", + "Please enter details.", + "A description is required.", + "show", + "show", + "show", + "show", + "show" ], - "vs/platform/extensions/common/extensionValidator": [ - "property publisher must be of type `string`.", - "property `{0}` is mandatory and must be of type `string`", - "property `{0}` is mandatory and must be of type `string`", - "property `{0}` is mandatory and must be of type `object`", - "property `{0}` is mandatory and must be of type `string`", - "property `{0}` can be omitted or must be of type `string[]`", - "property `{0}` can be omitted or must be of type `string[]`", - "properties `{0}` and `{1}` must both be specified or must both be omitted", - "property `{0}` can be defined only if property `main` is also defined.", - "property `{0}` can be omitted or must be of type `string`", - "Expected `main` ({0}) to be included inside extension's folder ({1}). This might make the extension non-portable.", - "properties `{0}` and `{1}` must both be specified or must both be omitted", - "property `{0}` can be omitted or must be of type `string`", - "Expected `browser` ({0}) to be included inside extension's folder ({1}). This might make the extension non-portable.", - "properties `{0}` and `{1}` must both be specified or must both be omitted", - "Extension version is not semver compatible.", - "Could not parse `engines.vscode` value {0}. Please use, for example: ^1.22.0, ^1.22.x, etc.", - "Version specified in `engines.vscode` ({0}) is not specific enough. For vscode versions before 1.0.0, please define at a minimum the major and minor desired version. E.g. ^0.10.0, 0.10.x, 0.11.0, etc.", - "Version specified in `engines.vscode` ({0}) is not specific enough. For vscode versions after 1.0.0, please define at a minimum the major desired version. E.g. ^1.10.0, 1.10.x, 1.x.x, 2.x.x, etc.", - "Extension is not compatible with Code {0}. Extension requires: {1}." + "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": [ + "You have {0} installed on your system. Do you want to install the recommended extensions for it?" ], - "vs/base/node/zip": [ - "Error extracting {0}. Invalid file.", - "Incomplete. Found {0} of {1} entries", - "{0} not found inside zip." + "vs/platform/extensionManagement/common/extensionManagement": [ + "Extensions", + "Preferences" ], - "vs/base/common/date": [ - "in {0}", - "now", - "{0} second ago", - "{0} sec ago", - "{0} seconds ago", - "{0} secs ago", - "{0} second", - "{0} sec", - "{0} seconds", - "{0} secs", - "{0} minute ago", - "{0} min ago", - "{0} minutes ago", - "{0} mins ago", - "{0} minute", - "{0} min", - "{0} minutes", - "{0} mins", - "{0} hour ago", - "{0} hr ago", - "{0} hours ago", - "{0} hrs ago", - "{0} hour", - "{0} hr", - "{0} hours", - "{0} hrs", - "{0} day ago", - "{0} days ago", - "{0} day", - "{0} days", - "{0} week ago", - "{0} wk ago", - "{0} weeks ago", - "{0} wks ago", - "{0} week", - "{0} wk", - "{0} weeks", - "{0} wks", - "{0} month ago", - "{0} mo ago", - "{0} months ago", - "{0} mos ago", - "{0} month", - "{0} mo", - "{0} months", - "{0} mos", - "{0} year ago", - "{0} yr ago", - "{0} years ago", - "{0} yrs ago", - "{0} year", - "{0} yr", - "{0} years", - "{0} yrs" + "vs/platform/languagePacks/common/languagePacks": [ + " (Current)" ], - "vs/platform/terminal/common/terminalPlatformConfiguration": [ - "An optional set of arguments to run the shell executable with.", - "Controls whether or not the profile name overrides the auto detected one.", - "A codicon ID to associate with this terminal.", - "A theme color ID to associate with this terminal.", - "An object with environment variables that will be added to the terminal profile process. Set to `null` to delete environment variables from the base environment.", - "A single path to a shell executable or an array of paths that will be used as fallbacks when one fails.", - "A single path to a shell executable.", - "This is deprecated, the new recommended way to configure your default shell is by creating a terminal profile in {0} and setting its profile name as the default in {1}. This will currently take priority over the new profiles settings but that will change in the future.", - "This is deprecated, the new recommended way to configure your default shell is by creating a terminal profile in {0} and setting its profile name as the default in {1}. This will currently take priority over the new profiles settings but that will change in the future.", - "This is deprecated, the new recommended way to configure your default shell is by creating a terminal profile in {0} and setting its profile name as the default in {1}. This will currently take priority over the new profiles settings but that will change in the future.", - "This is deprecated, the new recommended way to configure your automation shell is by creating a terminal automation profile with {0}. This will currently take priority over the new automation profile settings but that will change in the future.", - "This is deprecated, the new recommended way to configure your automation shell is by creating a terminal automation profile with {0}. This will currently take priority over the new automation profile settings but that will change in the future.", - "This is deprecated, the new recommended way to configure your automation shell is by creating a terminal automation profile with {0}. This will currently take priority over the new automation profile settings but that will change in the future.", - "Integrated Terminal", - "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.", - "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.", - "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.", - "The terminal profile to use on Linux for automation-related terminal usage like tasks and debug. This setting will currently be ignored if {0} is set.", - "The terminal profile to use on macOS for automation-related terminal usage like tasks and debug. This setting will currently be ignored if {0} is set.", - "The terminal profile to use for automation-related terminal usage like tasks and debug. This setting will currently be ignored if {0} is set.", - "The path of the shell that the terminal uses on Linux. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The path of the shell that the terminal uses on macOS. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The path of the shell that the terminal uses on Windows. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The command line arguments to use when on the Linux terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The command line arguments to use when on the macOS terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The command line arguments to use when on the Windows terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The command line arguments to use when on the Windows terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The command line arguments in [command-line format](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) to use when on the Windows terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", - "The Windows profiles to present when creating a new terminal via the terminal dropdown. Use the {0} property to automatically detect the shell's location. Or set the {1} property manually with an optional {2}.\n\nSet an existing profile to {3} to hide the profile from the list, for example: {4}.", - "A profile source that will auto detect the paths to the shell.", - "The extension that contributed this profile.", - "The id of the extension terminal", - "The name of the extension terminal", - "The macOS profiles to present when creating a new terminal via the terminal dropdown. Set the {0} property manually with an optional {1}.\n\nSet an existing profile to {2} to hide the profile from the list, for example: {3}.", - "The extension that contributed this profile.", - "The id of the extension terminal", - "The name of the extension terminal", - "The Linux profiles to present when creating a new terminal via the terminal dropdown. Set the {0} property manually with an optional {1}.\n\nSet an existing profile to {2} to hide the profile from the list, for example: {3}.", - "The extension that contributed this profile.", - "The id of the extension terminal", - "The name of the extension terminal", - "Controls whether or not WSL distros are shown in the terminal dropdown", - "Whether new shells should inherit their environment from VS Code, which may source a login shell to ensure $PATH and other development variables are initialized. This has no effect on Windows.", - "Controls the maximum amount of lines that will be restored when reconnecting to a persistent terminal session. Increasing this will restore more lines of scrollback at the cost of more memory and increase the time it takes to connect to terminals on start up. This setting requires a restart to take effect and should be set to a value less than or equal to `#terminal.integrated.scrollback#`.", - "Whether to show hovers for links in the terminal output.", - "A set of process names to ignore when using the {0} setting.", - "Integrated Terminal", - "The default profile used on Linux. This setting will currently be ignored if either {0} or {1} are set.", - "The default profile used on macOS. This setting will currently be ignored if either {0} or {1} are set.", - "The default profile used on Windows. This setting will currently be ignored if either {0} or {1} are set." + "vs/platform/telemetry/common/telemetryService": [ + "Controls {0} telemetry, first-party extension telemetry and participating third-party extension telemetry. Some third party extensions might not respect this setting. Consult the specific extension's documentation to be sure. Telemetry helps us better understand how {0} is performing, where improvements need to be made, and how features are being used.", + "Read more about the [data we collect]({0}).", + "Read more about the [data we collect]({0}) and our [privacy statement]({1}).", + "A full restart of the application is necessary for crash reporting changes to take effect.", + "Crash Reports", + "Error Telemetry", + "Usage Data", + "The following table outlines the data sent with each setting:", + "****Note:*** If this setting is 'off', no telemetry will be sent regardless of other telemetry settings. If this setting is set to anything except 'off' and telemetry is disabled with deprecated settings, no telemetry will be sent.*", + "Telemetry", + "Sends usage data, errors, and crash reports.", + "Sends general error telemetry and crash reports.", + "Sends OS level crash reports.", + "Disables all product telemetry.", + "Telemetry", + "Enable diagnostic data to be collected. This helps us to better understand how {0} is performing and where improvements need to be made.", + "Enable diagnostic data to be collected. This helps us to better understand how {0} is performing and where improvements need to be made. [Read more]({1}) about what we collect and our privacy statement.", + "If this setting is false, no telemetry will be sent regardless of the new setting's value. Deprecated in favor of the {0} setting." ], - "vs/platform/userDataSync/common/settingsSync": [ - "Unable to sync settings as there are errors/warning in settings file." + "vs/platform/userDataSync/common/userDataSync": [ + "Settings Sync", + "Synchronize keybindings for each platform.", + "List of extensions to be ignored while synchronizing. The identifier of an extension is always `${publisher}.${name}`. For example: `vscode.csharp`.", + "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'.", + "Configure settings to be ignored while synchronizing." ], - "vs/platform/userDataSync/common/keybindingsSync": [ - "Unable to sync keybindings because the content in the file is not valid. Please open the file and correct it.", - "Unable to sync keybindings because the content in the file is not valid. Please open the file and correct it." + "vs/platform/userDataSync/common/userDataSyncMachines": [ + "Cannot read machines data as the current version is incompatible. Please update {0} and try again." ], - "vs/platform/theme/common/iconRegistry": [ - "The id of the font to use. If not set, the font that is defined first is used.", - "The font character associated with the icon definition.", - "Icon for the close action in widgets.", - "Icon for goto previous editor location.", - "Icon for goto next editor location." + "vs/platform/extensionManagement/common/extensionManagementCLIService": [ + "Extension '{0}' not found.", + "Make sure you use the full extension ID, including the publisher, e.g.: {0}", + "Extensions installed on {0}:", + "Installing extensions on {0}...", + "Installing extensions...", + "Extension '{0}' v{1} is already installed. Use '--force' option to update to latest version or provide '@' to install a specific version, for example: '{2}@1.2.3'.", + "Extension '{0}' is already installed.", + "Failed Installing Extensions: {0}", + "Extension '{0}' was successfully installed.", + "Cancelled installing extension '{0}'.", + "Extension '{0}' is already installed.", + "Updating the extension '{0}' to the version {1}", + "Installing builtin extension '{0}' v{1}...", + "Installing builtin extension '{0}'...", + "Installing extension '{0}' v{1}...", + "Installing extension '{0}'...", + "Extension '{0}' v{1} was successfully installed.", + "Cancelled installing extension '{0}'.", + "A newer version of extension '{0}' v{1} is already installed. Use '--force' option to downgrade to older version.", + "Extension '{0}' is a Built-in extension and cannot be uninstalled", + "Extension '{0}' is marked as a Built-in extension by user. Please use '--force' option to uninstall it.", + "Uninstalling {0}...", + "Extension '{0}' was successfully uninstalled from {1}!", + "Extension '{0}' was successfully uninstalled!", + "Extension '{0}' is not installed on {1}.", + "Extension '{0}' is not installed." ], - "vs/platform/userDataSync/common/userDataAutoSyncService": [ - "Cannot sync because default service has changed", - "Cannot sync because sync service has changed", - "Cannot sync because syncing is turned off in the cloud", - "Cannot sync because default service has changed", - "Cannot sync because sync service has changed", - "Cannot sync because current session is expired", - "Cannot sync because syncing is turned off on this machine from another machine." + "vs/platform/extensionManagement/common/extensionsScannerService": [ + "Cannot read file {0}: {1}.", + "Failed to parse {0}: [{1}, {2}] {3}.", + "Invalid manifest file {0}: Not an JSON object.", + "Failed to parse {0}: {1}.", + "Invalid format {0}: JSON object expected.", + "Failed to parse {0}: {1}.", + "Invalid format {0}: JSON object expected.", + "Couldn't find message for key {0}." ], - "vs/base/browser/ui/tree/abstractTree": [ - "Clear", - "Disable Filter on Type", - "Enable Filter on Type", - "No elements found", - "Matched {0} out of {1} elements" + "vs/platform/extensionManagement/node/extensionManagementService": [ + "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.", + "Unable to delete the existing folder '{0}' while installing the extension '{1}'. Please delete the folder manually and try again", + "Unknown error while renaming {0} to {1}", + "Cannot read the extension from {0}", + "Unable to install the extension. Please Quit and Start VS Code before reinstalling.", + "Unable to install the extension. Please Exit and Start VS Code before reinstalling.", + "Please restart VS Code before reinstalling {0}.", + "Please restart VS Code before reinstalling {0}.", + "Extension '{0}' is not installed.", + "Error while removing the extension: {0}. Please Quit and Start VS Code before trying again." ], "vs/platform/list/browser/listService": [ "Workbench", @@ -14943,177 +15058,28 @@ "The modifier to be used to add an item in trees and lists to a multi-selection with the mouse (for example in the explorer, open editors and scm view). The 'Open to Side' mouse gestures - if supported - will adapt such that they do not conflict with the multiselect modifier.", "Controls how to open items in trees and lists using the mouse (if supported). Note that some trees and lists might choose to ignore this setting if it is not applicable.", "Controls whether lists and trees support horizontal scrolling in the workbench. Warning: turning on this setting has a performance implication.", - "Controls tree indentation in pixels.", - "Controls whether the tree should render indent guides.", - "Controls whether lists and trees have smooth scrolling.", - "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.", - "Scrolling speed multiplier when pressing `Alt`.", - "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes.", - "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements.", - "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.", - "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.", - "Controls whether keyboard navigation in lists and trees is automatically triggered simply by typing. If set to `false`, keyboard navigation is only triggered when executing the `list.toggleKeyboardNavigation` command, for which you can assign a keyboard shortcut.", - "Controls how tree folders are expanded when clicking the folder names. Note that some trees and lists might choose to ignore this setting if it is not applicable." - ], - "vs/platform/markers/common/markers": [ - "Error", - "Warning", - "Info" - ], - "vs/platform/contextkey/browser/contextKeyService": [ - "A command that returns information about context keys" - ], - "vs/workbench/browser/actions/textInputActions": [ - "Undo", - "Redo", - "Cut", - "Copy", - "Paste", - "Select All" - ], - "vs/workbench/browser/actions/layoutActions": [ - "Represents the menu bar", - "Represents the activity bar in the left position", - "Represents the activity bar in the right position", - "Represents a side bar in the left position", - "Represents a side bar in the left position toggled off", - "Represents side bar in the right position", - "Represents side bar in the right position toggled off", - "Represents the bottom panel", - "Represents the status bar", - "Represents the bottom panel alignment set to the left", - "Represents the bottom panel alignment set to the right", - "Represents the bottom panel alignment set to the center", - "Represents the bottom panel alignment set to justified", - "Represents full screen", - "Represents centered layout mode", - "Represents zen mode", - "Close Primary Side Bar", - "Toggle Activity Bar Visibility", - "Show &&Activity Bar", - "Toggle Centered Layout", - "&&Centered Layout", - "Move Primary Side Bar Right", - "Move Primary Side Bar Left", - "Toggle Primary Side Bar Position", - "Move Primary Side Bar Right", - "Move Primary Side Bar Left", - "Toggle Primary Side Bar Position", - "Icon represents workbench layout configuration.", - "Configure Layout", - "Move Primary Side Bar Right", - "Move Primary Side Bar Right", - "Move Primary Side Bar Left", - "Move Primary Side Bar Left", - "Move Secondary Side Bar Left", - "Move Secondary Side Bar Right", - "&&Move Primary Side Bar Right", - "&&Move Primary Side Bar Left", - "Toggle Editor Area Visibility", - "Show &&Editor Area", - "&&Appearance", - "Toggle Primary Side Bar Visibility", - "Hide Primary Side Bar", - "Hide Primary Side Bar", - "Show &&Primary Side Bar", - "Show Primary Side Bar", - "Toggle Primary Side Bar", - "Toggle Primary Side Bar", - "Toggle Status Bar Visibility", - "Show S&&tatus Bar", - "Toggle Tab Visibility", - "Toggle Zen Mode", - "Zen Mode", - "Toggle Menu Bar", - "Show Menu &&Bar", - "Reset View Locations", - "Move View", - "Side Bar / {0}", - "Panel / {0}", - "Secondary Side Bar / {0}", - "Select a View to Move", - "Move Focused View", - "There is no view currently focused.", - "The currently focused view is not movable.", - "Select a Destination for the View", - "View: Move {0}", - "New Panel Entry", - "New Side Bar Entry", - "New Secondary Side Bar Entry", - "Side Bar", - "Panel", - "Secondary Side Bar", - "Reset Focused View Location", - "There is no view currently focused.", - "Increase Current View Size", - "Increase Editor Width", - "Increase Editor Height", - "Decrease Current View Size", - "Decrease Editor Width", - "Decrease Editor Height", - "Visible", - "Hidden", - "Active", - "Menu Bar", - "Activity Bar", - "Primary Side Bar", - "Secondary Side Bar", - "Panel", - "Status Bar", - "Left", - "Right", - "Left", - "Right", - "Center", - "Justify", - "Full Screen", - "Zen Mode", - "Centered Layout", - "Customize Layout...", - "Visibility", - "Primary Side Bar Position", - "Panel Alignment", - "Modes", - "Customize Layout", - "Close" - ], - "vs/workbench/browser/actions/developerActions": [ - "Inspect Context Keys", - "Toggle Screencast Mode", - "Log Storage Database Contents", - "Log Working Copies", - "Screencast Mode", - "Controls the vertical offset of the screencast mode overlay from the bottom as a percentage of the workbench height.", - "Controls the font size (in pixels) of the screencast mode keyboard.", - "Keys.", - "Command title.", - "Command title prefixed by its group.", - "Command title and keys.", - "Command title and keys, with the command prefixed by its group.", - "Controls what is displayed in the keyboard overlay when showing shortcuts.", - "Only show keyboard shortcuts in screencast mode.", - "Controls how long (in milliseconds) the keyboard overlay is shown in screencast mode.", - "Controls the color in hex (#RGB, #RGBA, #RRGGBB or #RRGGBBAA) of the mouse indicator in screencast mode.", - "Controls the size (in pixels) of the mouse indicator in screencast mode." - ], - "vs/workbench/browser/actions/helpActions": [ - "Keyboard Shortcuts Reference", - "&&Keyboard Shortcuts Reference", - "Video Tutorials", - "&&Video Tutorials", - "Tips and Tricks", - "Tips and Tri&&cks", - "Documentation", - "&&Documentation", - "Signup for the VS Code Newsletter", - "Join Us on Twitter", - "&&Join Us on Twitter", - "Search Feature Requests", - "&&Search Feature Requests", - "View License", - "View &&License", - "Privacy Statement", - "Privac&&y Statement" + "Controls tree indentation in pixels.", + "Controls whether the tree should render indent guides.", + "Controls whether lists and trees have smooth scrolling.", + "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.", + "Scrolling speed multiplier when pressing `Alt`.", + "Highlight elements when searching. Further up and down navigation will traverse only the highlighted elements.", + "Filter elements when searching.", + "Controls the default find mode for lists and trees in the workbench.", + "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes.", + "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements.", + "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.", + "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.", + "Please use 'workbench.list.defaultFindMode' instead.", + "Controls how tree folders are expanded when clicking the folder names. Note that some trees and lists might choose to ignore this setting if it is not applicable." + ], + "vs/platform/markers/common/markers": [ + "Error", + "Warning", + "Info" + ], + "vs/platform/contextkey/browser/contextKeyService": [ + "A command that returns information about context keys" ], "vs/workbench/browser/workbench.contribution": [ "The default size.", @@ -15133,7 +15099,7 @@ "The name of the untitled file is derived from the contents of its first line unless it has an associated file path. It will fallback to the name in case the line is empty or contains no word characters.", "The name of the untitled file is not derived from the contents of the file.", "Controls the format of the label for an untitled editor.", - "Controls if the untitled hint should be inline text in the editor or a floating button or hidden.", + "Controls if the untitled text hint should be visible in the editor.", "Controls whether the language in a text editor is automatically detected unless the language has been explicitly set by the language picker. This can also be scoped by language so you can specify which languages you do not want to be switched off of. This is useful for languages like Markdown that often contain other languages that might trick language detection into thinking it's the embedded language and not Markdown.", "Enables use of editor history in language detection. This causes automatic language detection to favor languages that have been recently opened and allows for automatic language detection to operate with smaller inputs.", "When enabled, a language detection model that takes into account editor history will be given higher precedence.", @@ -15167,14 +15133,14 @@ "Navigate across all opened editors and editor groups.", "Navigate only in editors of the active editor group.", "Navigate only in the active editor.", - "Restores the last editor view state (e.g. scroll position) when re-opening editors after they have been closed. Editor view state is stored per editor group and discarded when a group closes. Use the `#workbench.editor.sharedViewState#` setting to use the last known view state across all editor groups in case no previous view state was found for a editor group.", + "Restores the last editor view state (e.g. scroll position) when re-opening editors after they have been closed. Editor view state is stored per editor group and discarded when a group closes. Use the {0} setting to use the last known view state across all editor groups in case no previous view state was found for a editor group.", "Preserves the most recent editor view state (e.g. scroll position) across all editor groups and restores that if no specific editor view state is found for the editor group.", "Controls the layout for when an editor is split in an editor group to be either vertical or horizontal.", "Editors are positioned from top to bottom.", "Editors are positioned from left to right.", "Controls if the centered layout should automatically resize to maximum width when more than one group is open. Once only one group is open it will resize back to the original centered width.", "Controls if the number of opened editors should be limited or not. When enabled, less recently used editors will close to make space for newly opening editors.", - "Controls the maximum number of opened editors. Use the `#workbench.editor.limit.perEditorGroup#` setting to control this limit per editor group or across all groups.", + "Controls the maximum number of opened editors. Use the {0} setting to control this limit per editor group or across all groups.", "Controls if the maximum number of opened editors should exclude dirty editors for counting towards the configured limit.", "Controls if the limit of maximum opened editors should apply per editor group or across all editor groups.", "Controls whether local file history is enabled. When enabled, the file contents of an editor that is saved will be stored to a backup location to be able to restore or review the contents later. Changing this setting has no effect on existing local file history entries.", @@ -15226,7 +15192,6 @@ "Shows both the dropdown and toggle buttons.", "Controls whether the layout control in the custom title bar is displayed as a single menu button or with multiple UI toggles.", "This setting has been deprecated in favor of {0}", - "Controls whether you can drag and drop a file into a text editor by holding down `shift` (instead of opening the file in an editor).", "Controls the window title based on the active editor. Variables are substituted based on the context:", "`${activeEditorShort}`: the file name (e.g. myFile.txt).", "`${activeEditorMedium}`: the path of the file relative to the workspace folder (e.g. myFolder/myFileFolder/myFile.txt).", @@ -15243,14 +15208,14 @@ "`${dirty}`: an indicator for when the active editor has unsaved changes.", "`${separator}`: a conditional separator (\" - \") that only shows when surrounded by variables with values or static text.", "Window", - "Separator used by `window.title`.", - "Show command launcher together with the window title. This setting only has an effect when `#window.titleBarStyle#` is set to `custom`.", + "Separator used by {0}.", + "Show command launcher together with the window title. This setting only has an effect when {0} is set to {1}.", "Menu is displayed at the top of the window and only hidden in full screen mode.", "Menu is always visible at the top of the window even in full screen mode.", "Menu is hidden but can be displayed at the top of the window by executing the `Focus Application Menu` command.", "Menu is hidden but can be displayed at the top of the window via the Alt key.", "Menu is always hidden.", - "Menu is displayed as a compact button in the side bar. This value is ignored when `#window.titleBarStyle#` is `native`.", + "Menu is displayed as a compact button in the side bar. This value is ignored when {0} is {1}.", "Control the visibility of the menu bar. A setting of 'toggle' means that the menu bar is hidden and executing `Focus Application Menu` will show it. A setting of 'compact' will move the menu into the side bar.", "Control the visibility of the menu bar. A setting of 'toggle' means that the menu bar is hidden and a single press of the Alt key will show it. A setting of 'compact' will move the menu into the side bar.", "Controls whether the main menus can be opened via Alt-key shortcuts. Disabling mnemonics allows to bind these Alt-key shortcuts to editor commands instead.", @@ -15281,45 +15246,160 @@ "Controls whether turning on Zen Mode also hides the activity bar either at the left or right of the workbench.", "Controls whether turning on Zen Mode also hides the editor line numbers.", "Controls whether a window should restore to zen mode if it was exited in zen mode.", - "Controls whether notifications are shown while in zen mode. If true, only error notifications will pop out." + "Controls whether notifications do not disturb mode should be enabled while in zen mode. If true, only error notifications will pop out." ], - "vs/workbench/browser/actions/navigationActions": [ - "Navigate to the View on the Left", - "Navigate to the View on the Right", - "Navigate to the View Above", - "Navigate to the View Below", - "Focus Next Part", - "Focus Previous Part" + "vs/workbench/browser/actions/developerActions": [ + "Inspect Context Keys", + "Toggle Screencast Mode", + "Log Storage Database Contents", + "Log Working Copies", + "Screencast Mode", + "Controls the vertical offset of the screencast mode overlay from the bottom as a percentage of the workbench height.", + "Controls the font size (in pixels) of the screencast mode keyboard.", + "Keys.", + "Command title.", + "Command title prefixed by its group.", + "Command title and keys.", + "Command title and keys, with the command prefixed by its group.", + "Controls what is displayed in the keyboard overlay when showing shortcuts.", + "Only show keyboard shortcuts in screencast mode.", + "Controls how long (in milliseconds) the keyboard overlay is shown in screencast mode.", + "Controls the color in hex (#RGB, #RGBA, #RRGGBB or #RRGGBBAA) of the mouse indicator in screencast mode.", + "Controls the size (in pixels) of the mouse indicator in screencast mode." ], - "vs/workbench/browser/actions/workspaceActions": [ - "Workspaces", - "File", - "Open File...", - "Open Folder...", - "Open Folder...", - "Open...", - "Open Workspace from File...", - "Close Workspace", - "Open Workspace Configuration File", - "Remove Folder from Workspace...", - "Save Workspace As...", - "Duplicate As Workspace in New Window", - "&&Open File...", - "Open &&Folder...", - "Open &&Folder...", - "&&Open...", - "Open Wor&&kspace from File...", - "A&&dd Folder to Workspace...", - "Save Workspace As...", - "Duplicate Workspace", - "Close &&Folder", - "Close &&Workspace" + "vs/workbench/browser/actions/layoutActions": [ + "Represents the menu bar", + "Represents the activity bar in the left position", + "Represents the activity bar in the right position", + "Represents a side bar in the left position", + "Represents a side bar in the left position toggled off", + "Represents side bar in the right position", + "Represents side bar in the right position toggled off", + "Represents the bottom panel", + "Represents the status bar", + "Represents the bottom panel alignment set to the left", + "Represents the bottom panel alignment set to the right", + "Represents the bottom panel alignment set to the center", + "Represents the bottom panel alignment set to justified", + "Represents full screen", + "Represents centered layout mode", + "Represents zen mode", + "Close Primary Side Bar", + "Toggle Activity Bar Visibility", + "&&Activity Bar", + "Toggle Centered Layout", + "&&Centered Layout", + "Move Primary Side Bar Right", + "Move Primary Side Bar Left", + "Toggle Primary Side Bar Position", + "Move Primary Side Bar Right", + "Move Primary Side Bar Left", + "Toggle Primary Side Bar Position", + "Icon represents workbench layout configuration.", + "Configure Layout", + "Move Primary Side Bar Right", + "Move Primary Side Bar Right", + "Move Primary Side Bar Left", + "Move Primary Side Bar Left", + "Move Secondary Side Bar Left", + "Move Secondary Side Bar Right", + "&&Move Primary Side Bar Right", + "&&Move Primary Side Bar Left", + "Toggle Editor Area Visibility", + "Show &&Editor Area", + "&&Appearance", + "Toggle Primary Side Bar Visibility", + "Hide Primary Side Bar", + "Hide Primary Side Bar", + "&&Primary Side Bar", + "Primary Side Bar", + "Toggle Primary Side Bar", + "Toggle Primary Side Bar", + "Toggle Status Bar Visibility", + "S&&tatus Bar", + "Toggle Tab Visibility", + "Toggle Zen Mode", + "Zen Mode", + "Toggle Menu Bar", + "Menu &&Bar", + "Menu Bar", + "Reset View Locations", + "Move View", + "Side Bar / {0}", + "Panel / {0}", + "Secondary Side Bar / {0}", + "Select a View to Move", + "Move Focused View", + "There is no view currently focused.", + "The currently focused view is not movable.", + "Select a Destination for the View", + "View: Move {0}", + "New Panel Entry", + "New Side Bar Entry", + "New Secondary Side Bar Entry", + "Side Bar", + "Panel", + "Secondary Side Bar", + "Reset Focused View Location", + "There is no view currently focused.", + "Increase Current View Size", + "Increase Editor Width", + "Increase Editor Height", + "Decrease Current View Size", + "Decrease Editor Width", + "Decrease Editor Height", + "Visible", + "Hidden", + "Active", + "Menu Bar", + "Activity Bar", + "Primary Side Bar", + "Secondary Side Bar", + "Panel", + "Status Bar", + "Left", + "Right", + "Left", + "Right", + "Center", + "Justify", + "Full Screen", + "Zen Mode", + "Centered Layout", + "Customize Layout...", + "Visibility", + "Primary Side Bar Position", + "Panel Alignment", + "Modes", + "Customize Layout", + "Close" ], - "vs/workbench/browser/actions/workspaceCommands": [ - "Add Folder to Workspace...", - "&&Add", - "Add Folder to Workspace", - "Select workspace folder" + "vs/workbench/browser/actions/textInputActions": [ + "Undo", + "Redo", + "Cut", + "Copy", + "Paste", + "Select All" + ], + "vs/workbench/browser/actions/helpActions": [ + "Keyboard Shortcuts Reference", + "&&Keyboard Shortcuts Reference", + "Video Tutorials", + "&&Video Tutorials", + "Tips and Tricks", + "Tips and Tri&&cks", + "Documentation", + "&&Documentation", + "Signup for the VS Code Newsletter", + "Join Us on Twitter", + "&&Join Us on Twitter", + "Search Feature Requests", + "&&Search Feature Requests", + "View License", + "View &&License", + "Privacy Statement", + "Privac&&y Statement" ], "vs/workbench/browser/actions/windowActions": [ "File", @@ -15329,7 +15409,7 @@ "folders & workspaces", "folders", "files", - "Select to open (hold Cmd-key to force new window or Alt-key for same window)", + "Select to open (hold Cmd-key to force new window or Option-key for same window)", "Select to open (hold Ctrl-key to force new window or Alt-key for same window)", "Workspace with Unsaved Files", "Folder with Unsaved Files", @@ -15346,62 +15426,18 @@ "&&Full Screen", "Reload Window", "About", - "&&About", - "New Window", - "New &&Window", - "Remove keyboard focus from focused element", - "Confirm Before Close", - "Open &&Recent" - ], - "vs/workbench/api/browser/viewsExtensionPoint": [ - "Unique id used to identify the container in which views can be contributed using 'views' contribution point", - "Human readable string used to render the container", - "Path to the container icon. Icons are 24x24 centered on a 50x40 block and have a fill color of 'rgb(215, 218, 224)' or '#d7dae0'. It is recommended that icons be in SVG, though any image file type is accepted.", - "Contributes views containers to the editor", - "Contribute views containers to Activity Bar", - "Contribute views containers to Panel", - "Type of the view. This can either be `tree` for a tree view based view or `webview` for a webview based view. The default is `tree`.", - "The view is backed by a `TreeView` created by `createTreeView`.", - "The view is backed by a `WebviewView` registered by `registerWebviewViewProvider`.", - "Identifier of the view. This should be unique across all views. It is recommended to include your extension id as part of the view id. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`.", - "The human-readable name of the view. Will be shown", - "Condition which must be true to show this view", - "Path to the view icon. View icons are displayed when the name of the view cannot be shown. It is recommended that icons be in SVG, though any image file type is accepted.", - "Human-readable context for when the view is moved out of its original location. By default, the view's container name will be used.", - "Initial state of the view when the extension is first installed. Once the user has changed the view state by collapsing, moving, or hiding the view, the initial state will not be used again.", - "The default initial state for the view. In most containers the view will be expanded, however; some built-in containers (explorer, scm, and debug) show all contributed views collapsed regardless of the `visibility`.", - "The view will not be shown in the view container, but will be discoverable through the views menu and other view entry points and can be un-hidden by the user.", - "The view will show in the view container, but will be collapsed.", - "Identifier of the view. This should be unique across all views. It is recommended to include your extension id as part of the view id. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`.", - "The human-readable name of the view. Will be shown", - "Condition which must be true to show this view", - "Nested group in the viewlet", - "The name of the remote type associated with this view", - "Contributes views to the editor", - "Contributes views to Explorer container in the Activity bar", - "Contributes views to Debug container in the Activity bar", - "Contributes views to SCM container in the Activity bar", - "Contributes views to Test container in the Activity bar", - "Contributes views to Remote container in the Activity bar. To contribute to this container, enableProposedApi needs to be turned on", - "Contributes views to contributed views container", - "views containers must be an array", - "property `{0}` is mandatory and must be of type `string` with non-empty value. Only alphanumeric characters, '_', and '-' are allowed.", - "property `{0}` is mandatory and must be of type `string` with non-empty value. Only alphanumeric characters, '_', and '-' are allowed.", - "property `{0}` is mandatory and must be of type `string`", - "property `{0}` is mandatory and must be of type `string`", - "property `{0}` is mandatory and must be of type `string` with non-empty value", - "View container '{0}' requires 'enabledApiProposals: [\"contribViewsRemote\"]' to be added to 'Remote'.", - "View container '{0}' does not exist and all views registered to it will be added to 'Explorer'.", - "Cannot register multiple views with same id `{0}`", - "A view with id `{0}` is already registered.", - "Unknown view type `{0}`.", - "views must be an array", - "property `{0}` is mandatory and must be of type `string`", - "property `{0}` is mandatory and must be of type `string`", - "property `{0}` can be omitted or must be of type `string`", - "property `{0}` can be omitted or must be of type `string`", - "property `{0}` can be omitted or must be of type `string`", - "property `{0}` can be omitted or must be one of {1}" + "&&About", + "New Window", + "New &&Window", + "Remove keyboard focus from focused element", + "Confirm Before Close", + "Open &&Recent" + ], + "vs/workbench/browser/actions/workspaceCommands": [ + "Add Folder to Workspace...", + "&&Add", + "Add Folder to Workspace", + "Select workspace folder" ], "vs/workbench/browser/actions/quickAccessActions": [ "Go to File...", @@ -15410,6 +15446,38 @@ "Select Next in Quick Open", "Select Previous in Quick Open" ], + "vs/workbench/browser/actions/navigationActions": [ + "Navigate to the View on the Left", + "Navigate to the View on the Right", + "Navigate to the View Above", + "Navigate to the View Below", + "Focus Next Part", + "Focus Previous Part" + ], + "vs/workbench/browser/actions/workspaceActions": [ + "Workspaces", + "File", + "Open File...", + "Open Folder...", + "Open Folder...", + "Open...", + "Open Workspace from File...", + "Close Workspace", + "Open Workspace Configuration File", + "Remove Folder from Workspace...", + "Save Workspace As...", + "Duplicate As Workspace in New Window", + "&&Open File...", + "Open &&Folder...", + "Open &&Folder...", + "&&Open...", + "Open Wor&&kspace from File...", + "A&&dd Folder to Workspace...", + "Save Workspace As...", + "Duplicate Workspace", + "Close &&Folder", + "Close &&Workspace" + ], "vs/workbench/api/common/configurationExtensionPoint": [ "A title for the current category of settings. This label will be rendered in the Settings editor as a subheading. If the title is the same as the extension display name, then the category will be grouped under the main extension heading.", "When specified, gives the order of this category of settings relative to other categories.", @@ -15452,8 +15520,56 @@ "A transient workspace will disappear when restarting or reloading.", "Unknown workspace configuration property" ], - "vs/workbench/browser/parts/banner/bannerPart": [ - "Focus Banner" + "vs/workbench/api/browser/viewsExtensionPoint": [ + "Unique id used to identify the container in which views can be contributed using 'views' contribution point", + "Human readable string used to render the container", + "Path to the container icon. Icons are 24x24 centered on a 50x40 block and have a fill color of 'rgb(215, 218, 224)' or '#d7dae0'. It is recommended that icons be in SVG, though any image file type is accepted.", + "Contributes views containers to the editor", + "Contribute views containers to Activity Bar", + "Contribute views containers to Panel", + "Type of the view. This can either be `tree` for a tree view based view or `webview` for a webview based view. The default is `tree`.", + "The view is backed by a `TreeView` created by `createTreeView`.", + "The view is backed by a `WebviewView` registered by `registerWebviewViewProvider`.", + "Identifier of the view. This should be unique across all views. It is recommended to include your extension id as part of the view id. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`.", + "The human-readable name of the view. Will be shown", + "Condition which must be true to show this view", + "Path to the view icon. View icons are displayed when the name of the view cannot be shown. It is recommended that icons be in SVG, though any image file type is accepted.", + "Human-readable context for when the view is moved out of its original location. By default, the view's container name will be used.", + "Initial state of the view when the extension is first installed. Once the user has changed the view state by collapsing, moving, or hiding the view, the initial state will not be used again.", + "The default initial state for the view. In most containers the view will be expanded, however; some built-in containers (explorer, scm, and debug) show all contributed views collapsed regardless of the `visibility`.", + "The view will not be shown in the view container, but will be discoverable through the views menu and other view entry points and can be un-hidden by the user.", + "The view will show in the view container, but will be collapsed.", + "The size of the view. Using a number will behave like the css 'flex' property, and the size will set the initial size when the view is first shown. In the side bar, this is the height of the view.", + "Identifier of the view. This should be unique across all views. It is recommended to include your extension id as part of the view id. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`.", + "The human-readable name of the view. Will be shown", + "Condition which must be true to show this view", + "Nested group in the viewlet", + "The name of the remote type associated with this view", + "Contributes views to the editor", + "Contributes views to Explorer container in the Activity bar", + "Contributes views to Debug container in the Activity bar", + "Contributes views to SCM container in the Activity bar", + "Contributes views to Test container in the Activity bar", + "Contributes views to Remote container in the Activity bar. To contribute to this container, enableProposedApi needs to be turned on", + "Contributes views to contributed views container", + "views containers must be an array", + "property `{0}` is mandatory and must be of type `string` with non-empty value. Only alphanumeric characters, '_', and '-' are allowed.", + "property `{0}` is mandatory and must be of type `string` with non-empty value. Only alphanumeric characters, '_', and '-' are allowed.", + "property `{0}` is mandatory and must be of type `string`", + "property `{0}` is mandatory and must be of type `string`", + "property `{0}` is mandatory and must be of type `string` with non-empty value", + "View container '{0}' requires 'enabledApiProposals: [\"contribViewsRemote\"]' to be added to 'Remote'.", + "View container '{0}' does not exist and all views registered to it will be added to 'Explorer'.", + "Cannot register multiple views with same id `{0}`", + "A view with id `{0}` is already registered.", + "Unknown view type `{0}`.", + "views must be an array", + "property `{0}` is mandatory and must be of type `string`", + "property `{0}` is mandatory and must be of type `string`", + "property `{0}` can be omitted or must be of type `string`", + "property `{0}` can be omitted or must be of type `string`", + "property `{0}` can be omitted or must be of type `string`", + "property `{0}` can be omitted or must be one of {1}" ], "vs/workbench/services/actions/common/menusExtensionPoint": [ "The Command Palette", @@ -15462,6 +15578,7 @@ "Run submenu inside the editor title menu", "The editor context menu", "'Copy as' submenu in the editor context menu", + "'Share' submenu in the editor context menu", "The file explorer context menu", "The editor tabs context menu", "The debug callstack view context menu", @@ -15498,8 +15615,10 @@ "The Ports view item origin inline menu", "The Ports view item port inline menu", "The 'New File...' quick pick, shown on welcome page and File menu.", + "Share submenu shown in the top level File menu.", "The actions shown when hovering on an inline completion", "The prominent botton in the merge editor", + "The webview context menu", "property `{0}` is mandatory and must be of type `string`", "property `{0}` can be omitted or must be of type `string`", "property `{0}` can be omitted or must be of type `string`", @@ -15546,7 +15665,6 @@ "`{0}` is not a valid submenu identifier", "The `{0}` submenu was already previously registered.", "`{0}` is not a valid submenu label", - "`{0}` is not a valid menu identifier", "{0} is a proposed menu identifier. It requires 'package.json#enabledApiProposals: [\"{1}\"]' and is only available when running out of dev or with the following command line switch: --enable-proposed-api {2}", "Menu item references a command `{0}` which is not defined in the 'commands' section.", "Menu item references an alt-command `{0}` which is not defined in the 'commands' section.", @@ -15594,7 +15712,7 @@ "Show Opened Editors", "Close All", "Close Saved", - "Keep Editors Open", + "Enable Preview Editors", "Lock Group", "Split Editor Right", "Split Editor Down", @@ -15630,6 +15748,7 @@ "Reopen Editor With...", "&&Reopen Closed Editor", "&&Clear Recently Opened", + "Share", "Editor &&Layout", "Split Up", "Split &&Up", @@ -15659,8 +15778,6 @@ "Two R&&ows Right", "Two Columns Bottom", "Two &&Columns Bottom", - "&&Back", - "&&Forward", "&&Last Edit Location", "&&First Side in Editor", "&&Second Side in Editor", @@ -15686,15 +15803,15 @@ "Group &&Below", "Switch &&Group" ], - "vs/workbench/services/keybinding/common/keybindingEditing": [ - "Unable to write because the keybindings configuration file has unsaved changes. Please save it first and then try again.", - "Unable to write to the keybindings configuration file. Please open it to correct errors/warnings in the file and try again.", - "Unable to write to the keybindings configuration file. It has an object which is not of type Array. Please open the file to clean up and try again.", - "Place your key bindings in this file to override the defaults" - ], "vs/workbench/browser/parts/statusbar/statusbarPart": [ "Hide Status Bar" ], + "vs/workbench/browser/parts/banner/bannerPart": [ + "Focus Banner" + ], + "vs/workbench/services/decorations/browser/decorationsService": [ + "Contains emphasized items" + ], "vs/workbench/browser/parts/views/viewsService": [ "Show {0}", "Toggle {0}", @@ -15726,9 +15843,6 @@ "Could not redo '{0}' across all files because an undo or redo operation occurred in the meantime", "Could not redo '{0}' because there is already an undo or redo operation running." ], - "vs/workbench/services/decorations/browser/decorationsService": [ - "Contains emphasized items" - ], "vs/workbench/services/extensions/browser/extensionUrlHandler": [ "Allow an extension to open this URI?", "Don't ask again for this extension.", @@ -15744,12 +15858,11 @@ "Extensions", "There are currently no authorized extension URIs." ], - "vs/workbench/services/preferences/browser/preferencesService": [ - "Open a folder or workspace first to create workspace or folder settings.", - "Place your key bindings in this file to override the defaults", - "Default Keybindings", - "Default Keybindings", - "Unable to create '{0}' ({1})." + "vs/workbench/services/keybinding/common/keybindingEditing": [ + "Unable to write because the keybindings configuration file has unsaved changes. Please save it first and then try again.", + "Unable to write to the keybindings configuration file. Please open it to correct errors/warnings in the file and try again.", + "Unable to write to the keybindings configuration file. It has an object which is not of type Array. Please open the file to clean up and try again.", + "Place your key bindings in this file to override the defaults" ], "vs/workbench/services/progress/browser/progressService": [ "{0}: {1}", @@ -15761,6 +15874,17 @@ "Cancel", "Dismiss" ], + "vs/workbench/services/preferences/browser/preferencesService": [ + "Open a folder or workspace first to create workspace or folder settings.", + "Place your key bindings in this file to override the defaults", + "Default Keybindings", + "Default Keybindings", + "Unable to create '{0}' ({1})." + ], + "vs/workbench/services/configuration/common/jsonEditingService": [ + "Unable to write into the file. Please open the file to correct errors/warnings in the file and try again.", + "Unable to write into the file because the file has unsaved changes. Please save the file and try again." + ], "vs/workbench/services/editor/browser/editorResolverService": [ "There are multiple default editors available for the resource.", "Configure Default", @@ -15772,10 +15896,6 @@ "Select new default editor for '{0}'", "Select editor for '{0}'" ], - "vs/workbench/services/configuration/common/jsonEditingService": [ - "Unable to write into the file. Please open the file to correct errors/warnings in the file and try again.", - "Unable to write into the file because the file has unsaved changes. Please save the file and try again." - ], "vs/workbench/services/keybinding/browser/keybindingService": [ "expected non-empty value.", "property `{0}` is mandatory and must be of type `string`", @@ -15840,14 +15960,6 @@ "vs/workbench/services/themes/browser/workbenchThemeService": [ "Unable to load {0}: {1}" ], - "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": [ - "Remove extension recommendation from", - "Add extension recommendation to", - "Remove extension recommendation from", - "Add extension recommendation to", - "Workspace Folder", - "Workspace" - ], "vs/workbench/services/label/common/labelService": [ "Contributes resource label formatting rules.", "URI scheme on which to match the formatter on. For example \"file\". Simple glob patterns are supported.", @@ -15863,9 +15975,13 @@ "{0} (Workspace)", "{0} (Workspace)" ], - "vs/workbench/services/extensionManagement/browser/webExtensionsScannerService": [ - "Cannot add '{0}' because this extension is not a web extension.", - "Open Installed Web Extensions Resource" + "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": [ + "Remove extension recommendation from", + "Add extension recommendation to", + "Remove extension recommendation from", + "Add extension recommendation to", + "Workspace Folder", + "Workspace" ], "vs/workbench/services/extensionManagement/browser/extensionEnablementService": [ "All installed extensions are temporarily disabled.", @@ -15880,14 +15996,25 @@ "No workspace.", "Cannot change enablement of {0} extension in workspace because it contributes authentication providers" ], - "vs/workbench/services/profiles/common/profileService": [ - "{0}: Applying...", - "{0}: Applied successfully." - ], "vs/workbench/services/notification/common/notificationService": [ "Don't Show Again", "Don't Show Again" ], + "vs/workbench/services/userDataProfile/browser/userDataProfileManagement": [ + "The current settings profile has been removed. Please reload to switch back to default settings profile", + "Cannot rename the default settings profile", + "Cannot delete the default settings profile", + "Switching a settings profile requires reloading VS Code.", + "&&Reload" + ], + "vs/workbench/services/userDataProfile/common/userDataProfileImportExportService": [ + "Profile name", + "Create from Current Profile...", + "{0}: Importing...", + "{0}: Imported successfully.", + "{0}: Applying...", + "{0}: Applied successfully." + ], "vs/workbench/services/remote/common/remoteExplorerService": [ "User Forwarded", "Auto Forwarded", @@ -15900,29 +16027,6 @@ "Hide '{0}'", "Reset Location" ], - "vs/workbench/services/authentication/browser/authenticationService": [ - "The id of the authentication provider.", - "The human readable name of the authentication provider.", - "Contributes authentication", - "No accounts requested yet...", - "An authentication contribution must specify an id.", - "An authentication contribution must specify a label.", - "This authentication id '{0}' has already been registered", - "Loading...", - "Sign in requested", - "The extension '{0}' wants to access the {1} account '{2}'.", - "Allow", - "Deny", - "Cancel", - "Sign in to another account", - "The extension '{0}' wants to access a {1} account", - "Select an account for '{0}' to use or Esc to cancel", - "Grant access to {0} for {1}... (1)", - "Sign in with {0} to use {1} (1)" - ], - "vs/workbench/contrib/performance/browser/performance.contribution": [ - "Startup Performance" - ], "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": [ "Settings sync cannot be turned on because there are no authentication providers available.", "No account available", @@ -15955,61 +16059,34 @@ "Settings sync is suspended because of successive authorization failures. Please sign in again to continue synchronizing", "Sign in" ], + "vs/workbench/services/authentication/browser/authenticationService": [ + "The id of the authentication provider.", + "The human readable name of the authentication provider.", + "Contributes authentication", + "No accounts requested yet...", + "An authentication contribution must specify an id.", + "An authentication contribution must specify a label.", + "This authentication id '{0}' has already been registered", + "Loading...", + "Sign in requested", + "The extension '{0}' wants to access the {1} account '{2}'.", + "Allow", + "Deny", + "Cancel", + "Sign in to another account", + "The extension '{0}' wants to access a {1} account", + "Select an account for '{0}' to use or Esc to cancel", + "Grant access to {0} for {1}... (1)", + "Sign in with {0} to use {1} (1)" + ], "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": [ "Define Keybinding", "You won't be able to produce this key combination under your current keyboard layout.", "**{0}** for your current keyboard layout (**{1}** for US standard).", "**{0}** for your current keyboard layout." ], - "vs/workbench/contrib/preferences/browser/preferences.contribution": [ - "Settings Editor 2", - "Keybindings Editor", - "Open Settings (UI)", - "Preferences", - "Settings", - "&&Settings", - "Open Settings (UI)", - "Open Settings (JSON)", - "Open User Settings", - "Open Default Settings (JSON)", - "Open Settings (JSON)", - "Open Workspace Settings", - "Open Workspace Settings (JSON)", - "Open Folder Settings", - "Open Folder Settings (JSON)", - "Open Folder Settings", - "&&Online Services Settings", - "Telemetry Settings", - "Show untrusted workspace settings", - "Open Remote Settings ({0})", - "Open Remote Settings (JSON) ({0})", - "Focus Settings Search", - "Clear Settings Search Results", - "Focus settings file", - "Focus settings file", - "Focus settings list", - "Focus Settings Table of Contents", - "Focus Setting Control", - "Show Setting Context Menu", - "Move Focus Up One Level", - "Preferences", - "Open Keyboard Shortcuts", - "Keyboard Shortcuts", - "Keyboard Shortcuts", - "Open Default Keyboard Shortcuts (JSON)", - "Open Keyboard Shortcuts (JSON)", - "Show Default Keybindings", - "Show Extension Keybindings", - "Show User Keybindings", - "Clear Search Results", - "&&Preferences" - ], - "vs/workbench/contrib/testing/browser/testing.contribution": [ - "Testing", - "T&&esting", - "No tests have been found in this workspace yet.", - "Install Additional Test Extensions...", - "Test Explorer" + "vs/workbench/contrib/performance/browser/performance.contribution": [ + "Startup Performance" ], "vs/workbench/contrib/notebook/browser/notebook.contribution": [ "Settings for code editors used in notebooks. This can be used to customize most editor.* settings.", @@ -16035,16 +16112,33 @@ "Control whether outputs action should be rendered in the output toolbar.", "Controls when the Markdown header folding arrow is shown.", "The folding controls are always visible.", + "Never show the folding controls and reduce the gutter size.", "The folding controls are visible only on mouseover.", "Control whether the notebook editor should allow moving cells through drag and drop.", "Control whether extra actions are shown in a dropdown next to the run button.", "Control whether the actions on the notebook toolbar should render label or not.", "Control how many lines of text in a text output is rendered.", - "Controls the font size in pixels of rendered markup in notebooks. When set to `0`, 120% of `#editor.fontSize#` is used.", + "Controls the font size in pixels of rendered markup in notebooks. When set to {0}, 120% of {1} is used.", "Controls whether code cells in the interactive window are collapsed by default.", "Line height of the output text for notebook cells.\n - Values between 0 and 8 will be used as a multiplier with the font size.\n - Values greater than or equal to 8 will be used as effective values.", - "Font size for the output text for notebook cells. When set to 0 `#editor.fontSize#` is used.", - "The font family for the output text for notebook cells. When set to empty, the `#editor.fontFamily#` is used." + "Font size for the output text for notebook cells. When set to {0}, {1} is used.", + "The font family for the output text for notebook cells. When set to empty, the {0} is used." + ], + "vs/workbench/contrib/interactive/browser/interactive.contribution": [ + "Open Interactive Window", + "Open Interactive Window", + "Execute Code", + "Clear the interactive window input editor contents", + "Previous value in history", + "Next value in history", + "Scroll to Top", + "Scroll to Bottom", + "Focus input editor in the interactive window", + "Focus history in the interactive window", + "The border color for the current interactive code cell when the editor has focus.", + "The border color for the current interactive code cell when the editor does not have focus.", + "Automatically scroll the interactive window to show the output of the last statement executed. If this value is false, the window will only scroll if the last cell was already the one scrolled to.", + "Controls whether the Interactive Window sessions/history should be restored across window reloads. Whether the state of controllers used in Interactive Windows is persisted across window reloads are controlled by extensions contributing controllers." ], "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": [ "Type '{0}' to get help on the actions you can take from here.", @@ -16076,6 +16170,20 @@ "You have not yet opened a folder.\n{0}\nOpening a folder will close all currently open editors. To keep them open, {1} instead.", "You have not yet opened a folder.\n{0}" ], + "vs/workbench/contrib/logs/common/logs.contribution": [ + "Settings Sync", + "Edit Sessions", + "Window", + "Telemetry", + "Show Window Log" + ], + "vs/workbench/contrib/testing/browser/testing.contribution": [ + "Testing", + "T&&esting", + "No tests have been found in this workspace yet.", + "Install Additional Test Extensions...", + "Test Explorer" + ], "vs/workbench/contrib/files/browser/fileActions.contribution": [ "File", "Copy Path", @@ -16115,64 +16223,6 @@ "&&Close Editor", "Go to &&File..." ], - "vs/workbench/contrib/logs/common/logs.contribution": [ - "Settings Sync", - "Window", - "Telemetry", - "Show Window Log" - ], - "vs/workbench/contrib/interactive/browser/interactive.contribution": [ - "Open Interactive Window", - "Open Interactive Window", - "Execute Code", - "Clear the interactive window input editor contents", - "Previous value in history", - "Next value in history", - "Scroll to Top", - "Scroll to Bottom", - "Focus input editor in the interactive window", - "Focus history in the interactive window", - "The border color for the current interactive code cell when the editor has focus.", - "The border color for the current interactive code cell when the editor does not have focus.", - "Automatically scroll the interactive window to show the output of the last statement executed. If this value is false, the window will only scroll if the last cell was already the one scrolled to." - ], - "vs/workbench/contrib/bulkEdit/browser/bulkEditService": [ - "Made no edits", - "Made {0} text edits in {1} files", - "Made {0} text edits in one file", - "Made {0} text edits in {1} files, also created or deleted {2} files", - "Workspace Edit", - "Workspace Edit", - "Made no edits", - "File operation", - "Close Window", - "Change Workspace", - "Reload Window", - "Quit", - "Are you sure you want to {0}? '{1}' is in progress.", - "Controls if files that were part of a refactoring are saved automatically" - ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": [ - "Another refactoring is being previewed.", - "Cancel", - "Continue", - "Press 'Continue' to discard the previous refactoring and continue with the current refactoring.", - "Apply Refactoring", - "Refactor Preview", - "Discard Refactoring", - "Refactor Preview", - "Toggle Change", - "Refactor Preview", - "Group Changes By File", - "Refactor Preview", - "Group Changes By Type", - "Refactor Preview", - "Group Changes By Type", - "Refactor Preview", - "View icon of the refactor preview view.", - "Refactor Preview", - "Refactor Preview" - ], "vs/workbench/contrib/files/browser/files.contribution": [ "Binary File Editor", "Disable hot exit. A prompt will show when attempting to close a window with editors that have unsaved changes.", @@ -16184,11 +16234,13 @@ "Controls whether unsaved files are remembered between sessions, allowing the save prompt when exiting the editor to be skipped.", "Files", "Configure [glob patterns](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) for excluding files and folders. For example, the file explorer decides which files and folders to show or hide based on this setting. Refer to the `#search.exclude#` setting to define search-specific excludes.", + "Enable the pattern.", + "Disable the pattern.", "The glob pattern to match file paths against. Set to true or false to enable or disable the pattern.", "Additional check on the siblings of a matching file. Use \\$(basename) as variable for the matching file name.", "Configure file associations to languages (e.g. `\"*.extension\": \"html\"`). These have precedence over the default associations of the languages installed.", "The default character set encoding to use when reading and writing files. This setting can also be configured per language.", - "When enabled, the editor will attempt to guess the character set encoding when opening files. This setting can also be configured per language. Note, this setting is not respected by text search. Only `#files.encoding#` is respected.", + "When enabled, the editor will attempt to guess the character set encoding when opening files. This setting can also be configured per language. Note, this setting is not respected by text search. Only {0} is respected.", "LF", "CRLF", "Uses operating system specific end of line character.", @@ -16237,7 +16289,7 @@ "Explorer will prompt before all undo operations.", "Explorer will prompt before destructive undo operations.", "Explorer will not prompt before undo operations when focused.", - "Controls whether the explorer should expand multi-root workspaces containing only one folder during initilization", + "Controls whether the explorer should expand multi-root workspaces containing only one folder during initialization", "Files and folders are sorted by their names. Folders are displayed before files.", "Files and folders are sorted by their names. Files are interwoven with folders.", "Files and folders are sorted by their names. Files are displayed before folders.", @@ -16260,77 +16312,12 @@ "Use backslash as path separation character.", "Uses operating system specific path separation character.", "The path separation character used when copying relative file paths.", - "Controls whether entries in .gitignore should be parsed and excluded from the explorer. Similar to `#files.exclude#`.", + "Controls whether entries in .gitignore should be parsed and excluded from the explorer. Similar to {0}.", "Controls whether file nesting is enabled in the explorer. File nesting allows for related files in a directory to be visually grouped together under a single parent file.", - "Controls whether file nests are automatically expanded. `#explorer.fileNesting.enabled#` must be set for this to take effect.", + "Controls whether file nests are automatically expanded. {0} must be set for this to take effect.", "Controls nesting of files in the explorer. Each __Item__ represents a parent pattern and may contain a single `*` character that matches any string. Each __Value__ represents a comma separated list of the child patterns that should be shown nested under a given parent. Child patterns may contain several special tokens:\n- `${capture}`: Matches the resolved value of the `*` from the parent pattern\n- `${basename}`: Matches the parent file's basename, the `file` in `file.ts`\n- `${extname}`: Matches the parent file's extension, the `ts` in `file.ts`\n- `${dirname}`: Matches the parent file's directory name, the `src` in `src/file.ts`\n- `*`: Matches any string, may only be used once per child pattern", "Each key pattern may contain a single `*` character which will match any string." ], - "vs/workbench/contrib/sash/browser/sash.contribution": [ - "Controls the feedback area size in pixels of the dragging area in between views/editors. Set it to a larger value if you feel it's hard to resize views using the mouse.", - "Controls the hover feedback delay in milliseconds of the dragging area in between views/editors." - ], - "vs/workbench/contrib/scm/browser/scm.contribution": [ - "View icon of the Source Control view.", - "Source Control", - "No source control providers registered.", - "None of the registered source control providers work in Restricted Mode.", - "Manage Workspace Trust", - "Source Control", - "Source &&Control", - "Source Control Repositories", - "Source Control", - "Show the diff decorations in all available locations.", - "Show the diff decorations only in the editor gutter.", - "Show the diff decorations only in the overview ruler.", - "Show the diff decorations only in the minimap.", - "Do not show the diff decorations.", - "Controls diff decorations in the editor.", - "Controls the width(px) of diff decorations in gutter (added & modified).", - "Show the diff decorator in the gutter at all times.", - "Show the diff decorator in the gutter only on hover.", - "Controls the visibility of the Source Control diff decorator in the gutter.", - "Show the inline diff peek view on click.", - "Do nothing.", - "Controls the behavior of Source Control diff gutter decorations.", - "Controls whether a pattern is used for the diff decorations in gutter.", - "Use pattern for the diff decorations in gutter for added lines.", - "Use pattern for the diff decorations in gutter for modified lines.", - "Ignore leading and trailing whitespace.", - "Do not ignore leading and trailing whitespace.", - "Inherit from `diffEditor.ignoreTrimWhitespace`.", - "Controls whether leading and trailing whitespace is ignored in Source Control diff gutter decorations.", - "Controls whether inline actions are always visible in the Source Control view.", - "Show the sum of all Source Control Provider count badges.", - "Show the count badge of the focused Source Control Provider.", - "Disable the Source Control count badge.", - "Controls the count badge on the Source Control icon on the Activity Bar.", - "Hide Source Control Provider count badges.", - "Only show count badge for Source Control Provider when non-zero.", - "Show Source Control Provider count badges.", - "Controls the count badges on Source Control Provider headers. These headers only appear when there is more than one provider.", - "Show the repository changes as a tree.", - "Show the repository changes as a list.", - "Controls the default Source Control repository view mode.", - "Sort the repository changes by file name.", - "Sort the repository changes by path.", - "Sort the repository changes by Source Control status.", - "Controls the default Source Control repository changes sort order when viewed as a list.", - "Controls whether the Source Control view should automatically reveal and select files when opening them.", - "Controls the font for the input message. Use `default` for the workbench user interface font family, `editor` for the `#editor.fontFamily#`'s value, or a custom font family.", - "Controls the font size for the input message in pixels.", - "Controls whether repositories should always be visible in the Source Control view.", - "Repositories in the Source Control Repositories view are sorted by discovery time. Repositories in the Source Control view are sorted in the order that they were selected.", - "Repositories in the Source Control Repositories and Source Control views are sorted by repository name.", - "Repositories in the Source Control Repositories and Source Control views are sorted by repository path.", - "Controls the sort order of the repositories in the source control repositories view.", - "Controls how many repositories are visible in the Source Control Repositories section. Set to `0` to be able to manually resize the view.", - "Controls whether an action button can be shown in the Source Control view.", - "Source Control: Accept Input", - "Source Control: View Next Commit", - "Source Control: View Previous Commit", - "Open In Terminal" - ], "vs/workbench/contrib/search/browser/search.contribution": [ "Search", "Copy", @@ -16398,7 +16385,7 @@ "Search all files as you type.", "Enable seeding search from the word nearest the cursor when the active editor has no selection.", "Update the search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command.", - "When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled.", + "When {0} is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when {0} is disabled.", "Double clicking selects the word under the cursor.", "Double clicking opens the result in the active editor group.", "Double clicking opens the result in the editor group to the side, creating one if it does not yet exist.", @@ -16414,6 +16401,83 @@ "Controls sorting order of search results.", "Go to Symbol in &&Workspace..." ], + "vs/workbench/contrib/scm/browser/scm.contribution": [ + "View icon of the Source Control view.", + "Source Control", + "No source control providers registered.", + "None of the registered source control providers work in Restricted Mode.", + "Manage Workspace Trust", + "Source Control", + "Source &&Control", + "Source Control Repositories", + "Source Control", + "Show the diff decorations in all available locations.", + "Show the diff decorations only in the editor gutter.", + "Show the diff decorations only in the overview ruler.", + "Show the diff decorations only in the minimap.", + "Do not show the diff decorations.", + "Controls diff decorations in the editor.", + "Controls the width(px) of diff decorations in gutter (added & modified).", + "Show the diff decorator in the gutter at all times.", + "Show the diff decorator in the gutter only on hover.", + "Controls the visibility of the Source Control diff decorator in the gutter.", + "Show the inline diff peek view on click.", + "Do nothing.", + "Controls the behavior of Source Control diff gutter decorations.", + "Controls whether a pattern is used for the diff decorations in gutter.", + "Use pattern for the diff decorations in gutter for added lines.", + "Use pattern for the diff decorations in gutter for modified lines.", + "Ignore leading and trailing whitespace.", + "Do not ignore leading and trailing whitespace.", + "Inherit from `diffEditor.ignoreTrimWhitespace`.", + "Controls whether leading and trailing whitespace is ignored in Source Control diff gutter decorations.", + "Controls whether inline actions are always visible in the Source Control view.", + "Show the sum of all Source Control Provider count badges.", + "Show the count badge of the focused Source Control Provider.", + "Disable the Source Control count badge.", + "Controls the count badge on the Source Control icon on the Activity Bar.", + "Hide Source Control Provider count badges.", + "Only show count badge for Source Control Provider when non-zero.", + "Show Source Control Provider count badges.", + "Controls the count badges on Source Control Provider headers. These headers only appear when there is more than one provider.", + "Show the repository changes as a tree.", + "Show the repository changes as a list.", + "Controls the default Source Control repository view mode.", + "Sort the repository changes by file name.", + "Sort the repository changes by path.", + "Sort the repository changes by Source Control status.", + "Controls the default Source Control repository changes sort order when viewed as a list.", + "Controls whether the Source Control view should automatically reveal and select files when opening them.", + "Controls the font for the input message. Use `default` for the workbench user interface font family, `editor` for the `#editor.fontFamily#`'s value, or a custom font family.", + "Controls the font size for the input message in pixels.", + "Controls whether repositories should always be visible in the Source Control view.", + "Repositories in the Source Control Repositories view are sorted by discovery time. Repositories in the Source Control view are sorted in the order that they were selected.", + "Repositories in the Source Control Repositories and Source Control views are sorted by repository name.", + "Repositories in the Source Control Repositories and Source Control views are sorted by repository path.", + "Controls the sort order of the repositories in the source control repositories view.", + "Controls how many repositories are visible in the Source Control Repositories section. Set to `0` to be able to manually resize the view.", + "Controls whether an action button can be shown in the Source Control view.", + "Source Control: Accept Input", + "Source Control: View Next Commit", + "Source Control: View Previous Commit", + "Open In Terminal" + ], + "vs/workbench/contrib/bulkEdit/browser/bulkEditService": [ + "Made no edits", + "Made {0} text edits in {1} files", + "Made {0} text edits in one file", + "Made {0} text edits in {1} files, also created or deleted {2} files", + "Workspace Edit", + "Workspace Edit", + "Made no edits", + "File operation", + "Close Window", + "Change Workspace", + "Reload Window", + "Quit", + "Are you sure you want to {0}? '{1}' is in progress.", + "Controls if files that were part of a refactoring are saved automatically" + ], "vs/workbench/contrib/search/browser/searchView": [ "Search was canceled before any results could be found - ", "Toggle Search Details", @@ -16464,83 +16528,24 @@ "disable", "Search in entire workspace", "Copy current search results to an editor", - "Open in editor", - "{0} result in {1} file", - "{0} result in {1} files", - "{0} results in {1} file", - "{0} results in {1} files", - "You have not opened or specified a folder. Only open files are currently searched - ", - "Open Folder" - ], - "vs/workbench/contrib/debug/browser/callStackEditorContribution": [ - "Background color for the highlight of line at the top stack frame position.", - "Background color for the highlight of line at focused stack frame position." - ], - "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": [ - "Search Editor", - "Search Editor", - "Search Editor", - "Delete File Results", - "New Search Editor", - "Open Search Editor", - "Open new Search Editor to the Side", - "Open Results in Editor", - "Search Again", - "Focus Search Editor Input", - "Toggle Match Case", - "Toggle Match Whole Word", - "Toggle Use Regular Expression", - "Toggle Context Lines", - "Increase Context Lines", - "Decrease Context Lines", - "Select All Matches", - "Open New Search Editor" + "Open in editor", + "{0} result in {1} file", + "{0} result in {1} files", + "{0} results in {1} file", + "{0} results in {1} files", + "You have not opened or specified a folder. Only open files are currently searched - ", + "Open Folder" ], - "vs/workbench/contrib/debug/browser/breakpointEditorContribution": [ - "Logpoint", - "Breakpoint", - "This {0} has a {1} that will get lost on remove. Consider enabling the {0} instead.", - "message", - "condition", - "This {0} has a {1} that will get lost on remove. Consider disabling the {0} instead.", - "message", - "condition", - "Remove {0}", - "{0} {1}", - "Disable", - "Enable", - "Cancel", - "Logpoint", - "Breakpoint", - "Remove {0}", - "Edit {0}...", - "Disable {0}", - "Enable {0}", - "Remove Breakpoints", - "Remove Inline Breakpoint on Column {0}", - "Remove Line Breakpoint", - "Edit Breakpoints", - "Edit Inline Breakpoint on Column {0}", - "Edit Line Breakpoint", - "Enable/Disable Breakpoints", - "Disable Inline Breakpoint on Column {0}", - "Disable Line Breakpoint", - "Enable Inline Breakpoint on Column {0}", - "Enable Line Breakpoint", - "Add Breakpoint", - "Add Conditional Breakpoint...", - "Add Logpoint...", - "Run to Line", - "Icon color for breakpoints.", - "Icon color for disabled breakpoints.", - "Icon color for unverified breakpoints.", - "Icon color for the current breakpoint stack frame.", - "Icon color for all breakpoint stack frames." + "vs/workbench/contrib/sash/browser/sash.contribution": [ + "Controls the feedback area size in pixels of the dragging area in between views/editors. Set it to a larger value if you feel it's hard to resize views using the mouse.", + "Controls the hover feedback delay in milliseconds of the dragging area in between views/editors." ], "vs/workbench/contrib/debug/browser/debug.contribution": [ "Debug", "Type the name of a launch configuration to run.", "Start Debugging", + "Type the name of a debug console to open.", + "Show All Debug Consoles", "Terminate Thread", "Focus on Debug Console View", "Jump to Cursor", @@ -16635,42 +16640,118 @@ "Color for the debug inline value background.", "Add Configuration..." ], - "vs/workbench/contrib/debug/browser/repl": [ - "Filter (e.g. text, !exclude)", - "Debug Console", - "Please start a debug session to evaluate expressions", - "REPL Accept Input", - "REPL Focus Content to Filter", - "Debug: Console Copy All", - "Filter", - "Select Debug Console", - "Clear Console", - "Debug console was cleared", - "Collapse All", - "Paste", - "Copy All", - "Copy" + "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": [ + "Search Editor", + "Search Editor", + "Search Editor", + "Delete File Results", + "New Search Editor", + "Open Search Editor", + "Open new Search Editor to the Side", + "Open Results in Editor", + "Search Again", + "Focus Search Editor Input", + "Focus Search Editor Files to Include", + "Focus Search Editor Files to Exclude", + "Toggle Match Case", + "Toggle Match Whole Word", + "Toggle Use Regular Expression", + "Toggle Context Lines", + "Increase Context Lines", + "Decrease Context Lines", + "Select All Matches", + "Open New Search Editor" ], - "vs/workbench/contrib/debug/browser/debugViewlet": [ - "Open &&Configurations", - "Select a workspace folder to create a launch.json file in or add it to the workspace config file", - "Debug Console", - "Start Additional Session" + "vs/workbench/contrib/preferences/browser/preferences.contribution": [ + "Settings Editor 2", + "Keybindings Editor", + "Open Settings (UI)", + "Open User Settings (JSON)", + "Open Current Profile Settings (JSON)", + "Preferences", + "Settings", + "&&Settings", + "Open Settings (UI)", + "Open User Settings", + "Open Default Settings (JSON)", + "Open Settings (JSON)", + "Open Settings (JSON)", + "Open Workspace Settings", + "Open Workspace Settings (JSON)", + "Open Folder Settings", + "Open Folder Settings (JSON)", + "Open Folder Settings", + "&&Online Services Settings", + "Telemetry Settings", + "Show untrusted workspace settings", + "Open Remote Settings ({0})", + "Open Remote Settings (JSON) ({0})", + "Focus Settings Search", + "Clear Settings Search Results", + "Focus settings file", + "Focus settings file", + "Focus settings list", + "Focus Settings Table of Contents", + "Focus Setting Control", + "Show Setting Context Menu", + "Move Focus Up One Level", + "Preferences", + "Open Keyboard Shortcuts", + "Keyboard Shortcuts", + "Keyboard Shortcuts", + "Open Default Keyboard Shortcuts (JSON)", + "Open Keyboard Shortcuts (JSON)", + "Show Default Keybindings", + "Show Extension Keybindings", + "Show User Keybindings", + "Clear Search Results", + "Clear Keyboard Shortcuts Search History", + "&&Preferences" ], - "vs/workbench/contrib/comments/browser/comments.contribution": [ - "Comments", - "Controls when the comments panel should open.", - "This setting is deprecated in favor of `comments.openView`.", - "The comments view will never be opened.", - "The comments view will open when a file with comments is active.", - "If the comments view has not been opened yet during this session it will open the first time during a session that a file with comments is active.", - "Controls when the comments view should open.", - "Determines if relative time will be used in comment timestamps (ex. '1 day ago')." + "vs/workbench/contrib/debug/browser/breakpointEditorContribution": [ + "Logpoint", + "Breakpoint", + "This {0} has a {1} that will get lost on remove. Consider enabling the {0} instead.", + "message", + "condition", + "This {0} has a {1} that will get lost on remove. Consider disabling the {0} instead.", + "message", + "condition", + "Remove {0}", + "{0} {1}", + "Disable", + "Enable", + "Cancel", + "Logpoint", + "Breakpoint", + "Remove {0}", + "Edit {0}...", + "Disable {0}", + "Enable {0}", + "Remove Breakpoints", + "Remove Inline Breakpoint on Column {0}", + "Remove Line Breakpoint", + "Edit Breakpoints", + "Edit Inline Breakpoint on Column {0}", + "Edit Line Breakpoint", + "Enable/Disable Breakpoints", + "Disable Inline Breakpoint on Column {0}", + "Disable Line Breakpoint", + "Enable Inline Breakpoint on Column {0}", + "Enable Line Breakpoint", + "Add Breakpoint", + "Add Conditional Breakpoint...", + "Add Logpoint...", + "Run to Line", + "Icon color for breakpoints.", + "Icon color for disabled breakpoints.", + "Icon color for unverified breakpoints.", + "Icon color for the current breakpoint stack frame.", + "Icon color for all breakpoint stack frames." ], - "vs/workbench/contrib/url/browser/url.contribution": [ - "Open URL", - "URL to open", - "When enabled, trusted domain prompts will appear when opening links in trusted workspaces." + "vs/workbench/contrib/debug/browser/callStackEditorContribution": [ + "Background color for the highlight of line at the top stack frame position.", + "Background color for the highlight of line at focused stack frame position." ], "vs/workbench/contrib/markers/browser/markers.contribution": [ "View icon of the markers view.", @@ -16698,55 +16779,53 @@ "10K+", "Total {0} Problems" ], + "vs/workbench/contrib/debug/browser/debugViewlet": [ + "Open &&Configurations", + "Select a workspace folder to create a launch.json file in or add it to the workspace config file", + "Debug Console", + "Start Additional Session" + ], + "vs/workbench/contrib/debug/browser/repl": [ + "Filter (e.g. text, !exclude)", + "Debug Console", + "Please start a debug session to evaluate expressions", + "REPL Accept Input", + "REPL Focus Content to Filter", + "Debug: Console Copy All", + "Filter", + "Select Debug Console", + "Clear Console", + "Debug console was cleared", + "Collapse All", + "Paste", + "Copy All", + "Copy" + ], "vs/workbench/contrib/mergeEditor/browser/mergeEditor.contribution": [ - "Merge Editor", - "Switch to column view", - "Switch to 2 by 1 view", - "Open Merge Editor", - "Developer Merge Editor: Copy Contents of Inputs, Base and Result as JSON", - "Merge Editor", - "No active merge editor", - "Merge Editor", - "Successfully copied merge editor contents", - "Developer Merge Editor: Open Contents of Inputs, Base and Result from JSON", - "Enter JSON" + "Merge Editor" + ], + "vs/workbench/contrib/comments/browser/comments.contribution": [ + "Comments", + "Controls when the comments panel should open.", + "This setting is deprecated in favor of `comments.openView`.", + "The comments view will never be opened.", + "The comments view will open when a file with comments is active.", + "If the comments view has not been opened yet during this session it will open the first time during a session that a file with comments is active.", + "Controls when the comments view should open.", + "Determines if relative time will be used in comment timestamps (ex. '1 day ago')." ], "vs/workbench/contrib/webview/browser/webview.contribution": [ "Cut", "Copy", "Paste" ], - "vs/workbench/contrib/output/browser/outputView": [ - "{0} - Output", - "Output channel for '{0}'", - "Output", - "{0}, Output panel", - "Output panel", - "Output Channels", - "Log ({0})" - ], - "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": [ - "webview editor" - ], - "vs/workbench/contrib/output/browser/output.contribution": [ - "View icon of the output view.", - "Output", - "Output", - "&&Output", - "Log Viewer", - "Switch to Output", - "Clear Output", - "Output was cleared", - "Toggle Auto Scrolling", - "Turn Auto Scrolling Off", - "Turn Auto Scrolling On", - "Open Log Output File", - "Show Logs...", - "Select Log", - "Open Log File...", - "Select Log file", - "Output", - "Enable/disable the ability of smart scrolling in the output view. Smart scrolling allows you to lock scrolling automatically when you click in the output view and unlocks when you click in the last line." + "vs/workbench/contrib/url/browser/url.contribution": [ + "Open URL", + "URL to open", + "When enabled, trusted domain prompts will appear when opening links in trusted workspaces." + ], + "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": [ + "webview editor" ], "vs/workbench/contrib/extensions/browser/extensionsViewlet": [ "Installed", @@ -16774,6 +16853,7 @@ "Limited in Restricted Mode", "Disabled in Virtual Workspaces", "Limited in Virtual Workspaces", + "Deprecated", "Search Extensions in Marketplace", "1 extension found in the {0} section.", "1 extension found.", @@ -16810,6 +16890,7 @@ "Enable web worker extension host.", "Override the virtual workspaces support of an extension.", "Configure an extension to execute in a different extension host process.", + "When enabled, the extension host will be launched using the new UtilityProcess Electron API.", "Override the untrusted workspace support of an extension. Extensions using `true` will always be enabled. Extensions using `limited` will always be enabled, and the extension will hide functionality that requires trust. Extensions using `false` will only be enabled only when the workspace is trusted.", "Extension will always be enabled.", "Extension will only be enabled only when the workspace is trusted.", @@ -16821,6 +16902,7 @@ "When enabled, VS Code installs only newly added extensions from the extension pack VSIX. This option is considered only while installing a VSIX.", "When enabled, VS Code installs the pre-release version of the extension if available.", "When enabled, VS Code do not sync this extension when Settings Sync is on.", + "Context for the installation. This is a JSON object that can be used to pass any information to the installation handlers. i.e. `{skipWalkthrough: true}` will skip opening the walkthrough upon install.", "Extension '{0}' not found.", "Uninstall the given extension", "Id of the extension to uninstall", @@ -16918,6 +17000,63 @@ "Extensions", "Extensions" ], + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": [ + "Another refactoring is being previewed.", + "Continue", + "Cancel", + "Press 'Continue' to discard the previous refactoring and continue with the current refactoring.", + "Apply Refactoring", + "Refactor Preview", + "Discard Refactoring", + "Refactor Preview", + "Toggle Change", + "Refactor Preview", + "Group Changes By File", + "Refactor Preview", + "Group Changes By Type", + "Refactor Preview", + "Group Changes By Type", + "Refactor Preview", + "View icon of the refactor preview view.", + "Refactor Preview", + "Refactor Preview" + ], + "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": [ + "Open in Terminal", + "Open in Integrated Terminal", + "Open in Integrated Terminal", + "Open in Windows Terminal", + "Open in External Terminal" + ], + "vs/workbench/contrib/output/browser/outputView": [ + "{0} - Output", + "Output channel for '{0}'", + "Output", + "{0}, Output panel", + "Output panel", + "Output Channels", + "Log ({0})" + ], + "vs/workbench/contrib/output/browser/output.contribution": [ + "View icon of the output view.", + "Output", + "Output", + "&&Output", + "Log Viewer", + "Switch to Output", + "Clear Output", + "Output was cleared", + "Toggle Auto Scrolling", + "Turn Auto Scrolling Off", + "Turn Auto Scrolling On", + "Open Log Output File", + "Show Logs...", + "Select Log", + "Open Log File...", + "Select Log file", + "Output", + "Enable/disable the ability of smart scrolling in the output view. Smart scrolling allows you to lock scrolling automatically when you click in the output view and unlocks when you click in the last line." + ], "vs/workbench/contrib/relauncher/browser/relauncher.contribution": [ "A setting has changed that requires a restart to take effect.", "A setting has changed that requires a reload to take effect.", @@ -16926,12 +17065,60 @@ "&&Restart", "&&Reload" ], - "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": [ - "Open in Terminal", - "Open in Integrated Terminal", - "Open in Integrated Terminal", - "Open in Windows Terminal", - "Open in External Terminal" + "vs/workbench/contrib/remote/common/remote.contribution": [ + "Remote Server", + "Remote Pty Host", + "Workspace does not exist", + "The workspace does not exist. Please select another workspace to open.", + "&&Open Workspace...", + "&&Cancel", + "Connection: Trigger Reconnect", + "Connection: Pause socket writing", + "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.", + "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.", + "Remote", + "Override the kind of an extension. `ui` extensions are installed and run on the local machine while `workspace` extensions are run on the remote. By overriding an extension's default kind using this setting, you specify if that extension should be installed and enabled locally or remotely.", + "Restores the ports you forwarded in a workspace.", + "When enabled, new running processes are detected and ports that they listen on are automatically forwarded. Disabling this setting will not prevent all ports from being forwarded. Even when disabled, extensions will still be able to cause ports to be forwarded, and opening some URLs will still cause ports to forwarded.", + "Sets the source from which ports are automatically forwarded when {0} is true. On Windows and Mac remotes, the `process` option has no effect and `output` will be used. Requires a reload to take effect.", + "Ports will be automatically forwarded when discovered by watching for processes that are started and include a port.", + "Ports will be automatically forwarded when discovered by reading terminal and debug output. Not all processes that use ports will print to the integrated terminal or debug console, so some ports will be missed. Ports forwarded based on output will not be \"un-forwarded\" until reload or until the port is closed by the user in the Ports view.", + "A port, range of ports (ex. \"40000-55000\"), host and port (ex. \"db:1234\"), or regular expression (ex. \".+\\\\/server.js\"). For a port number or range, the attributes will apply to that port number or range of port numbers. Attributes which use a regular expression will apply to ports whose associated process command line matches the expression.", + "Shows a notification when a port is automatically forwarded.", + "Opens the browser when the port is automatically forwarded. Depending on your settings, this could open an embedded browser.", + "Opens the browser when the port is automatically forwarded, but only the first time the port is forward during a session. Depending on your settings, this could open an embedded browser.", + "Opens a preview in the same window when the port is automatically forwarded.", + "Shows no notification and takes no action when this port is automatically forwarded.", + "This port will not be automatically forwarded.", + "Defines the action that occurs when the port is discovered for automatic forwarding", + "Automatically prompt for elevation (if needed) when this port is forwarded. Elevate is required if the local port is a privileged port.", + "Label that will be shown in the UI for this port.", + "Application", + "When true, a modal dialog will show if the chosen local port isn't used for forwarding.", + "The protocol to use when forwarding this port.", + "Application", + "Set properties that are applied when a specific port number is forwarded. For example:\n\n```\n\"3000\": {\n \"label\": \"Application\"\n},\n\"40000-55000\": {\n \"onAutoForward\": \"ignore\"\n},\n\".+\\\\/server.js\": {\n \"onAutoForward\": \"openPreview\"\n}\n```", + "Must be a port number, range of port numbers, or regular expression.", + "Shows a notification when a port is automatically forwarded.", + "Opens the browser when the port is automatically forwarded. Depending on your settings, this could open an embedded browser.", + "Opens a preview in the same window when the port is automatically forwarded.", + "Shows no notification and takes no action when this port is automatically forwarded.", + "This port will not be automatically forwarded.", + "Defines the action that occurs when the port is discovered for automatic forwarding", + "Automatically prompt for elevation (if needed) when this port is forwarded. Elevate is required if the local port is a privileged port.", + "Label that will be shown in the UI for this port.", + "Application", + "When true, a modal dialog will show if the chosen local port isn't used for forwarding.", + "The protocol to use when forwarding this port.", + "Set default properties that are applied to all ports that don't get properties from the setting {0}. For example:\n\n```\n{\n \"onAutoForward\": \"ignore\"\n}\n```", + "Specifies the local host name that will be used for port forwarding." + ], + "vs/workbench/contrib/terminal/browser/terminal.contribution": [ + "Type the name of a terminal to open.", + "Show All Opened Terminals", + "Terminal", + "Terminal", + "&&Terminal" ], "vs/workbench/contrib/terminal/browser/terminalView": [ "Use 'monospace'", @@ -16942,13 +17129,6 @@ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": [ "Toggle Keyboard Shortcuts Troubleshooting" ], - "vs/workbench/contrib/terminal/browser/terminal.contribution": [ - "Type the name of a terminal to open.", - "Show All Opened Terminals", - "Terminal", - "Terminal", - "&&Terminal" - ], "vs/workbench/contrib/tasks/browser/task.contribution": [ "Building...", "Running Tasks", @@ -16987,60 +17167,54 @@ "Controls whether to show the task detail for tasks that have a detail in task quick picks, such as Run Task.", "Controls whether the task quick pick is skipped when there is only one task to pick from.", "Causes the Tasks: Run Task command to use the slower \"show all\" behavior instead of the faster two level picker where tasks are grouped by provider.", + "Always", + "Prompt for permission for each folder", + "Never", + "Enable automatic tasks in the folder.", + "Shows decorations at points of interest in the terminal buffer such as the first problem found via a watch task. Note that this will only take effect for future tasks.", + "On window reload, reconnect to running watch/background tasks. Note that this is experimental, so you could encounter issues.", "Save all dirty editors before running a task.", "Always saves all editors before running.", "Never saves editors before running.", "Prompts whether to save editors before running." ], - "vs/workbench/contrib/remote/common/remote.contribution": [ - "Remote Server", - "Workspace does not exist", - "The workspace does not exist. Please select another workspace to open.", - "&&Open Workspace...", - "&&Cancel", - "Connection: Trigger Reconnect", - "Connection: Pause socket writing", - "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.", - "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.", - "Remote", - "Override the kind of an extension. `ui` extensions are installed and run on the local machine while `workspace` extensions are run on the remote. By overriding an extension's default kind using this setting, you specify if that extension should be installed and enabled locally or remotely.", - "Restores the ports you forwarded in a workspace.", - "When enabled, new running processes are detected and ports that they listen on are automatically forwarded. Disabling this setting will not prevent all ports from being forwarded. Even when disabled, extensions will still be able to cause ports to be forwarded, and opening some URLs will still cause ports to forwarded.", - "Sets the source from which ports are automatically forwarded when `remote.autoForwardPorts` is true. On Windows and Mac remotes, the `process` option has no effect and `output` will be used. Requires a reload to take effect.", - "Ports will be automatically forwarded when discovered by watching for processes that are started and include a port.", - "Ports will be automatically forwarded when discovered by reading terminal and debug output. Not all processes that use ports will print to the integrated terminal or debug console, so some ports will be missed. Ports forwarded based on output will not be \"un-forwarded\" until reload or until the port is closed by the user in the Ports view.", - "A port, range of ports (ex. \"40000-55000\"), host and port (ex. \"db:1234\"), or regular expression (ex. \".+\\\\/server.js\"). For a port number or range, the attributes will apply to that port number or range of port numbers. Attributes which use a regular expression will apply to ports whose associated process command line matches the expression.", - "Shows a notification when a port is automatically forwarded.", - "Opens the browser when the port is automatically forwarded. Depending on your settings, this could open an embedded browser.", - "Opens the browser when the port is automatically forwarded, but only the first time the port is forward during a session. Depending on your settings, this could open an embedded browser.", - "Opens a preview in the same window when the port is automatically forwarded.", - "Shows no notification and takes no action when this port is automatically forwarded.", - "This port will not be automatically forwarded.", - "Defines the action that occurs when the port is discovered for automatic forwarding", - "Automatically prompt for elevation (if needed) when this port is forwarded. Elevate is required if the local port is a privileged port.", - "Label that will be shown in the UI for this port.", - "Application", - "When true, a modal dialog will show if the chosen local port isn't used for forwarding.", - "The protocol to use when forwarding this port.", - "Application", - "Set properties that are applied when a specific port number is forwarded. For example:\n\n```\n\"3000\": {\n \"label\": \"Application\"\n},\n\"40000-55000\": {\n \"onAutoForward\": \"ignore\"\n},\n\".+\\\\/server.js\": {\n \"onAutoForward\": \"openPreview\"\n}\n```", - "Must be a port number, range of port numbers, or regular expression.", - "Shows a notification when a port is automatically forwarded.", - "Opens the browser when the port is automatically forwarded. Depending on your settings, this could open an embedded browser.", - "Opens a preview in the same window when the port is automatically forwarded.", - "Shows no notification and takes no action when this port is automatically forwarded.", - "This port will not be automatically forwarded.", - "Defines the action that occurs when the port is discovered for automatic forwarding", - "Automatically prompt for elevation (if needed) when this port is forwarded. Elevate is required if the local port is a privileged port.", - "Label that will be shown in the UI for this port.", - "Application", - "When true, a modal dialog will show if the chosen local port isn't used for forwarding.", - "The protocol to use when forwarding this port.", - "Set default properties that are applied to all ports that don't get properties from the setting `remote.portsAttributes`. For example:\n\n```\n{\n \"onAutoForward\": \"ignore\"\n}\n```", - "Specifies the local host name that will be used for port forwarding." + "vs/workbench/contrib/themes/browser/themes.contribution": [ + "Icon for the 'Manage' action in the theme selection quick pick.", + "Type to Search More. Select to Install. Up/Down Keys to Preview", + "Installing Extension {0}...", + "Color Theme", + "Install Additional Color Themes...", + "Browse Additional Color Themes...", + "Select Color Theme (Up/Down Keys to Preview)", + "light themes", + "dark themes", + "high contrast themes", + "File Icon Theme", + "Install Additional File Icon Themes...", + "Select File Icon Theme (Up/Down Keys to Preview)", + "file icon themes", + "None", + "Disable File Icons", + "Product Icon Theme", + "Install Additional Product Icon Themes...", + "Browse Additional Product Icon Themes...", + "Select Product Icon Theme (Up/Down Keys to Preview)", + "product icon themes", + "Default", + "Manage Extension", + "Generate Color Theme From Current Settings", + "Toggle between Light/Dark Themes", + "&&Color Theme", + "File &&Icon Theme", + "&&Product Icon Theme", + "Color Theme", + "File Icon Theme", + "Product Icon Theme" ], "vs/workbench/contrib/snippets/browser/snippets.contribution": [ + "Controls if surround-with-snippets or file template snippets show as code actions.", "The prefix to use when selecting the snippet in intellisense", + "The snippet is meant to populate or replace a whole file", "The snippet content. Use `$1`, `${1:defaultText}` to define cursor positions, use `$0` for the final cursor position. Insert variable values with `${varName}` and `${varName:defaultText}`, e.g. `This is file: $TM_FILENAME`.", "The snippet description.", "Empty snippet", @@ -17049,66 +17223,16 @@ "User snippet configuration", "A list of language names to which this snippet applies, e.g. 'typescript,javascript'." ], - "vs/workbench/contrib/snippets/browser/surroundWithSnippet": [ - "Surround With Snippet..." - ], - "vs/workbench/contrib/snippets/browser/configureSnippets": [ - "(global)", - "({0})", - "Type snippet file name", - "Invalid file name", - "'{0}' is not a valid file name", - "'{0}' already exists", - "Configure User Snippets", - "User Snippets", - "User &&Snippets", - "global", - "New Global Snippets file...", - "{0} workspace", - "New Snippets file for '{0}'...", - "Existing Snippets", - "New Snippets", - "New Snippets", - "Select Snippets File or Create Snippets" - ], - "vs/workbench/contrib/snippets/browser/insertSnippet": [ - "Insert Snippet" - ], - "vs/workbench/contrib/snippets/browser/snippetsService": [ - "Expected string in `contributes.{0}.path`. Provided value: {1}", - "When omitting the language, the value of `contributes.{0}.path` must be a `.code-snippets`-file. Provided value: {1}", - "Unknown language in `contributes.{0}.language`. Provided value: {1}", - "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.", - "Contributes snippets.", - "Language identifier for which this snippet is contributed to.", - "Path of the snippets file. The path is relative to the extension folder and typically starts with './snippets/'.", - "One or more snippets from the extension '{0}' very likely confuse snippet-variables and snippet-placeholders (see https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax for more details)", - "The snippet file \"{0}\" could not be read." - ], "vs/workbench/contrib/inlayHints/browser/inlayHintsAccessibilty": [ "Whether the current line and its inlay hints are currently focused", "Code with Inlay Hint Information", "Read Line With Inline Hints", "Stop Inlay Hints Reading" ], - "vs/workbench/contrib/update/browser/update.contribution": [ - "Download Update", - "Install Update", - "Restart to Update", - "&&Release Notes" - ], - "vs/workbench/contrib/welcomeOverlay/browser/welcomeOverlay": [ - "File explorer", - "Search across files", - "Source code management", - "Launch and debug", - "Manage extensions", - "View errors and warnings", - "Toggle integrated terminal", - "Find and run all commands", - "Show notifications", - "User Interface Overview", - "Hide Interface Overview" + "vs/workbench/contrib/surveys/browser/ces.contribution": [ + "Got a moment to help the VS Code team? Please tell us about your experience with VS Code so far.", + "Give Feedback", + "Remind Me later" ], "vs/workbench/contrib/surveys/browser/nps.contribution": [ "Do you mind taking a quick feedback survey?", @@ -17116,6 +17240,15 @@ "Remind Me later", "Don't Show Again" ], + "vs/workbench/contrib/update/browser/update.contribution": [ + "Download Update", + "Install Update", + "Restart to Update", + "&&Release Notes", + "Apply Update...", + "Apply Update", + "&&Update" + ], "vs/workbench/contrib/watermark/browser/watermark": [ "Show All Commands", "Go to File", @@ -17131,60 +17264,6 @@ "Show Settings", "When enabled, will show the watermark tips when no editor is open." ], - "vs/workbench/contrib/themes/browser/themes.contribution": [ - "Icon for the 'Manage' action in the theme selection quick pick.", - "Type to Search More. Select to Install. Up/Down Keys to Preview", - "Installing Extension {0}...", - "Color Theme", - "Install Additional Color Themes...", - "Browse Additional Color Themes...", - "Select Color Theme (Up/Down Keys to Preview)", - "light themes", - "dark themes", - "high contrast themes", - "File Icon Theme", - "Install Additional File Icon Themes...", - "Select File Icon Theme (Up/Down Keys to Preview)", - "file icon themes", - "None", - "Disable File Icons", - "Product Icon Theme", - "Install Additional Product Icon Themes...", - "Browse Additional Product Icon Themes...", - "Select Product Icon Theme (Up/Down Keys to Preview)", - "product icon themes", - "Default", - "Manage Extension", - "Generate Color Theme From Current Settings", - "&&Color Theme", - "File &&Icon Theme", - "&&Product Icon Theme", - "Color Theme", - "File Icon Theme", - "Product Icon Theme" - ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted.contribution": [ - "Get Started", - "Help", - "Get Started", - "Get Started", - "Go Back", - "Mark Step Complete", - "Mark Step Incomplete", - "Open Walkthrough...", - "Open Walkthrough...", - "The platform of the current workspace, which in remote or serverless contexts may be different from the platform of the UI", - "When enabled, an extension's walkthrough will open upon install of the extension.", - "When enabled, the get started page has additional links to video tutorials.", - "Start without an editor.", - "Open the Welcome page, with content to aid in getting started with VS Code and extensions.", - "Open the README when opening a folder that contains one, fallback to 'welcomePage' otherwise. Note: This is only observed as a global configuration, it will be ignored if set in a workspace or folder configuration.", - "Open a new untitled file (only applies when opening an empty window).", - "Open the Welcome page when opening an empty workbench.", - "Controls which editor is shown at startup, if none are restored from the previous session.", - "Deprecated, use the global `workbench.reduceMotion`.", - "When enabled, reduce motion in welcome page." - ], "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": [ "Help us improve our support for {0}", "Take Short Survey", @@ -17195,32 +17274,18 @@ "Playground", "Editor Playgrou&&nd" ], - "vs/workbench/contrib/surveys/browser/ces.contribution": [ - "Got a moment to help the VS Code team? Please tell us about your experience with VS Code so far.", - "Give Feedback", - "Remind Me later" - ], - "vs/workbench/contrib/welcomeViews/common/newFile.contribution": [ - "Built-In", - "Create", - "New File...", - "Create New...", - "File", - "Notebook", - "Configure Keybinding", - "Text File" - ], - "vs/workbench/contrib/typeHierarchy/browser/typeHierarchy.contribution": [ - "Whether a type hierarchy provider is available", - "Whether type hierarchy peek is currently showing", - "whether type hierarchy shows super types or subtypes", - "No results", - "Failed to show type hierarchy", - "Peek Type Hierarchy", - "Show Supertypes", - "Show Subtypes", - "Refocus Type Hierarchy", - "Close" + "vs/workbench/contrib/welcomeOverlay/browser/welcomeOverlay": [ + "File explorer", + "Search across files", + "Source code management", + "Launch and debug", + "Manage extensions", + "View errors and warnings", + "Toggle integrated terminal", + "Find and run all commands", + "Show notifications", + "User Interface Overview", + "Hide Interface Overview" ], "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": [ "Whether a call hierarchy provider is available", @@ -17236,6 +17301,28 @@ "Refocus Call Hierarchy", "Close" ], + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted.contribution": [ + "Get Started", + "Help", + "Get Started", + "Get Started", + "Go Back", + "Mark Step Complete", + "Mark Step Incomplete", + "Open Walkthrough...", + "Open Walkthrough...", + "The platform of the current workspace, which in remote or serverless contexts may be different from the platform of the UI", + "When enabled, an extension's walkthrough will open upon install of the extension.", + "When enabled, the get started page has additional links to video tutorials.", + "Start without an editor.", + "Open the Welcome page, with content to aid in getting started with VS Code and extensions.", + "Open the README when opening a folder that contains one, fallback to 'welcomePage' otherwise. Note: This is only observed as a global configuration, it will be ignored if set in a workspace or folder configuration.", + "Open a new untitled file (only applies when opening an empty window).", + "Open the Welcome page when opening an empty workbench.", + "Controls which editor is shown at startup, if none are restored from the previous session.", + "Deprecated, use the global `workbench.reduceMotion`.", + "When enabled, reduce motion in welcome page." + ], "vs/workbench/contrib/outline/browser/outline.contribution": [ "View icon of the outline view.", "Outline", @@ -17271,12 +17358,39 @@ "When enabled outline shows `operator`-symbols.", "When enabled outline shows `typeParameter`-symbols." ], + "vs/workbench/contrib/languageDetection/browser/languageDetection.contribution": [ + "Accept Detected Language: {0}", + "Language Detection", + "Change to Detected Language: {0}", + "Detect Language from Content", + "Unable to detect editor language" + ], + "vs/workbench/contrib/welcomeViews/common/newFile.contribution": [ + "Built-In", + "Create", + "New File...", + "Select File Type...", + "File", + "Notebook", + "Configure Keybinding", + "New File ({0})", + "Text File" + ], + "vs/workbench/contrib/typeHierarchy/browser/typeHierarchy.contribution": [ + "Whether a type hierarchy provider is available", + "Whether type hierarchy peek is currently showing", + "whether type hierarchy shows super types or subtypes", + "No results", + "Failed to show type hierarchy", + "Peek Type Hierarchy", + "Show Supertypes", + "Show Subtypes", + "Refocus Type Hierarchy", + "Close" + ], "vs/workbench/contrib/experiments/browser/experiments.contribution": [ "Fetches experiments to run from a Microsoft online service." ], - "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsOutline": [ - "Document Symbols" - ], "vs/workbench/contrib/languageStatus/browser/languageStatus.contribution": [ "Editor Language Status", "Editor Language Status: {0}", @@ -17288,6 +17402,43 @@ "Reset Language Status Interaction Counter", "View" ], + "vs/workbench/contrib/timeline/browser/timeline.contribution": [ + "View icon of the timeline view.", + "Icon for the open timeline action.", + "Timeline", + "An array of Timeline sources that should be excluded from the Timeline view.", + "The number of items to show in the Timeline view by default and when loading more items. Setting to `null` (the default) will automatically choose a page size based on the visible area of the Timeline view.", + "Experimental. Controls whether the Timeline view will load the next page of items when you scroll to the end of the list.", + "Open Timeline", + "Icon for the filter timeline action.", + "Filter Timeline" + ], + "vs/workbench/contrib/editSessions/browser/editSessions.contribution": [ + "Continue Edit Session...", + "Open In Local Folder", + "Show Edit Sessions", + "Resume Latest Edit Session", + "Resuming edit session...", + "Store Current Edit Session", + "Storing edit session...", + "There are no edit sessions to resume.", + "Could not resume edit session contents for ID {0}.", + "Please upgrade to a newer version of {0} to resume this edit session.", + "Resuming your edit session may overwrite your existing uncommitted changes. Do you want to proceed?", + "Failed to resume your edit session.", + "Skipped storing edit session as there are no edits to store.", + "Your edit session exceeds the size limit and cannot be stored.", + "Your edit session cannot be stored.", + "Select a local folder to continue your edit session in", + "Continue Edit Session...", + "Choose how you would like to continue working", + "Open In Local Folder", + "Contributes options for continuing the current edit session in a different environment", + "Identifier of the command to execute. The command must be declared in the 'commands'-section and return a URI representing a different environment where the current edit session can be continued.", + "Group into which this item belongs.", + "Condition which must be true to show this item.", + "Controls whether to display cloud-enabled actions to store and resume uncommitted changes when switching between web, desktop, or devices." + ], "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": [ "Settings sync is suspended temporarily because the current device is making too many requests. Please reload {0} to resume.", "Settings sync is suspended temporarily because the current device is making too many requests. Please restart {0} to resume.", @@ -17299,19 +17450,27 @@ "Settings Sync. Operation Id: {0}", "Show Log" ], - "vs/workbench/contrib/languageDetection/browser/languageDetection.contribution": [ - "Accept Detected Language: {0}", - "Language Detection", - "Change to Detected Language: {0}", - "Detect Language from Content", - "Unable to detect editor language" + "vs/workbench/contrib/audioCues/browser/audioCues.contribution": [ + "Enable audio cue when a screen reader is attached.", + "Enable audio cue.", + "Disable audio cue.", + "The volume of the audio cues in percent (0-100).", + "Plays a sound when the active line has a breakpoint.", + "Plays a sound when the active line has an inline suggestion.", + "Plays a sound when the active line has an error.", + "Plays a sound when the active line has a folded area that can be unfolded.", + "Plays a sound when the active line has a warning.", + "Plays a sound when the debugger stopped on a breakpoint.", + "Plays a sound when trying to read a line with inlay hints that has no inlay hints." ], - "vs/workbench/contrib/workspaces/browser/workspaces.contribution": [ - "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.", - "Open Workspace", - "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.", - "Select Workspace", - "Select a workspace to open" + "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsOutline": [ + "Document Symbols" + ], + "vs/workbench/contrib/deprecatedExtensionMigrator/browser/deprecatedExtensionMigrator.contribution": [ + "The extension 'Bracket pair Colorizer' got disabled because it was deprecated.", + "Uninstall Extension", + "Enable Native Bracket Pair Colorization", + "More Info" ], "vs/workbench/contrib/workspace/browser/workspace.contribution": [ "You are trying to open untrusted files in a workspace which is trusted.", @@ -17385,55 +17544,70 @@ "Always open untrusted files in a separate window in restricted mode without prompting.", "Controls whether or not the empty window is trusted by default within VS Code. When used with `#{0}#`, you can enable the full functionality of VS Code without prompting in an empty window." ], - "vs/workbench/contrib/audioCues/browser/audioCues.contribution": [ - "Enable audio cue when a screen reader is attached.", - "Enable audio cue.", - "Disable audio cue.", - "The volume of the audio cues in percent (0-100).", - "Plays a sound when the active line has a breakpoint.", - "Plays a sound when the active line has an inline suggestion.", - "Plays a sound when the active line has an error.", - "Plays a sound when the active line has a folded area that can be unfolded.", - "Plays a sound when the active line has a warning.", - "Plays a sound when the debugger stopped on a breakpoint.", - "Plays a sound when trying to read a line with inlay hints that has no inlay hints." + "vs/workbench/contrib/workspaces/browser/workspaces.contribution": [ + "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.", + "Open Workspace", + "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.", + "Select Workspace", + "Select a workspace to open" ], - "vs/workbench/contrib/timeline/browser/timeline.contribution": [ - "View icon of the timeline view.", - "Icon for the open timeline action.", - "Timeline", - "An array of Timeline sources that should be excluded from the Timeline view.", - "The number of items to show in the Timeline view by default and when loading more items. Setting to `null` (the default) will automatically choose a page size based on the visible area of the Timeline view.", - "Experimental. Controls whether the Timeline view will load the next page of items when you scroll to the end of the list.", - "Open Timeline", - "Icon for the filter timeline action.", - "Filter Timeline" + "vs/workbench/electron-sandbox/window": [ + "Learn More", + "Writing login information to the keychain failed with error '{0}'.", + "Troubleshooting Guide", + "Proxy Authentication Required", + "&&Log In", + "&&Cancel", + "Username", + "Password", + "The proxy {0} requires a username and password.", + "Remember my credentials", + "Are you sure you want to quit?", + "Are you sure you want to exit?", + "Are you sure you want to close the window?", + "&&Quit", + "&&Exit", + "&&Close Window", + "Do not ask me again", + "Error: {0}", + "The following operations are still running: \n{0}", + "An unexpected error prevented the window to close", + "An unexpected error prevented the application to quit", + "An unexpected error prevented the window to reload", + "An unexpected error prevented to change the workspace", + "Closing the window is taking a bit longer...", + "Quitting the application is taking a bit longer...", + "Reloading the window is taking a bit longer...", + "Changing the workspace is taking a bit longer...", + "Close Anyway", + "Quit Anyway", + "Reload Anyway", + "Change Anyway", + "It is not recommended to run {0} as root user.", + "There is a dependency cycle in the AMD modules that needs to be resolved!" + ], + "vs/workbench/browser/workbench": [ + "Failed to load a required file. Please restart the application to try again. Details: {0}" + ], + "vs/platform/workspace/common/workspace": [ + "Code Workspace" ], - "vs/workbench/services/textfile/browser/textFileService": [ - "File Created", - "File Replaced", - "Text File Model Decorations", - "Deleted, Read Only", - "Read Only", - "Deleted", - "File seems to be binary and cannot be opened as text", - "'{0}' already exists. Do you want to replace it?", - "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.", - "&&Replace" + "vs/workbench/services/configuration/browser/configurationService": [ + "Contribute defaults for configurations", + "Experiments" ], - "vs/platform/dialogs/common/dialogs": [ - "...1 additional file not shown", - "...{0} additional files not shown" + "vs/workbench/services/remote/electron-sandbox/remoteAgentService": [ + "Open Developer Tools", + "Open in browser", + "Failed to connect to the remote extension host server (Error: {0})" ], - "vs/workbench/services/userDataSync/common/userDataSync": [ - "Settings", - "Keyboard Shortcuts", - "User Snippets", - "User Tasks", - "Extensions", - "UI State", - "Settings Sync", - "View icon of the Settings Sync view." + "vs/platform/workspace/common/workspaceTrust": [ + "Trusted", + "Restricted Mode" + ], + "vs/workbench/services/userDataProfile/common/userDataProfile": [ + "Settings Profiles", + "Settings Profile" ], "vs/workbench/electron-sandbox/actions/developerActions": [ "Toggle Developer Tools", @@ -17441,14 +17615,12 @@ "Toggle Shared Process", "Reload With Extensions Disabled" ], - "vs/platform/contextkey/common/contextkeys": [ - "Whether the operating system is macOS", - "Whether the operating system is Linux", - "Whether the operating system is Windows", - "Whether the platform is a web browser", - "Whether the operating system is macOS on a non-browser platform", - "Whether the operating system is iOS", - "Whether keyboard focus is inside an input box" + "vs/workbench/electron-sandbox/actions/installActions": [ + "Shell Command", + "Install '{0}' command in PATH", + "Shell command '{0}' successfully installed in PATH.", + "Uninstall '{0}' command from PATH", + "Shell command '{0}' successfully uninstalled from PATH." ], "vs/workbench/electron-sandbox/actions/windowActions": [ "Close Window", @@ -17467,6 +17639,18 @@ "Switch Window...", "Quick Switch Window..." ], + "vs/platform/configuration/common/configurationRegistry": [ + "Default Language Configuration Overrides", + "Configure settings to be overridden for the {0} language.", + "Configure editor settings to be overridden for a language.", + "This setting does not support per-language configuration.", + "Configure editor settings to be overridden for a language.", + "This setting does not support per-language configuration.", + "Cannot register an empty property", + "Cannot register '{0}'. This matches property pattern '\\\\[.*\\\\]$' for describing language specific editor settings. Use 'configurationDefaults' contribution.", + "Cannot register '{0}'. This property is already registered.", + "Cannot register '{0}'. The associated policy {1} is already registered with {2}." + ], "vs/workbench/common/contextkeys": [ "The kind of workspace opened in the window, either 'empty' (no workspace), 'folder' (single folder) or 'workspace' (multi-root workspace)", "The number of root folders in the workspace", @@ -17516,7 +17700,7 @@ "Whether the panel is visible", "Whether the panel is maximized", "The identifier of the view that has keyboard focus", - "The scheme of the rsource", + "The scheme of the resource", "The file name of the resource", "The folder name the resource is contained in", "The full path of the resource", @@ -17526,63 +17710,61 @@ "Whether a resource is present or not", "Whether the resource is backed by a file system provider" ], - "vs/workbench/browser/workbench": [ - "Failed to load a required file. Please restart the application to try again. Details: {0}" + "vs/platform/contextkey/common/contextkeys": [ + "Whether the operating system is macOS", + "Whether the operating system is Linux", + "Whether the operating system is Windows", + "Whether the platform is a web browser", + "Whether the operating system is macOS on a non-browser platform", + "Whether the operating system is iOS", + "Quality type of VS Code", + "Whether keyboard focus is inside an input box" ], - "vs/workbench/electron-sandbox/window": [ - "Learn More", - "Writing login information to the keychain failed with error '{0}'.", - "Troubleshooting Guide", - "Proxy Authentication Required", - "&&Log In", - "&&Cancel", - "Username", - "Password", - "The proxy {0} requires a username and password.", - "Remember my credentials", - "Are you sure you want to quit?", - "Are you sure you want to exit?", - "Are you sure you want to close the window?", - "&&Quit", - "&&Exit", - "&&Close Window", - "Do not ask me again", - "Error: {0}", - "The following operations are still running: \n{0}", - "An unexpected error prevented the window to close", - "An unexpected error prevented the application to quit", - "An unexpected error prevented the window to reload", - "An unexpected error prevented to change the workspace", - "Closing the window is taking a bit longer...", - "Quitting the application is taking a bit longer...", - "Reloading the window is taking a bit longer...", - "Changing the workspace is taking a bit longer...", - "Close Anyway", - "Quit Anyway", - "Reload Anyway", - "Change Anyway", - "It is not recommended to run {0} as root user.", - "There is a dependency cycle in the AMD modules that needs to be resolved!" + "vs/platform/userDataSync/common/keybindingsSync": [ + "Unable to sync keybindings because the content in the file is not valid. Please open the file and correct it.", + "Unable to sync keybindings because the content in the file is not valid. Please open the file and correct it." ], - "vs/workbench/electron-sandbox/actions/installActions": [ - "Shell Command", - "Install '{0}' command in PATH", - "Shell command '{0}' successfully installed in PATH.", - "Uninstall '{0}' command from PATH", - "Shell command '{0}' successfully uninstalled from PATH." + "vs/platform/userDataSync/common/settingsSync": [ + "Unable to sync settings as there are errors/warning in settings file." ], - "vs/workbench/services/configuration/browser/configurationService": [ - "Contribute defaults for configurations", - "Experiments" + "vs/workbench/services/userDataSync/common/userDataSync": [ + "Settings", + "Keyboard Shortcuts", + "User Snippets", + "User Tasks", + "Extensions", + "UI State", + "Settings Sync", + "View icon of the Settings Sync view." ], - "vs/workbench/services/remote/electron-sandbox/remoteAgentService": [ - "Open Developer Tools", - "Open in browser", - "Failed to connect to the remote extension host server (Error: {0})" + "vs/platform/dialogs/common/dialogs": [ + "...1 additional file not shown", + "...{0} additional files not shown" ], - "vs/platform/workspace/common/workspaceTrust": [ - "Trusted", - "Restricted Mode" + "vs/workbench/services/textfile/browser/textFileService": [ + "File Created", + "File Replaced", + "Text File Model Decorations", + "Deleted, Read Only", + "Read Only", + "Deleted", + "File seems to be binary and cannot be opened as text", + "'{0}' already exists. Do you want to replace it?", + "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.", + "&&Replace" + ], + "vs/workbench/services/textMate/browser/abstractTextMateService": [ + "Already Logging.", + "Stop", + "Preparing to log TM Grammar parsing. Press Stop when finished.", + "Now logging TM Grammar parsing. Press Stop when finished.", + "Unknown language in `contributes.{0}.language`. Provided value: {1}", + "Expected string in `contributes.{0}.scopeName`. Provided value: {1}", + "Expected string in `contributes.{0}.path`. Provided value: {1}", + "Invalid value in `contributes.{0}.injectTo`. Must be an array of language scope names. Provided value: {1}", + "Invalid value in `contributes.{0}.embeddedLanguages`. Must be an object map from scope name to language. Provided value: {1}", + "Invalid value in `contributes.{0}.tokenTypes`. Must be an object map from scope name to token type. Provided value: {1}", + "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable." ], "vs/workbench/browser/parts/dialogs/dialogHandler": [ "&&Yes", @@ -17598,37 +17780,6 @@ "OK", "&&Copy" ], - "vs/workbench/services/dialogs/browser/abstractFileDialogService": [ - "Your changes will be lost if you don't save them.", - "Do you want to save the changes you made to {0}?", - "Do you want to save the changes to the following {0} files?", - "&&Save All", - "&&Save", - "Do&&n't Save", - "Cancel", - "Open File Or Folder", - "Open File", - "Open Folder", - "Open Workspace from File", - "Workspace", - "Save As", - "Save As", - "All Files", - "No Extension" - ], - "vs/workbench/services/textMate/browser/abstractTextMateService": [ - "Already Logging.", - "Stop", - "Preparing to log TM Grammar parsing. Press Stop when finished.", - "Now logging TM Grammar parsing. Press Stop when finished.", - "Unknown language in `contributes.{0}.language`. Provided value: {1}", - "Expected string in `contributes.{0}.scopeName`. Provided value: {1}", - "Expected string in `contributes.{0}.path`. Provided value: {1}", - "Invalid value in `contributes.{0}.injectTo`. Must be an array of language scope names. Provided value: {1}", - "Invalid value in `contributes.{0}.embeddedLanguages`. Must be an object map from scope name to language. Provided value: {1}", - "Invalid value in `contributes.{0}.tokenTypes`. Must be an object map from scope name to token type. Provided value: {1}", - "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable." - ], "vs/platform/theme/common/colorRegistry": [ "Overall foreground color. This color is only used if not overridden by a component.", "Overall foreground for disabled elements. This color is only used if not overridden by a component.", @@ -17672,6 +17823,7 @@ "Foreground color of checkbox widget.", "Border color of checkbox widget.", "Button foreground color.", + "Button separator color.", "Button background color.", "Button background color when hovering.", "Button border color.", @@ -17699,6 +17851,8 @@ "Border color of active sashes.", "Editor background color.", "Editor default foreground color.", + "Sticky scroll background color for the editor", + "Sticky scroll on hover background color for the editor", "Background color of editor widgets, such as find/replace.", "Foreground color of editor widgets, such as find/replace.", "Border color of editor widgets. The color is only used if the widget chooses to have a border and if the color is not overridden by a widget.", @@ -17754,6 +17908,7 @@ "List/Tree background color for the focused item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.", "List/Tree foreground color for the focused item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.", "List/Tree outline color for the focused item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.", + "List/Tree outline color for the focused item when the list/tree is active and selected. An active list/tree has keyboard focus, an inactive does not.", "List/Tree background color for the selected item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.", "List/Tree foreground color for the selected item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.", "List/Tree icon foreground color for the selected item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.", @@ -17773,6 +17928,7 @@ "Background color of the type filter widget in lists and trees.", "Outline color of the type filter widget in lists and trees.", "Outline color of the type filter widget in lists and trees, when there are no matches.", + "Shadown color of the type filter widget in lists and trees.", "Background color of the filtered match.", "Border color of the filtered match.", "Tree stroke color for the indentation guides.", @@ -17836,6 +17992,27 @@ "The green color used in chart visualizations.", "The purple color used in chart visualizations." ], + "vs/workbench/services/dialogs/browser/abstractFileDialogService": [ + "Your changes will be lost if you don't save them.", + "Do you want to save the changes you made to {0}?", + "Do you want to save the changes to the following {0} files?", + "&&Save All", + "&&Save", + "Do&&n't Save", + "Cancel", + "Open File Or Folder", + "Open File", + "Open Folder", + "Open Workspace from File", + "Workspace", + "Save As", + "Save As", + "All Files", + "No Extension" + ], + "vs/base/common/actions": [ + "(empty)" + ], "vs/workbench/common/theme": [ "Active tab background color in an active group. Tabs are the containers for editors in the editor area. Multiple tabs can be opened in one editor group. There can be multiple editor groups.", "Active tab background color in an unfocused group. Tabs are the containers for editors in the editor area. Multiple tabs can be opened in one editor group. There can be multiple editor groups.", @@ -17959,20 +18136,6 @@ "Unable to write into workspace configuration file because the file has unsaved changes. Please save it and try again.", "Open Workspace Configuration" ], - "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": [ - "Can't install pre-release version of '{0}' extension because it is not compatible with the current version of {1} (version {2}).", - "Can't install release version of '{0}' extension because it has no release version.", - "Can't install '{0}' extension because it is not compatible with the current version of {1} (version {2})." - ], - "vs/workbench/services/configurationResolver/browser/baseConfigurationResolverService": [ - "Cannot substitute command variable '{0}' because command did not return a result of type string.", - "Variable '{0}' must be defined in an '{1}' section of the debug or task configuration.", - "Input variable '{0}' is of type '{1}' and must include '{2}'.", - "(Default)", - "Cannot substitute input variable '{0}' because command '{1}' did not return a result of type string.", - "Input variable '{0}' can only be of type 'promptString', 'pickString', or 'command'.", - "Undefined input variable '{0}' encountered. Remove or define '{0}' to continue." - ], "vs/workbench/services/extensionManagement/common/extensionManagementService": [ "Cannot uninstall extension '{0}'. Extension '{1}' depends on this.", "Cannot uninstall extension '{0}'. Extensions '{1}' and '{2}' depend on this.", @@ -18003,28 +18166,24 @@ "Show Extensions", "Cancel" ], - "vs/workbench/services/workingCopy/common/workingCopyHistoryService": [ - "File Saved", - "File Moved", - "File Renamed" + "vs/workbench/services/configurationResolver/browser/baseConfigurationResolverService": [ + "Cannot substitute command variable '{0}' because command did not return a result of type string.", + "Variable '{0}' must be defined in an '{1}' section of the debug or task configuration.", + "Input variable '{0}' is of type '{1}' and must include '{2}'.", + "(Default)", + "Cannot substitute input variable '{0}' because command '{1}' did not return a result of type string.", + "Input variable '{0}' can only be of type 'promptString', 'pickString', or 'command'.", + "Undefined input variable '{0}' encountered. Remove or define '{0}' to continue." ], "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupTracker": [ "The following editors with unsaved changes could not be saved to the back up location.", "The following editors with unsaved changes could not be saved or reverted.", - "Try saving or reverting the editors with unsaved changes first and then try again.", - "Backing up editors with unsaved changes is taking a bit longer...", - "Click 'Cancel' to stop waiting and to save or revert editors with unsaved changes.", - "Saving editors with unsaved changes is taking a bit longer...", - "Reverting editors with unsaved changes is taking a bit longer...", - "Discarding backups is taking a bit longer..." - ], - "vs/workbench/browser/editor": [ - "{0}, preview", - "{0}, pinned" - ], - "vs/workbench/common/editor": [ - "Text Editor", - "Built-in" + "Try saving or reverting the editors with unsaved changes first and then try again.", + "Backing up editors with unsaved changes is taking a bit longer...", + "Click 'Cancel' to stop waiting and to save or revert editors with unsaved changes.", + "Saving editors with unsaved changes is taking a bit longer...", + "Reverting editors with unsaved changes is taking a bit longer...", + "Discarding backups is taking a bit longer..." ], "vs/workbench/common/actions": [ "View", @@ -18037,12 +18196,159 @@ "Open Logs Folder", "Open Extension Logs Folder" ], - "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": [ - "Paste Selection Clipboard" + "vs/workbench/services/workingCopy/common/workingCopyHistoryService": [ + "File Saved", + "File Moved", + "File Renamed" + ], + "vs/editor/common/editorContextKeys": [ + "Whether the editor text has focus (cursor is blinking)", + "Whether the editor or an editor widget has focus (e.g. focus is in the find widget)", + "Whether an editor or a rich text input has focus (cursor is blinking)", + "Whether the editor is read only", + "Whether the context is a diff editor", + "Whether `editor.columnSelection` is enabled", + "Whether the editor has text selected", + "Whether the editor has multiple selections", + "Whether `Tab` will move focus out of the editor", + "Whether the editor hover is visible", + "Whether the editor is part of a larger editor (e.g. notebooks)", + "The language identifier of the editor", + "Whether the editor has a completion item provider", + "Whether the editor has a code actions provider", + "Whether the editor has a code lens provider", + "Whether the editor has a definition provider", + "Whether the editor has a declaration provider", + "Whether the editor has an implementation provider", + "Whether the editor has a type definition provider", + "Whether the editor has a hover provider", + "Whether the editor has a document highlight provider", + "Whether the editor has a document symbol provider", + "Whether the editor has a reference provider", + "Whether the editor has a rename provider", + "Whether the editor has a signature help provider", + "Whether the editor has an inline hints provider", + "Whether the editor has a document formatting provider", + "Whether the editor has a document selection formatting provider", + "Whether the editor has multiple document formatting providers", + "Whether the editor has multiple document selection formatting providers" + ], + "vs/workbench/common/editor": [ + "Text Editor", + "Built-in" + ], + "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": [ + "Can't install pre-release version of '{0}' extension because it is not compatible with the current version of {1} (version {2}).", + "Can't install release version of '{0}' extension because it has no release version.", + "Can't install '{0}' extension because it is not compatible with the current version of {1} (version {2})." + ], + "vs/workbench/services/extensions/electron-sandbox/electronExtensionService": [ + "Extension host cannot start: version mismatch.", + "Relaunch VS Code", + "The extension host terminated unexpectedly. Restarting...", + "Extension host terminated unexpectedly 3 times within the last 5 minutes.", + "Open Developer Tools", + "Restart Extension Host", + "Could not fetch remote environment", + "The following extensions contain dependency loops and have been disabled: {0}", + "Extension '{0}' is required to open the remote window.\nOK to enable?", + "Enable and Reload", + "Extension '{0}' is required to open the remote window.\nDo you want to install the extension?", + "Install and Reload", + "`{0}` not found on marketplace", + "Restart Extension Host" ], "vs/workbench/contrib/codeEditor/electron-sandbox/startDebugTextMate": [ "Start Text Mate Syntax Grammar Logging" ], + "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": [ + "Paste Selection Clipboard" + ], + "vs/workbench/contrib/localization/electron-sandbox/minimalTranslations": [ + "Search language packs in the Marketplace to change the display language to {0}.", + "Search Marketplace", + "Install language pack to change the display language to {0}.", + "Install and Restart" + ], + "vs/workbench/contrib/localization/browser/localizationsActions": [ + "Configure Display Language", + "Select Display Language", + "Installed", + "Available", + "Clear Display Language Preference" + ], + "vs/workbench/contrib/localization/electron-sandbox/localeService": [ + "Unable to write display language. Please open the runtime settings, correct errors/warnings in it and try again.", + "Open Runtime Settings", + "Installing {0} language support...", + "To change the display language, {0} needs to restart", + "Press the restart button to restart {0} and set the display language to {1}.", + "&&Restart" + ], + "vs/workbench/contrib/files/electron-sandbox/textFileEditor": [ + "To open a file of this size, you need to restart and allow {0} to use more memory", + "Restart with {0} MB", + "Configure Memory Limit" + ], + "vs/workbench/browser/editor": [ + "{0}, preview", + "{0}, pinned" + ], + "vs/workbench/services/dialogs/browser/simpleFileDialog": [ + "Open Local File...", + "Save Local File...", + "Open Local Folder...", + "Open Local...", + "File system provider for {0} is not available.", + "Show Local", + "The path does not exist.", + "Cancel", + "Please enter a valid path.", + "The folder already exists. Please use a new file name.", + "{0} already exists. Are you sure you want to overwrite it?", + "Please enter a valid file name.", + "Please enter a path that exists.", + "Please enter a path that exists.", + "Please start the path with a drive letter.", + "Please select a file.", + "Please select a folder." + ], + "vs/workbench/contrib/extensions/electron-sandbox/runtimeExtensionsEditor": [ + "Start Extension Host Profile", + "Stop Extension Host Profile", + "Save Extension Host Profile", + "Save Extension Host Profile", + "Save" + ], + "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": [ + "Running Extensions" + ], + "vs/workbench/contrib/issue/electron-sandbox/issueActions": [ + "Open Process Explorer", + "Report Performance Issue..." + ], + "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": [ + "Open Extensions Folder" + ], + "vs/workbench/contrib/extensions/electron-sandbox/debugExtensionHostAction": [ + "Start Debugging Extension Host", + "Profile Extensions", + "In order to profile extensions a restart is required. Do you want to restart '{0}' now?", + "&&Restart", + "&&Cancel", + "Attach Extension Host" + ], + "vs/workbench/contrib/extensions/electron-sandbox/extensionProfileService": [ + "Extension Profiler", + "Profiling Extension Host", + "Profiling Extension Host", + "Click to stop profiling.", + "Profiling Extension Host ({0} sec)", + "Profile Extensions", + "In order to profile extensions a restart is required. Do you want to restart '{0}' now?", + "&&Restart", + "&&Cancel" + ], "vs/workbench/services/extensions/common/extensionsRegistry": [ "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.", "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.", @@ -18117,121 +18423,11 @@ "Script executed before the package is published as a VS Code extension.", "Uninstall hook for VS Code extension. Script that gets executed when the extension is completely uninstalled from VS Code which is when VS Code is restarted (shutdown and start) after the extension is uninstalled. Only Node scripts are supported.", "The path to a 128x128 pixel icon.", - "API proposals that the respective extensions can freely use." - ], - "vs/workbench/contrib/files/electron-sandbox/textFileEditor": [ - "To open a file of this size, you need to restart and allow {0} to use more memory", - "Restart with {0} MB", - "Configure Memory Limit" - ], - "vs/workbench/contrib/localization/browser/localizationsActions": [ - "&&Restart", - "Configure Display Language", - "Select Display Language", - "Installed languages", - "Available languages", - "A restart is required for the change in display language to take effect.", - "Press the restart button to restart {0} and change the display language.", - "Clear Display Language Preference", - "A restart is required for the change in display language to take effect.", - "Press the restart button to restart {0} and change the display language." - ], - "vs/workbench/contrib/localization/electron-sandbox/minimalTranslations": [ - "Search language packs in the Marketplace to change the display language to {0}.", - "Search Marketplace", - "Install language pack to change the display language to {0}.", - "Install and Restart" - ], - "vs/workbench/contrib/issue/electron-sandbox/issueActions": [ - "Open Process Explorer", - "Report Performance Issue..." - ], - "vs/workbench/contrib/extensions/electron-sandbox/runtimeExtensionsEditor": [ - "Start Extension Host Profile", - "Stop Extension Host Profile", - "Save Extension Host Profile", - "Save Extension Host Profile", - "Save" - ], - "vs/editor/common/editorContextKeys": [ - "Whether the editor text has focus (cursor is blinking)", - "Whether the editor or an editor widget has focus (e.g. focus is in the find widget)", - "Whether an editor or a rich text input has focus (cursor is blinking)", - "Whether the editor is read only", - "Whether the context is a diff editor", - "Whether `editor.columnSelection` is enabled", - "Whether the editor has text selected", - "Whether the editor has multiple selections", - "Whether `Tab` will move focus out of the editor", - "Whether the editor hover is visible", - "Whether the editor is part of a larger editor (e.g. notebooks)", - "The language identifier of the editor", - "Whether the editor has a completion item provider", - "Whether the editor has a code actions provider", - "Whether the editor has a code lens provider", - "Whether the editor has a definition provider", - "Whether the editor has a declaration provider", - "Whether the editor has an implementation provider", - "Whether the editor has a type definition provider", - "Whether the editor has a hover provider", - "Whether the editor has a document highlight provider", - "Whether the editor has a document symbol provider", - "Whether the editor has a reference provider", - "Whether the editor has a rename provider", - "Whether the editor has a signature help provider", - "Whether the editor has an inline hints provider", - "Whether the editor has a document formatting provider", - "Whether the editor has a document selection formatting provider", - "Whether the editor has multiple document formatting providers", - "Whether the editor has multiple document selection formatting providers" - ], - "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": [ - "Open Extensions Folder" - ], - "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": [ - "Running Extensions" - ], - "vs/workbench/contrib/extensions/electron-sandbox/debugExtensionHostAction": [ - "Start Debugging Extension Host", - "Profile Extensions", - "In order to profile extensions a restart is required. Do you want to restart '{0}' now?", - "&&Restart", - "&&Cancel", - "Attach Extension Host" - ], - "vs/workbench/contrib/extensions/electron-sandbox/extensionsAutoProfiler": [ - "The extension '{0}' took a very long time to complete its last operation and it has prevented other extensions from running.", - "Show Extensions" - ], - "vs/workbench/contrib/extensions/electron-sandbox/extensionProfileService": [ - "Extension Profiler", - "Profiling Extension Host", - "Profiling Extension Host", - "Click to stop profiling.", - "Profiling Extension Host ({0} sec)", - "Profile Extensions", - "In order to profile extensions a restart is required. Do you want to restart '{0}' now?", - "&&Restart", - "&&Cancel" - ], - "vs/workbench/services/dialogs/browser/simpleFileDialog": [ - "Open Local File...", - "Save Local File...", - "Open Local Folder...", - "Open Local...", - "File system provider for {0} is not available.", - "Show Local", - "The path does not exist.", - "Cancel", - "Please enter a valid path.", - "The folder already exists. Please use a new file name.", - "{0} already exists. Are you sure you want to overwrite it?", - "Please enter a valid file name.", - "Please enter a path that exists.", - "Please enter a path that exists.", - "Please start the path with a drive letter.", - "Please select a file.", - "Please select a folder." + "API proposals that the respective extensions can freely use." + ], + "vs/workbench/contrib/extensions/electron-sandbox/extensionsAutoProfiler": [ + "The extension '{0}' took a very long time to complete its last operation and it has prevented other extensions from running.", + "Show Extensions" ], "vs/workbench/contrib/terminal/common/terminal": [ "Terminal", @@ -18258,40 +18454,125 @@ "A final restart is required to continue to use '{0}'. Again, thank you for your contribution.", "&&Restart" ], + "vs/workbench/contrib/webview/electron-sandbox/webviewCommands": [ + "Open Webview Developer Tools", + "Using standard dev tools to debug iframe based webview" + ], + "vs/base/common/date": [ + "in {0}", + "now", + "{0} second ago", + "{0} sec ago", + "{0} seconds ago", + "{0} secs ago", + "{0} second", + "{0} sec", + "{0} seconds", + "{0} secs", + "{0} minute ago", + "{0} min ago", + "{0} minutes ago", + "{0} mins ago", + "{0} minute", + "{0} min", + "{0} minutes", + "{0} mins", + "{0} hour ago", + "{0} hr ago", + "{0} hours ago", + "{0} hrs ago", + "{0} hour", + "{0} hr", + "{0} hours", + "{0} hrs", + "{0} day ago", + "{0} days ago", + "{0} day", + "{0} days", + "{0} week ago", + "{0} wk ago", + "{0} weeks ago", + "{0} wks ago", + "{0} week", + "{0} wk", + "{0} weeks", + "{0} wks", + "{0} month ago", + "{0} mo ago", + "{0} months ago", + "{0} mos ago", + "{0} month", + "{0} mo", + "{0} months", + "{0} mos", + "{0} year ago", + "{0} yr ago", + "{0} years ago", + "{0} yrs ago", + "{0} year", + "{0} yr", + "{0} years", + "{0} yrs" + ], + "vs/workbench/contrib/localHistory/electron-sandbox/localHistoryCommands": [ + "Reveal in File Explorer", + "Reveal in Finder", + "Open Containing Folder" + ], + "vs/workbench/contrib/terminal/common/terminalContextKey": [ + "Whether the terminal is focused.", + "Whether a terminal in the editor area is focused.", + "The current number of terminals.", + "Whether the terminal tabs widget is focused.", + "The shell type of the active terminal, this is set to the last known value when no terminals exist.", + "Whether the terminal's alt buffer is active.", + "Whether the terminal view is showing", + "Whether text is selected in the active terminal.", + "Whether terminal processes can be launched in the current workspace.", + "Whether one terminal is selected in the terminal tabs list.", + "Whether the focused tab's terminal is a split terminal.", + "Whether the terminal run command picker is currently open.", + "Whether shell integration is enabled in the active terminal" + ], "vs/workbench/contrib/tasks/common/tasks": [ "Whether a task is currently running.", "Tasks", "Error: the task identifier '{0}' is missing the required property '{1}'. The task identifier will be ignored." ], + "vs/workbench/contrib/tasks/common/taskService": [ + "Whether CustomExecution tasks are supported. Consider using in the when clause of a 'taskDefinition' contribution.", + "Whether ShellExecution tasks are supported. Consider using in the when clause of a 'taskDefinition' contribution.", + "Whether the task commands have been registered yet", + "Whether ProcessExecution tasks are supported. Consider using in the when clause of a 'taskDefinition' contribution." + ], + "vs/workbench/common/views": [ + "Default view icon.", + "A view with id '{0}' is already registered" + ], "vs/workbench/contrib/tasks/browser/terminalTaskSystem": [ "A unknown error has occurred while executing a task. See task output log for details.", "There are issues with task \"{0}\". See the output for more details.", "There is a dependency cycle. See task \"{0}\".", "Couldn't resolve dependent task '{0}' in workspace folder '{1}'", "Task {0} is a background task but uses a problem matcher without a background pattern", - "Press any key to close the terminal.", - "Terminal will be reused by tasks, press any key to close it.", + "Executing task in folder {0}: {1}", + "Executing task: {0}", + "Executing task in folder {0}: {1}", + "Executing task: {0}", + "Executing task: {0}", "Can't execute a shell command on an UNC drive using cmd.exe.", - "Problem matcher {0} can't be resolved. The matcher will be ignored" - ], - "vs/workbench/common/views": [ - "Default view icon.", - "A view with id '{0}' is already registered" - ], - "vs/workbench/contrib/tasks/common/taskService": [ - "Whether CustomExecution tasks are supported. Consider using in the when clause of a 'taskDefinition' contribution.", - "Whether ShellExecution tasks are supported. Consider using in the when clause of a 'taskDefinition' contribution.", - "Whether ProcessExecution tasks are supported. Consider using in the when clause of a 'taskDefinition' contribution." - ], - "vs/workbench/contrib/localHistory/electron-sandbox/localHistoryCommands": [ - "Reveal in File Explorer", - "Reveal in Finder", - "Open Containing Folder" + "Problem matcher {0} can't be resolved. The matcher will be ignored", + "Press any key to close the terminal.", + "Terminal will be reused by tasks, press any key to close it." ], "vs/workbench/contrib/tasks/browser/abstractTaskService": [ "Configure Task", "Tasks", "Select the build task (there is no default build task defined)", + "Filters the tasks shown in the quickpick", + "The task's label or a term to filter by", + "The contributed task type", + "The task's label or a term to filter by", "There are task errors. See the output for details.", "Show output", "The folder {0} is ignored since it uses task version 0.1.0", @@ -18341,8 +18622,10 @@ "Don't Show Again", "Listing and running tasks requires that some of the files in this workspace be executed as code.", "Select the task to run", - "$(plus) Configure a Task", - "$(plus) Configure a Task", + "Select the task to run", + "Configure a Task", + "Select the task to run", + "Configure a Task", "Fetching build tasks...", "Select the build task to run", "No build task to run found. Configure Build Task...", @@ -18362,6 +18645,7 @@ "Open tasks.json file", "Select a task to configure", "{0} is already marked as the default build task", + "Select a task to configure", "Select the task to be used as the default build task", "{0} is already marked as the default test task.", "Select the task to be used as the default test task", @@ -18372,204 +18656,234 @@ "Open diff", "Open diffs" ], - "vs/workbench/contrib/webview/electron-sandbox/webviewCommands": [ - "Open Webview Developer Tools", - "Using standard dev tools to debug iframe based webview" + "vs/workbench/api/common/extHostExtensionService": [ + "Cannot load test runner.", + "Path {0} does not point to a valid extension test runner." ], - "vs/workbench/services/extensions/common/abstractExtensionService": [ - "The following extensions contain dependency loops and have been disabled: {0}", - "No extension host found that can launch the test runner at {0}.", - "The remote extension host terminated unexpectedly. Restarting...", - "Remote Extension host terminated unexpectedly 3 times within the last 5 minutes.", - "Restart Remote Extension Host" + "vs/workbench/api/common/extHostWorkspace": [ + "Extension '{0}' failed to update workspace folders: {1}" ], - "vs/workbench/contrib/terminal/common/terminalContextKey": [ - "Whether the terminal is focused.", - "Whether a terminal in the editor area is focused.", - "The current number of terminals.", - "Whether the terminal tabs widget is focused.", - "The shell type of the active terminal, this is set to the last known value when no terminals exist.", - "Whether the terminal's alt buffer is active.", - "Whether the terminal view is showing", - "Whether text is selected in the active terminal.", - "Whether terminal processes can be launched in the current workspace.", - "Whether one terminal is selected in the terminal tabs list.", - "Whether the focused tab's terminal is a split terminal." + "vs/workbench/api/common/extHostTerminalService": [ + "Could not find the terminal with id {0} on the extension host" ], - "vs/workbench/services/extensions/electron-sandbox/cachedExtensionScanner": [ - "Extensions have been modified on disk. Please reload the window.", - "Reload Window" + "vs/base/node/processes": [ + "Can't execute a shell command on a UNC drive." ], - "vs/workbench/services/extensions/electron-sandbox/localProcessExtensionHost": [ - "Extension host did not start in 10 seconds, it might be stopped on the first line and needs a debugger to continue.", - "Extension host did not start in 10 seconds, that might be a problem.", - "Reload Window", - "Extension Host", - "Error from the extension host: {0}", - "Terminating extension debug session" + "vs/platform/terminal/node/terminalProcess": [ + "Starting directory (cwd) \"{0}\" is not a directory", + "Starting directory (cwd) \"{0}\" does not exist", + "Path to shell executable \"{0}\" is not a file or a symlink", + "Path to shell executable \"{0}\" does not exist" ], - "vs/workbench/services/extensions/common/remoteExtensionHost": [ - "Remote Extension Host" + "vs/platform/shell/node/shellEnv": [ + "Unable to resolve your shell environment in a reasonable time. Please review your shell configuration.", + "Unable to resolve your shell environment: {0}", + "Unexpected exit code from spawned shell (code {0}, signal {1})" ], - "vs/workbench/services/extensions/browser/webWorkerExtensionHost": [ - "Worker Extension Host" + "vs/platform/dialogs/electron-main/dialogMainService": [ + "Open", + "Open Folder", + "Open File", + "Open Workspace from File", + "&&Open" ], - "vs/workbench/contrib/debug/common/abstractDebugAdapter": [ - "Timeout after {0} ms for '{1}'" + "vs/platform/externalTerminal/node/externalTerminalService": [ + "VS Code Console", + "Script '{0}' failed with exit code {1}", + "'{0}' not supported", + "Press any key to continue...", + "'{0}' failed with exit code {1}", + "can't find terminal application '{0}'" ], - "vs/workbench/services/configurationResolver/common/variableResolver": [ - "Variable {0} can not be resolved. Please open an editor.", - "Variable {0}: can not find workspace folder of '{1}'.", - "Variable {0} can not be resolved. No such folder '{1}'.", - "Variable {0} can not be resolved in a multi folder workspace. Scope this variable using ':' and a workspace folder name.", - "Variable {0} can not be resolved. Please open a folder.", - "Variable {0} can not be resolved because no environment variable name is given.", - "Variable {0} can not be resolved because setting '{1}' not found.", - "Variable {0} can not be resolved because '{1}' is a structured value.", - "Variable {0} can not be resolved because no settings name is given.", - "Variable {0} can not be resolved because the extension {1} is not installed.", - "Variable {0} can not be resolved because no extension name is given.", - "Variable {0} can not be resolved. UserHome path is not defined", - "Variable {0} can not be resolved. Make sure to have a line selected in the active editor.", - "Variable {0} can not be resolved. Make sure to have some text selected in the active editor.", - "Variable {0} can not be resolved because the command has no value." + "vs/platform/files/electron-main/diskFileSystemProviderServer": [ + "Failed to move '{0}' to the recycle bin", + "Failed to move '{0}' to the trash" ], - "vs/platform/menubar/electron-main/menubar": [ - "New &&Window", - "&&File", - "&&Edit", - "&&Selection", - "&&View", - "&&Go", - "&&Run", - "&&Terminal", - "Window", - "&&Help", - "About {0}", - "&&Preferences", - "Services", - "Hide {0}", - "Hide Others", - "Show All", - "Quit {0}", - "&&Quit", + "vs/platform/issue/electron-main/issueMainService": [ + "Local", + "There is too much data to send to GitHub directly. The data will be copied to the clipboard, please paste it into the GitHub issue page that is opened.", + "&&OK", "&&Cancel", - "Are you sure you want to quit?", - "Minimize", - "Zoom", - "Bring All to Front", - "Switch &&Window...", - "New Tab", - "Show Previous Tab", - "Show Next Tab", - "Move Tab to New Window", - "Merge All Windows", - "Check for &&Updates...", - "Checking for Updates...", - "D&&ownload Available Update", - "Downloading Update...", - "Install &&Update...", - "Installing Update...", - "Restart to &&Update" + "Your input will not be saved. Are you sure you want to close this window?", + "&&Yes", + "&&Cancel", + "Issue Reporter", + "Process Explorer" + ], + "vs/platform/native/electron-main/nativeHostMainService": [ + "{0} will now prompt with 'osascript' for Administrator privileges to install the shell command.", + "&&OK", + "&&Cancel", + "Unable to install the shell command '{0}'.", + "{0} will now prompt with 'osascript' for Administrator privileges to uninstall the shell command.", + "&&OK", + "&&Cancel", + "Unable to uninstall the shell command '{0}'.", + "Unable to find shell script in '{0}'" + ], + "vs/platform/workspaces/electron-main/workspacesHistoryMainService": [ + "New Window", + "Opens a new window", + "Recent Folders & Workspaces", + "Recent Folders", + "Untitled (Workspace)", + "{0} (Workspace)" ], - "vs/platform/windows/electron-main/window": [ - "&&Reopen", - "&&Keep Waiting", - "&&Close", - "The window is not responding", - "You can reopen or close the window or keep waiting.", - "Don't restore editors", - "The window has crashed", - "The window has crashed (reason: '{0}', code: '{1}')", - "&&Reopen", - "&&Close", - "We are sorry for the inconvenience. You can reopen the window to continue where you left off.", - "Don't restore editors", - "You can still access the menu bar by pressing the Alt-key." + "vs/platform/windows/electron-main/windowsMainService": [ + "&&OK", + "Path does not exist", + "URI can not be opened", + "The path '{0}' does not exist on this computer.", + "The URI '{0}' is not valid and can not be opened." ], - "vs/workbench/contrib/debug/node/debugAdapter": [ - "Debug adapter executable '{0}' does not exist.", - "Cannot determine executable for debug adapter '{0}'.", - "Unable to launch debug adapter from '{0}'.", - "Unable to launch debug adapter." + "vs/platform/workspaces/electron-main/workspacesManagementMainService": [ + "&&OK", + "Unable to save workspace '{0}'", + "The workspace is already opened in another window. Please close that window first and then try again." ], - "vs/platform/terminal/common/terminalProfiles": [ - "Automatically detect the default" + "vs/platform/files/common/io": [ + "To open a file of this size, you need to restart and allow to use more memory", + "File is too large to open" ], - "vs/platform/userDataSync/common/abstractSynchronizer": [ - "Cannot sync {0} as its local version {1} is not compatible with its remote version {2}", - "Cannot parse sync data as it is not compatible with the current version." + "vs/workbench/api/node/extHostDebugService": [ + "Debug Process" ], - "vs/editor/common/core/editorColorRegistry": [ - "Background color for the highlight of line at the cursor position.", - "Background color for the border around the line at the cursor position.", - "Background color of highlighted ranges, like by quick open and find features. The color must not be opaque so as not to hide underlying decorations.", - "Background color of the border around highlighted ranges.", - "Background color of highlighted symbol, like for go to definition or go next/previous symbol. The color must not be opaque so as not to hide underlying decorations.", - "Background color of the border around highlighted symbols.", - "Color of the editor cursor.", - "The background color of the editor cursor. Allows customizing the color of a character overlapped by a block cursor.", - "Color of whitespace characters in the editor.", - "Color of the editor indentation guides.", - "Color of the active editor indentation guides.", - "Color of editor line numbers.", - "Color of editor active line number", - "Id is deprecated. Use 'editorLineNumber.activeForeground' instead.", - "Color of editor active line number", - "Color of the editor rulers.", - "Foreground color of editor CodeLens", - "Background color behind matching brackets", - "Color for matching brackets boxes", - "Color of the overview ruler border.", - "Background color of the editor overview ruler. Only used when the minimap is enabled and placed on the right side of the editor.", - "Background color of the editor gutter. The gutter contains the glyph margins and the line numbers.", - "Border color of unnecessary (unused) source code in the editor.", - "Opacity of unnecessary (unused) source code in the editor. For example, \"#000000c0\" will render the code with 75% opacity. For high contrast themes, use the 'editorUnnecessaryCode.border' theme color to underline unnecessary code instead of fading it out.", - "Border color of ghost text in the editor.", - "Foreground color of the ghost text in the editor.", - "Background color of the ghost text in the editor.", - "Overview ruler marker color for range highlights. The color must not be opaque so as not to hide underlying decorations.", - "Overview ruler marker color for errors.", - "Overview ruler marker color for warnings.", - "Overview ruler marker color for infos.", - "Foreground color of brackets (1). Requires enabling bracket pair colorization.", - "Foreground color of brackets (2). Requires enabling bracket pair colorization.", - "Foreground color of brackets (3). Requires enabling bracket pair colorization.", - "Foreground color of brackets (4). Requires enabling bracket pair colorization.", - "Foreground color of brackets (5). Requires enabling bracket pair colorization.", - "Foreground color of brackets (6). Requires enabling bracket pair colorization.", - "Foreground color of unexpected brackets.", - "Background color of inactive bracket pair guides (1). Requires enabling bracket pair guides.", - "Background color of inactive bracket pair guides (2). Requires enabling bracket pair guides.", - "Background color of inactive bracket pair guides (3). Requires enabling bracket pair guides.", - "Background color of inactive bracket pair guides (4). Requires enabling bracket pair guides.", - "Background color of inactive bracket pair guides (5). Requires enabling bracket pair guides.", - "Background color of inactive bracket pair guides (6). Requires enabling bracket pair guides.", - "Background color of active bracket pair guides (1). Requires enabling bracket pair guides.", - "Background color of active bracket pair guides (2). Requires enabling bracket pair guides.", - "Background color of active bracket pair guides (3). Requires enabling bracket pair guides.", - "Background color of active bracket pair guides (4). Requires enabling bracket pair guides.", - "Background color of active bracket pair guides (5). Requires enabling bracket pair guides.", - "Background color of active bracket pair guides (6). Requires enabling bracket pair guides.", - "Border color used to highlight unicode characters.", - "Background color used to highlight unicode characters." + "vs/workbench/api/node/extHostTunnelService": [ + "Private", + "Public" ], - "vs/editor/browser/coreCommands": [ - "Stick to the end even when going to longer lines", - "Stick to the end even when going to longer lines", - "Removed secondary cursors" + "vs/platform/extensionManagement/node/extensionManagementUtil": [ + "VSIX invalid: package.json is not a JSON file." ], - "vs/editor/browser/widget/codeEditorWidget": [ - "The number of cursors has been limited to {0}." + "vs/base/node/zip": [ + "Error extracting {0}. Invalid file.", + "Incomplete. Found {0} of {1} entries", + "{0} not found inside zip." ], - "vs/editor/browser/widget/diffEditorWidget": [ - "Line decoration for inserts in the diff editor.", - "Line decoration for removals in the diff editor.", - "Cannot compare files because one file is too large." + "vs/platform/extensions/common/extensionValidator": [ + "property publisher must be of type `string`.", + "property `{0}` is mandatory and must be of type `string`", + "property `{0}` is mandatory and must be of type `string`", + "property `{0}` is mandatory and must be of type `object`", + "property `{0}` is mandatory and must be of type `string`", + "property `{0}` can be omitted or must be of type `string[]`", + "property `{0}` can be omitted or must be of type `string[]`", + "properties `{0}` and `{1}` must both be specified or must both be omitted", + "property `{0}` can be defined only if property `main` is also defined.", + "property `{0}` can be omitted or must be of type `string`", + "Expected `main` ({0}) to be included inside extension's folder ({1}). This might make the extension non-portable.", + "properties `{0}` and `{1}` must both be specified or must both be omitted", + "property `{0}` can be omitted or must be of type `string`", + "Expected `browser` ({0}) to be included inside extension's folder ({1}). This might make the extension non-portable.", + "properties `{0}` and `{1}` must both be specified or must both be omitted", + "Extension version is not semver compatible.", + "Could not parse `engines.vscode` value {0}. Please use, for example: ^1.22.0, ^1.22.x, etc.", + "Version specified in `engines.vscode` ({0}) is not specific enough. For vscode versions before 1.0.0, please define at a minimum the major and minor desired version. E.g. ^0.10.0, 0.10.x, 0.11.0, etc.", + "Version specified in `engines.vscode` ({0}) is not specific enough. For vscode versions after 1.0.0, please define at a minimum the major desired version. E.g. ^1.10.0, 1.10.x, 1.x.x, 2.x.x, etc.", + "Extension is not compatible with Code {0}. Extension requires: {1}." ], - "vs/editor/contrib/caretOperations/browser/caretOperations": [ - "Move Selected Text Left", - "Move Selected Text Right" + "vs/platform/extensionManagement/common/abstractExtensionManagementService": [ + "Marketplace is not enabled", + "Marketplace is not enabled", + "Only Marketplace Extensions can be reinstalled", + "Can't install '{0}' extension since it was reported to be problematic.", + "The '{0}' extension is not available in {1} for {2}.", + "Can't install pre-release version of '{0}' extension because it is not compatible with the current version of {1} (version {2}).", + "Can't install release version of '{0}' extension because it has no release version.", + "Can't install '{0}' extension because it is not compatible with the current version of {1} (version {2}).", + "Cannot uninstall '{0}' extension. '{1}' extension depends on this.", + "Cannot uninstall '{0}' extension. '{1}' and '{2}' extensions depend on this.", + "Cannot uninstall '{0}' extension. '{1}', '{2}' and other extension depend on this.", + "Cannot uninstall '{0}' extension . It includes uninstalling '{1}' extension and '{2}' extension depends on this.", + "Cannot uninstall '{0}' extension. It includes uninstalling '{1}' extension and '{2}' and '{3}' extensions depend on this.", + "Cannot uninstall '{0}' extension. It includes uninstalling '{1}' extension and '{2}', '{3}' and other extensions depend on this." + ], + "vs/base/common/jsonErrorMessages": [ + "Invalid symbol", + "Invalid number format", + "Property name expected", + "Value expected", + "Colon expected", + "Comma expected", + "Closing brace expected", + "Closing bracket expected", + "End of file expected" + ], + "vs/platform/userDataSync/common/userDataAutoSyncService": [ + "Cannot sync because default service has changed", + "Cannot sync because sync service has changed", + "Cannot sync because syncing is turned off in the cloud", + "Cannot sync because default service has changed", + "Cannot sync because sync service has changed", + "Cannot sync because current session is expired", + "Cannot sync because syncing is turned off on this machine from another machine." + ], + "vs/platform/terminal/common/terminalPlatformConfiguration": [ + "An optional set of arguments to run the shell executable with.", + "Controls whether or not the profile name overrides the auto detected one.", + "A codicon ID to associate with the terminal icon.", + "A theme color ID to associate with the terminal icon.", + "An object with environment variables that will be added to the terminal profile process. Set to `null` to delete environment variables from the base environment.", + "A single path to a shell executable or an array of paths that will be used as fallbacks when one fails.", + "A single path to a shell executable.", + "This is deprecated, the new recommended way to configure your default shell is by creating a terminal profile in {0} and setting its profile name as the default in {1}. This will currently take priority over the new profiles settings but that will change in the future.", + "This is deprecated, the new recommended way to configure your default shell is by creating a terminal profile in {0} and setting its profile name as the default in {1}. This will currently take priority over the new profiles settings but that will change in the future.", + "This is deprecated, the new recommended way to configure your default shell is by creating a terminal profile in {0} and setting its profile name as the default in {1}. This will currently take priority over the new profiles settings but that will change in the future.", + "This is deprecated, the new recommended way to configure your automation shell is by creating a terminal automation profile with {0}. This will currently take priority over the new automation profile settings but that will change in the future.", + "This is deprecated, the new recommended way to configure your automation shell is by creating a terminal automation profile with {0}. This will currently take priority over the new automation profile settings but that will change in the future.", + "This is deprecated, the new recommended way to configure your automation shell is by creating a terminal automation profile with {0}. This will currently take priority over the new automation profile settings but that will change in the future.", + "Integrated Terminal", + "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.", + "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.", + "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.", + "The terminal profile to use on Linux for automation-related terminal usage like tasks and debug. This setting will currently be ignored if {0} is set.", + "The terminal profile to use on macOS for automation-related terminal usage like tasks and debug. This setting will currently be ignored if {0} is set.", + "The terminal profile to use for automation-related terminal usage like tasks and debug. This setting will currently be ignored if {0} is set.", + "The path of the shell that the terminal uses on Linux. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The path of the shell that the terminal uses on macOS. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The path of the shell that the terminal uses on Windows. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The command line arguments to use when on the Linux terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The command line arguments to use when on the macOS terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The command line arguments to use when on the Windows terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The command line arguments to use when on the Windows terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The command line arguments in [command-line format](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) to use when on the Windows terminal. [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles).", + "The Windows profiles to present when creating a new terminal via the terminal dropdown. Use the {0} property to automatically detect the shell's location. Or set the {1} property manually with an optional {2}.\n\nSet an existing profile to {3} to hide the profile from the list, for example: {4}.", + "A profile source that will auto detect the paths to the shell.", + "The extension that contributed this profile.", + "The id of the extension terminal", + "The name of the extension terminal", + "The macOS profiles to present when creating a new terminal via the terminal dropdown. Set the {0} property manually with an optional {1}.\n\nSet an existing profile to {2} to hide the profile from the list, for example: {3}.", + "The extension that contributed this profile.", + "The id of the extension terminal", + "The name of the extension terminal", + "The Linux profiles to present when creating a new terminal via the terminal dropdown. Set the {0} property manually with an optional {1}.\n\nSet an existing profile to {2} to hide the profile from the list, for example: {3}.", + "The extension that contributed this profile.", + "The id of the extension terminal", + "The name of the extension terminal", + "Controls whether or not WSL distros are shown in the terminal dropdown", + "Whether new shells should inherit their environment from VS Code, which may source a login shell to ensure $PATH and other development variables are initialized. This has no effect on Windows.", + "Controls the maximum amount of lines that will be restored when reconnecting to a persistent terminal session. Increasing this will restore more lines of scrollback at the cost of more memory and increase the time it takes to connect to terminals on start up. This setting requires a restart to take effect and should be set to a value less than or equal to `#terminal.integrated.scrollback#`.", + "Whether to show hovers for links in the terminal output.", + "A set of process names to ignore when using the {0} setting.", + "Integrated Terminal", + "The default profile used on Linux. This setting will currently be ignored if either {0} or {1} are set.", + "The default profile used on macOS. This setting will currently be ignored if either {0} or {1} are set.", + "The default profile used on Windows. This setting will currently be ignored if either {0} or {1} are set." + ], + "vs/platform/theme/common/iconRegistry": [ + "The id of the font to use. If not set, the font that is defined first is used.", + "The font character associated with the icon definition.", + "Icon for the close action in widgets.", + "Icon for goto previous editor location.", + "Icon for goto next editor location." + ], + "vs/base/browser/ui/tree/abstractTree": [ + "Filter", + "Type to filter", + "Type to search", + "Type to search", + "Close", + "No elements found." ], "vs/editor/contrib/anchorSelect/browser/anchorSelect": [ "Selection Anchor", @@ -18579,11 +18893,18 @@ "Select from Anchor to Cursor", "Cancel Selection Anchor" ], - "vs/editor/contrib/bracketMatching/browser/bracketMatching": [ - "Overview ruler marker color for matching brackets.", - "Go to Bracket", - "Select to Bracket", - "Go to &&Bracket" + "vs/editor/browser/coreCommands": [ + "Stick to the end even when going to longer lines", + "Stick to the end even when going to longer lines", + "Removed secondary cursors" + ], + "vs/editor/browser/widget/diffEditorWidget": [ + "Line decoration for inserts in the diff editor.", + "Line decoration for removals in the diff editor.", + "Cannot compare files because one file is too large." + ], + "vs/editor/browser/widget/codeEditorWidget": [ + "The number of cursors has been limited to {0}." ], "vs/editor/contrib/clipboard/browser/clipboard": [ "Cu&&t", @@ -18596,21 +18917,22 @@ "Copy", "Copy As", "Copy As", + "Share", "&&Paste", "Paste", "Paste", "Paste", "Copy With Syntax Highlighting" ], + "vs/editor/contrib/bracketMatching/browser/bracketMatching": [ + "Overview ruler marker color for matching brackets.", + "Go to Bracket", + "Select to Bracket", + "Go to &&Bracket" + ], "vs/editor/contrib/caretOperations/browser/transpose": [ "Transpose Letters" ], - "vs/editor/contrib/copyPaste/browser/copyPasteContribution": [ - "Enable/disable running edits from extensions on paste." - ], - "vs/editor/contrib/codelens/browser/codelensController": [ - "Show CodeLens Commands For Current Line" - ], "vs/editor/contrib/comment/browser/comment": [ "Toggle Line Comment", "&&Toggle Line Comment", @@ -18624,8 +18946,27 @@ "Cursor Redo" ], "vs/editor/contrib/contextmenu/browser/contextmenu": [ + "Minimap", + "Render Characters", + "Vertical size", + "Proportional", + "Fill", + "Fit", + "Slider", + "Mouse Over", + "Always", "Show Editor Context Menu" ], + "vs/editor/contrib/copyPaste/browser/copyPasteContribution": [ + "Enable/disable running edits from extensions on paste." + ], + "vs/editor/contrib/caretOperations/browser/caretOperations": [ + "Move Selected Text Left", + "Move Selected Text Right" + ], + "vs/editor/contrib/codelens/browser/codelensController": [ + "Show CodeLens Commands For Current Line" + ], "vs/editor/contrib/find/browser/findController": [ "Find", "&&Find", @@ -18659,10 +19000,15 @@ "Go to Parent Fold", "Go to Previous Folding Range", "Go to Next Folding Range", + "Create Manual Folding Range from Selection", + "Remove Manual Folding Ranges", "Fold Level {0}", "Background color behind folded ranges. The color must not be opaque so as not to hide underlying decorations.", "Color of the folding control in the editor gutter." ], + "vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": [ + "Running drop handlers..." + ], "vs/editor/contrib/fontZoom/browser/fontZoom": [ "Editor Font Zoom In", "Editor Font Zoom Out", @@ -18678,13 +19024,48 @@ "Go to Previous Problem in Files (Error, Warning, Info)", "Previous &&Problem" ], - "vs/editor/contrib/gotoSymbol/browser/link/goToDefinitionAtPosition": [ - "Click to show {0} definitions." - ], "vs/editor/contrib/format/browser/formatActions": [ "Format Document", "Format Selection" ], + "vs/editor/contrib/lineSelection/browser/lineSelection": [ + "Expand Line Selection" + ], + "vs/editor/contrib/inPlaceReplace/browser/inPlaceReplace": [ + "Replace with Previous Value", + "Replace with Next Value" + ], + "vs/editor/contrib/hover/browser/hover": [ + "Show Hover", + "Show Definition Preview Hover" + ], + "vs/editor/contrib/links/browser/links": [ + "Failed to open this link because it is not well-formed: {0}", + "Failed to open this link because its target is missing.", + "Execute command", + "Follow link", + "cmd + click", + "ctrl + click", + "option + click", + "alt + click", + "Execute command {0}", + "Open Link" + ], + "vs/editor/contrib/indentation/browser/indentation": [ + "Convert Indentation to Spaces", + "Convert Indentation to Tabs", + "Configured Tab Size", + "Select Tab Size for Current File", + "Indent Using Tabs", + "Indent Using Spaces", + "Detect Indentation from Content", + "Reindent Lines", + "Reindent Selected Lines" + ], + "vs/editor/contrib/linkedEditing/browser/linkedEditing": [ + "Start Linked Editing", + "Background color when the editor auto renames on type." + ], "vs/editor/contrib/gotoSymbol/browser/goToCommands": [ "Peek", "Definitions", @@ -18726,46 +19107,35 @@ "Go to &&Implementations", "Go to &&References" ], - "vs/editor/contrib/lineSelection/browser/lineSelection": [ - "Expand Line Selection" - ], - "vs/editor/contrib/hover/browser/hover": [ - "Show Hover", - "Show Definition Preview Hover" - ], - "vs/editor/contrib/indentation/browser/indentation": [ - "Convert Indentation to Spaces", - "Convert Indentation to Tabs", - "Configured Tab Size", - "Select Tab Size for Current File", - "Indent Using Tabs", - "Indent Using Spaces", - "Detect Indentation from Content", - "Reindent Lines", - "Reindent Selected Lines" - ], - "vs/editor/contrib/inPlaceReplace/browser/inPlaceReplace": [ - "Replace with Previous Value", - "Replace with Next Value" - ], - "vs/editor/contrib/linkedEditing/browser/linkedEditing": [ - "Start Linked Editing", - "Background color when the editor auto renames on type." - ], - "vs/editor/contrib/links/browser/links": [ - "Failed to open this link because it is not well-formed: {0}", - "Failed to open this link because its target is missing.", - "Execute command", - "Follow link", - "cmd + click", - "ctrl + click", - "option + click", - "alt + click", - "Execute command {0}", - "Open Link" - ], - "vs/editor/contrib/parameterHints/browser/parameterHints": [ - "Trigger Parameter Hints" + "vs/editor/contrib/linesOperations/browser/linesOperations": [ + "Copy Line Up", + "&&Copy Line Up", + "Copy Line Down", + "Co&&py Line Down", + "Duplicate Selection", + "&&Duplicate Selection", + "Move Line Up", + "Mo&&ve Line Up", + "Move Line Down", + "Move &&Line Down", + "Sort Lines Ascending", + "Sort Lines Descending", + "Delete Duplicate Lines", + "Trim Trailing Whitespace", + "Delete Line", + "Indent Line", + "Outdent Line", + "Insert Line Above", + "Insert Line Below", + "Delete All Left", + "Delete All Right", + "Join Lines", + "Transpose characters around the cursor", + "Transform to Uppercase", + "Transform to Lowercase", + "Transform to Title Case", + "Transform to Snake Case", + "Transform to Kebab Case" ], "vs/editor/contrib/rename/browser/rename": [ "No result.", @@ -18803,46 +19173,19 @@ "Focus Previous Cursor", "Focuses the previous cursor" ], - "vs/editor/contrib/linesOperations/browser/linesOperations": [ - "Copy Line Up", - "&&Copy Line Up", - "Copy Line Down", - "Co&&py Line Down", - "Duplicate Selection", - "&&Duplicate Selection", - "Move Line Up", - "Mo&&ve Line Up", - "Move Line Down", - "Move &&Line Down", - "Sort Lines Ascending", - "Sort Lines Descending", - "Delete Duplicate Lines", - "Trim Trailing Whitespace", - "Delete Line", - "Indent Line", - "Outdent Line", - "Insert Line Above", - "Insert Line Below", - "Delete All Left", - "Delete All Right", - "Join Lines", - "Transpose characters around the cursor", - "Transform to Uppercase", - "Transform to Lowercase", - "Transform to Title Case", - "Transform to Snake Case" - ], "vs/editor/contrib/smartSelect/browser/smartSelect": [ "Expand Selection", "&&Expand Selection", "Shrink Selection", "&&Shrink Selection" ], - "vs/editor/contrib/snippet/browser/snippetController2": [ - "Whether the editor in current in snippet mode", - "Whether there is a next tab stop when in snippet mode", - "Whether there is a previous tab stop when in snippet mode", - "Go to next placeholder..." + "vs/editor/contrib/parameterHints/browser/parameterHints": [ + "Trigger Parameter Hints" + ], + "vs/editor/contrib/toggleTabFocusMode/browser/toggleTabFocusMode": [ + "Toggle Tab Key Moves Focus", + "Pressing Tab will now move focus to the next focusable element", + "Pressing Tab will now insert the tab character" ], "vs/editor/contrib/suggest/browser/suggestController": [ "Accepting '{0}' made {1} additional edits", @@ -18859,10 +19202,11 @@ "vs/editor/contrib/tokenization/browser/tokenization": [ "Developer: Force Retokenize" ], - "vs/editor/contrib/toggleTabFocusMode/browser/toggleTabFocusMode": [ - "Toggle Tab Key Moves Focus", - "Pressing Tab will now move focus to the next focusable element", - "Pressing Tab will now insert the tab character" + "vs/editor/contrib/snippet/browser/snippetController2": [ + "Whether the editor in current in snippet mode", + "Whether there is a next tab stop when in snippet mode", + "Whether there is a previous tab stop when in snippet mode", + "Go to next placeholder..." ], "vs/editor/contrib/unicodeHighlighter/browser/unicodeHighlighter": [ "Icon shown with a warning message in the extensions editor.", @@ -18896,6 +19240,24 @@ "Remove Unusual Line Terminators", "Ignore" ], + "vs/editor/contrib/wordHighlighter/browser/wordHighlighter": [ + "Background color of a symbol during read-access, like reading a variable. The color must not be opaque so as not to hide underlying decorations.", + "Background color of a symbol during write-access, like writing to a variable. The color must not be opaque so as not to hide underlying decorations.", + "Border color of a symbol during read-access, like reading a variable.", + "Border color of a symbol during write-access, like writing to a variable.", + "Overview ruler marker color for symbol highlights. The color must not be opaque so as not to hide underlying decorations.", + "Overview ruler marker color for write-access symbol highlights. The color must not be opaque so as not to hide underlying decorations.", + "Go to Next Symbol Highlight", + "Go to Previous Symbol Highlight", + "Trigger Symbol Highlight" + ], + "vs/editor/contrib/wordOperations/browser/wordOperations": [ + "Delete Word" + ], + "vs/editor/contrib/readOnlyMessage/browser/contribution": [ + "Cannot edit in read-only input", + "Cannot edit in read-only editor" + ], "vs/editor/common/standaloneStrings": [ "No selection", "Line {0}, Column {1} ({2} selected)", @@ -18932,16 +19294,99 @@ "Toggle High Contrast Theme", "Made {0} edits in {1} files" ], - "vs/editor/contrib/wordHighlighter/browser/wordHighlighter": [ - "Background color of a symbol during read-access, like reading a variable. The color must not be opaque so as not to hide underlying decorations.", - "Background color of a symbol during write-access, like writing to a variable. The color must not be opaque so as not to hide underlying decorations.", - "Border color of a symbol during read-access, like reading a variable.", - "Border color of a symbol during write-access, like writing to a variable.", - "Overview ruler marker color for symbol highlights. The color must not be opaque so as not to hide underlying decorations.", - "Overview ruler marker color for write-access symbol highlights. The color must not be opaque so as not to hide underlying decorations.", - "Go to Next Symbol Highlight", - "Go to Previous Symbol Highlight", - "Trigger Symbol Highlight" + "vs/workbench/api/common/jsonValidationExtensionPoint": [ + "Contributes json schema configuration.", + "The file pattern (or an array of patterns) to match, for example \"package.json\" or \"*.launch\". Exclusion patterns start with '!'", + "A schema URL ('http:', 'https:') or relative path to the extension folder ('./').", + "'configuration.jsonValidation' must be a array", + "'configuration.jsonValidation.fileMatch' must be defined as a string or an array of strings.", + "'configuration.jsonValidation.url' must be a URL or relative path", + "Expected `contributes.{0}.url` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.", + "'configuration.jsonValidation.url' is an invalid relative URL: {0}", + "'configuration.jsonValidation.url' must be an absolute URL or start with './' to reference schemas located in the extension." + ], + "vs/editor/common/core/editorColorRegistry": [ + "Background color for the highlight of line at the cursor position.", + "Background color for the border around the line at the cursor position.", + "Background color of highlighted ranges, like by quick open and find features. The color must not be opaque so as not to hide underlying decorations.", + "Background color of the border around highlighted ranges.", + "Background color of highlighted symbol, like for go to definition or go next/previous symbol. The color must not be opaque so as not to hide underlying decorations.", + "Background color of the border around highlighted symbols.", + "Color of the editor cursor.", + "The background color of the editor cursor. Allows customizing the color of a character overlapped by a block cursor.", + "Color of whitespace characters in the editor.", + "Color of the editor indentation guides.", + "Color of the active editor indentation guides.", + "Color of editor line numbers.", + "Color of editor active line number", + "Id is deprecated. Use 'editorLineNumber.activeForeground' instead.", + "Color of editor active line number", + "Color of the editor rulers.", + "Foreground color of editor CodeLens", + "Background color behind matching brackets", + "Color for matching brackets boxes", + "Color of the overview ruler border.", + "Background color of the editor overview ruler. Only used when the minimap is enabled and placed on the right side of the editor.", + "Background color of the editor gutter. The gutter contains the glyph margins and the line numbers.", + "Border color of unnecessary (unused) source code in the editor.", + "Opacity of unnecessary (unused) source code in the editor. For example, \"#000000c0\" will render the code with 75% opacity. For high contrast themes, use the 'editorUnnecessaryCode.border' theme color to underline unnecessary code instead of fading it out.", + "Border color of ghost text in the editor.", + "Foreground color of the ghost text in the editor.", + "Background color of the ghost text in the editor.", + "Overview ruler marker color for range highlights. The color must not be opaque so as not to hide underlying decorations.", + "Overview ruler marker color for errors.", + "Overview ruler marker color for warnings.", + "Overview ruler marker color for infos.", + "Foreground color of brackets (1). Requires enabling bracket pair colorization.", + "Foreground color of brackets (2). Requires enabling bracket pair colorization.", + "Foreground color of brackets (3). Requires enabling bracket pair colorization.", + "Foreground color of brackets (4). Requires enabling bracket pair colorization.", + "Foreground color of brackets (5). Requires enabling bracket pair colorization.", + "Foreground color of brackets (6). Requires enabling bracket pair colorization.", + "Foreground color of unexpected brackets.", + "Background color of inactive bracket pair guides (1). Requires enabling bracket pair guides.", + "Background color of inactive bracket pair guides (2). Requires enabling bracket pair guides.", + "Background color of inactive bracket pair guides (3). Requires enabling bracket pair guides.", + "Background color of inactive bracket pair guides (4). Requires enabling bracket pair guides.", + "Background color of inactive bracket pair guides (5). Requires enabling bracket pair guides.", + "Background color of inactive bracket pair guides (6). Requires enabling bracket pair guides.", + "Background color of active bracket pair guides (1). Requires enabling bracket pair guides.", + "Background color of active bracket pair guides (2). Requires enabling bracket pair guides.", + "Background color of active bracket pair guides (3). Requires enabling bracket pair guides.", + "Background color of active bracket pair guides (4). Requires enabling bracket pair guides.", + "Background color of active bracket pair guides (5). Requires enabling bracket pair guides.", + "Background color of active bracket pair guides (6). Requires enabling bracket pair guides.", + "Border color used to highlight unicode characters.", + "Background color used to highlight unicode characters." + ], + "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": [ + "Contributes semantic token types.", + "The identifier of the semantic token type", + "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*", + "The super type of the semantic token type", + "Super types should be in the form letterOrDigit[_-letterOrDigit]*", + "The description of the semantic token type", + "Contributes semantic token modifiers.", + "The identifier of the semantic token modifier", + "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*", + "The description of the semantic token modifier", + "Contributes semantic token scope maps.", + "Lists the languge for which the defaults are.", + "Maps a semantic token (described by semantic token selector) to one or more textMate scopes used to represent that token.", + "'configuration.{0}.id' must be defined and can not be empty", + "'configuration.{0}.id' must follow the pattern letterOrDigit[-_letterOrDigit]*", + "'configuration.{0}.superType' must follow the pattern letterOrDigit[-_letterOrDigit]*", + "'configuration.{0}.description' must be defined and can not be empty", + "'configuration.semanticTokenType' must be an array", + "'configuration.semanticTokenModifier' must be an array", + "'configuration.semanticTokenScopes' must be an array", + "'configuration.semanticTokenScopes.language' must be a string", + "'configuration.semanticTokenScopes.scopes' must be defined as an object", + "'configuration.semanticTokenScopes.scopes' values must be an array of strings", + "configuration.semanticTokenScopes.scopes': Problems parsing selector {0}." + ], + "vs/workbench/api/browser/mainThreadCLICommands": [ + "Cannot install the '{0}' extension because it is declared to not run in this setup." ], "vs/workbench/services/themes/common/iconExtensionPoint": [ "Contributes extension defined themable icons", @@ -18958,6 +19403,9 @@ "Expected `contributes.icons.default.fontPath` ({0}) to be included inside extension's folder ({0}).", "'configuration.icons.default' must be either a reference to the id of an other theme icon (string) or a icon definition (object) with properties `fontPath` and `fontCharacter`." ], + "vs/editor/contrib/gotoSymbol/browser/link/goToDefinitionAtPosition": [ + "Click to show {0} definitions." + ], "vs/workbench/services/themes/common/colorExtensionPoint": [ "Contributes extension defined themable colors", "The identifier of the themable color", @@ -18976,45 +19424,50 @@ "If defined, 'configuration.colors.defaults.highContrast' must be a string.", "If defined, 'configuration.colors.defaults.highContrastLight' must be a string." ], - "vs/workbench/api/common/jsonValidationExtensionPoint": [ - "Contributes json schema configuration.", - "The file pattern (or an array of patterns) to match, for example \"package.json\" or \"*.launch\". Exclusion patterns start with '!'", - "A schema URL ('http:', 'https:') or relative path to the extension folder ('./').", - "'configuration.jsonValidation' must be a array", - "'configuration.jsonValidation.fileMatch' must be defined as a string or an array of strings.", - "'configuration.jsonValidation.url' must be a URL or relative path", - "Expected `contributes.{0}.url` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.", - "'configuration.jsonValidation.url' is an invalid relative URL: {0}", - "'configuration.jsonValidation.url' must be an absolute URL or start with './' to reference schemas located in the extension." + "vs/workbench/api/browser/mainThreadExtensionService": [ + "Cannot activate the '{0}' extension because it depends on the '{1}' extension, which is not loaded. Would you like to reload the window to load the extension?", + "Reload Window", + "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is not supported in the current workspace", + "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is not supported in Restricted Mode", + "Manage Workspace Trust", + "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is disabled. Would you like to enable the extension and reload the window?", + "Enable and Reload", + "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is disabled.", + "Cannot activate the '{0}' extension because it depends on the '{1}' extension, which is not installed. Would you like to install the extension and reload the window?", + "Install and Reload", + "Cannot activate the '{0}' extension because it depends on an unknown '{1}' extension." ], - "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": [ - "Contributes semantic token types.", - "The identifier of the semantic token type", - "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*", - "The super type of the semantic token type", - "Super types should be in the form letterOrDigit[_-letterOrDigit]*", - "The description of the semantic token type", - "Contributes semantic token modifiers.", - "The identifier of the semantic token modifier", - "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*", - "The description of the semantic token modifier", - "Contributes semantic token scope maps.", - "Lists the languge for which the defaults are.", - "Maps a semantic token (described by semantic token selector) to one or more textMate scopes used to represent that token.", - "'configuration.{0}.id' must be defined and can not be empty", - "'configuration.{0}.id' must follow the pattern letterOrDigit[-_letterOrDigit]*", - "'configuration.{0}.superType' must follow the pattern letterOrDigit[-_letterOrDigit]*", - "'configuration.{0}.description' must be defined and can not be empty", - "'configuration.semanticTokenType' must be an array", - "'configuration.semanticTokenModifier' must be an array", - "'configuration.semanticTokenScopes' must be an array", - "'configuration.semanticTokenScopes.language' must be a string", - "'configuration.semanticTokenScopes.scopes' must be defined as an object", - "'configuration.semanticTokenScopes.scopes' values must be an array of strings", - "configuration.semanticTokenScopes.scopes': Problems parsing selector {0}." + "vs/workbench/api/browser/mainThreadFileSystemEventService": [ + "Extension '{0}' wants to make refactoring changes with this file creation", + "Extension '{0}' wants to make refactoring changes with this file copy", + "Extension '{0}' wants to make refactoring changes with this file move", + "Extension '{0}' wants to make refactoring changes with this file deletion", + "{0} extensions want to make refactoring changes with this file creation", + "{0} extensions want to make refactoring changes with this file copy", + "{0} extensions want to make refactoring changes with this file move", + "{0} extensions want to make refactoring changes with this file deletion", + "Show Preview", + "Skip Changes", + "OK", + "Show Preview", + "Skip Changes", + "Don't ask again", + "Running 'File Create' participants...", + "Running 'File Rename' participants...", + "Running 'File Copy' participants...", + "Running 'File Delete' participants...", + "Running 'File Write' participants...", + "Reset choice for 'File operation needs preview'" ], - "vs/editor/contrib/wordOperations/browser/wordOperations": [ - "Delete Word" + "vs/workbench/api/browser/mainThreadMessageService": [ + "{0} (Extension)", + "Extension", + "Manage Extension", + "Cancel", + "OK" + ], + "vs/workbench/api/browser/mainThreadProgress": [ + "Manage Extension" ], "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": [ "Errors parsing {0}: {1}", @@ -19081,54 +19534,6 @@ "Describes text to be appended after the new line and after the indentation.", "Describes the number of characters to remove from the new line's indentation." ], - "vs/workbench/api/browser/mainThreadCLICommands": [ - "Cannot install the '{0}' extension because it is declared to not run in this setup." - ], - "vs/workbench/api/browser/mainThreadExtensionService": [ - "Cannot activate the '{0}' extension because it depends on the '{1}' extension, which is not loaded. Would you like to reload the window to load the extension?", - "Reload Window", - "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is not supported in the current workspace", - "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is not supported in Restricted Mode", - "Manage Workspace Trust", - "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is disabled. Would you like to enable the extension and reload the window?", - "Enable and Reload", - "Cannot activate the '{0}' extension because it depends on the '{1}' extension which is disabled.", - "Cannot activate the '{0}' extension because it depends on the '{1}' extension, which is not installed. Would you like to install the extension and reload the window?", - "Install and Reload", - "Cannot activate the '{0}' extension because it depends on an unknown '{1}' extension." - ], - "vs/workbench/api/browser/mainThreadFileSystemEventService": [ - "Extension '{0}' wants to make refactoring changes with this file creation", - "Extension '{0}' wants to make refactoring changes with this file copy", - "Extension '{0}' wants to make refactoring changes with this file move", - "Extension '{0}' wants to make refactoring changes with this file deletion", - "{0} extensions want to make refactoring changes with this file creation", - "{0} extensions want to make refactoring changes with this file copy", - "{0} extensions want to make refactoring changes with this file move", - "{0} extensions want to make refactoring changes with this file deletion", - "Show Preview", - "Skip Changes", - "OK", - "Show Preview", - "Skip Changes", - "Don't ask again", - "Running 'File Create' participants...", - "Running 'File Rename' participants...", - "Running 'File Copy' participants...", - "Running 'File Delete' participants...", - "Running 'File Write' participants...", - "Reset choice for 'File operation needs preview'" - ], - "vs/workbench/api/browser/mainThreadMessageService": [ - "{0} (Extension)", - "Extension", - "Manage Extension", - "Cancel", - "OK" - ], - "vs/workbench/api/browser/mainThreadProgress": [ - "Manage Extension" - ], "vs/workbench/api/browser/mainThreadSaveParticipant": [ "Aborted onWillSaveTextDocument-event after 1750ms" ], @@ -19170,6 +19575,12 @@ "Allow", "Cancel" ], + "vs/workbench/common/configuration": [ + "Workbench" + ], + "vs/workbench/browser/quickaccess": [ + "Whether keyboard focus is inside the quick open control" + ], "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarActions": [ "Icon to toggle the auxiliary bar off in its right position.", "Icon to toggle the auxiliary bar on in its right position.", @@ -19177,18 +19588,12 @@ "Icon to toggle the auxiliary bar on in its left position.", "Toggle Secondary Side Bar Visibility", "Focus into Secondary Side Bar", - "Show Secondary Side Bar", + "Secondary Side Bar", "Toggle Secondary Side Bar", "Toggle Secondary Side Bar", - "Show Secondary Si&&de Bar", + "Secondary Si&&de Bar", "Hide Secondary Side Bar" ], - "vs/workbench/common/configuration": [ - "Workbench" - ], - "vs/workbench/browser/quickaccess": [ - "Whether keyboard focus is inside the quick open control" - ], "vs/workbench/browser/parts/panel/panelActions": [ "Icon to maximize a panel.", "Icon to restore a panel.", @@ -19221,8 +19626,8 @@ "Maximizing the panel is only supported when it is center aligned.", "Close Panel", "Close Secondary Side Bar", - "Show &&Panel", - "Show Panel", + "&&Panel", + "Panel", "Toggle Panel", "Hide Panel", "Move Panel Views To Secondary Side Bar", @@ -19247,18 +19652,6 @@ "Move View Right", "Move Views" ], - "vs/workbench/contrib/remote/browser/remoteExplorer": [ - "Ports", - "1 forwarded port", - "{0} forwarded ports", - "No Ports Forwarded", - "Forwarded Ports: {0}", - "Forwarded Ports", - "Your application running on port {0} is available. ", - "[See all forwarded ports]({0})", - "You'll need to run as superuser to use port {0} locally. ", - "Use Port {0} as Sudo..." - ], "vs/workbench/contrib/debug/common/debug": [ "Debug type of the active debug session. For example 'python'.", "Debug type of the selected launch configuration. For example 'python'.", @@ -19314,234 +19707,48 @@ "Configured debug type '{0}' is installed but not supported in this environment.", "Controls when the internal debug console should open." ], + "vs/workbench/contrib/remote/browser/remoteExplorer": [ + "Ports", + "1 forwarded port", + "{0} forwarded ports", + "No Ports Forwarded", + "Forwarded Ports: {0}", + "Forwarded Ports", + "Your application running on port {0} is available. ", + "[See all forwarded ports]({0})", + "You'll need to run as superuser to use port {0} locally. ", + "Use Port {0} as Sudo..." + ], "vs/workbench/contrib/files/common/files": [ "True when the EXPLORER viewlet is visible.", "True when the focused item in the EXPLORER is a folder.", - "True when the focused item in the EXPLORER is readonly.", - "True when the focused item in the EXPLORER is a root folder.", - "True when an item in the EXPLORER has been cut for cut and paste.", - "True when the focused item in the EXPLORER can be moved to trash.", - "True when the focus is inside the EXPLORER view.", - "True when the OPEN EDITORS view is visible.", - "True when the focus is inside the OPEN EDITORS view.", - "True when the focus is inside the EXPLORER viewlet.", - "True when the focused item in the EXPLORER view is a compact item.", - "True when the focus is inside a compact item's first part in the EXPLORER view.", - "True when the focus is inside a compact item's last part in the EXPLORER view." - ], - "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarPart": [ - "Move Secondary Side Bar Left", - "Move Secondary Side Bar Right", - "Hide Secondary Side Bar" - ], - "vs/workbench/browser/parts/activitybar/activitybarPart": [ - "Settings icon in the view bar.", - "Accounts icon in the view bar.", - "Activity bar entries visibility customizations", - "Accounts entry visibility customization in the activity bar.", - "Menu", - "Hide Menu", - "Accounts", - "Hide Activity Bar", - "Reset Location", - "Reset Location", - "Manage", - "Manage", - "Accounts", - "Accounts" - ], - "vs/workbench/browser/parts/panel/panelPart": [ - "Panel entries visibility customizations", - "Reset Location", - "Reset Location", - "Drag a view here to display.", - "More Actions...", - "Hide Panel" - ], - "vs/workbench/browser/parts/editor/editorGroupView": [ - "Empty editor group actions", - "{0} (empty)", - "Group {0}", - "Editor Group {0}" - ], - "vs/workbench/browser/parts/editor/editorDropTarget": [ - "Hold __{0}__ to drop into editor" + "True when the focused item in the EXPLORER is readonly.", + "True when the focused item in the EXPLORER is a root folder.", + "True when an item in the EXPLORER has been cut for cut and paste.", + "True when the focused item in the EXPLORER can be moved to trash.", + "True when the focus is inside the EXPLORER view.", + "True when the OPEN EDITORS view is visible.", + "True when the focus is inside the OPEN EDITORS view.", + "True when the focus is inside the EXPLORER viewlet.", + "True when the focused item in the EXPLORER view is a compact item.", + "True when the focus is inside a compact item's first part in the EXPLORER view.", + "True when the focus is inside a compact item's last part in the EXPLORER view.", + "True when a workspace in the EXPLORER view has some collapsible root child." ], "vs/workbench/common/editor/sideBySideEditorInput": [ "{0} - {1}" ], - "vs/workbench/common/editor/diffEditorInput": [ - "{0} ↔ {1}" - ], "vs/workbench/browser/parts/editor/sideBySideEditor": [ "Side by Side Editor" ], - "vs/workbench/browser/parts/editor/textResourceEditor": [ - "Text Editor" - ], - "vs/workbench/browser/parts/editor/editorActions": [ - "Split Editor", - "Split Editor Orthogonal", - "Split Editor Left", - "Split Editor Right", - "Split Editor Up", - "Split Editor Down", - "Join Editor Group with Next Group", - "Join All Editor Groups", - "Navigate Between Editor Groups", - "Focus Active Editor Group", - "Focus First Editor Group", - "Focus Last Editor Group", - "Focus Next Editor Group", - "Focus Previous Editor Group", - "Focus Left Editor Group", - "Focus Right Editor Group", - "Focus Editor Group Above", - "Focus Editor Group Below", - "Close Editor", - "Unpin Editor", - "Close", - "Revert and Close Editor", - "Close Editors to the Left in Group", - "Close All Editors", - "Close All Editor Groups", - "Close Editors in Other Groups", - "Close Editor in All Groups", - "Move Editor Group Left", - "Move Editor Group Right", - "Move Editor Group Up", - "Move Editor Group Down", - "Duplicate Editor Group Left", - "Duplicate Editor Group Right", - "Duplicate Editor Group Up", - "Duplicate Editor Group Down", - "Maximize Editor Group", - "Reset Editor Group Sizes", - "Toggle Editor Group Sizes", - "Maximize Editor Group and Hide Side Bars", - "Open Next Editor", - "Open Previous Editor", - "Open Next Editor in Group", - "Open Previous Editor in Group", - "Open First Editor in Group", - "Open Last Editor in Group", - "Go Forward", - "Go Back", - "Go Previous", - "Go Forward in Edit Locations", - "Go Back in Edit Locations", - "Go Previous in Edit Locations", - "Go to Last Edit Location", - "Go Forward in Navigation Locations", - "Go Back in Navigation Locations", - "Go Previous in Navigation Locations", - "Go to Last Navigation Location", - "Reopen Closed Editor", - "Clear Recently Opened", - "Do you want to clear all recently opened files and workspaces?", - "This action is irreversible!", - "&&Clear", - "Show Editors in Active Group By Most Recently Used", - "Show All Editors By Appearance", - "Show All Editors By Most Recently Used", - "Quick Open Previous Recently Used Editor", - "Quick Open Least Recently Used Editor", - "Quick Open Previous Recently Used Editor in Group", - "Quick Open Least Recently Used Editor in Group", - "Quick Open Previous Editor from History", - "Open Next Recently Used Editor", - "Open Previous Recently Used Editor", - "Open Next Recently Used Editor In Group", - "Open Previous Recently Used Editor In Group", - "Clear Editor History", - "Do you want to clear the history of recently opened editors?", - "This action is irreversible!", - "&&Clear", - "Move Editor Left", - "Move Editor Right", - "Move Editor into Previous Group", - "Move Editor into Next Group", - "Move Editor into Group Above", - "Move Editor into Group Below", - "Move Editor into Left Group", - "Move Editor into Right Group", - "Move Editor into First Group", - "Move Editor into Last Group", - "Split Editor into Previous Group", - "Split Editor into Next Group", - "Split Editor into Group Above", - "Split Editor into Group Below", - "Split Editor into Left Group", - "Split Editor into Right Group", - "Split Editor into First Group", - "Split Editor into Last Group", - "Single Column Editor Layout", - "Two Columns Editor Layout", - "Three Columns Editor Layout", - "Two Rows Editor Layout", - "Three Rows Editor Layout", - "Grid Editor Layout (2x2)", - "Two Columns Bottom Editor Layout", - "Two Rows Right Editor Layout", - "New Editor Group to the Left", - "New Editor Group to the Right", - "New Editor Group Above", - "New Editor Group Below", - "Toggle Editor Type", - "Reopen Editor With Text Editor" - ], - "vs/workbench/browser/parts/editor/textDiffEditor": [ - "Text Diff Editor" + "vs/workbench/common/editor/diffEditorInput": [ + "{0} ↔ {1}" ], "vs/workbench/browser/parts/editor/binaryDiffEditor": [ "{0} ↔ {1}" ], - "vs/editor/browser/editorExtensions": [ - "&&Undo", - "Undo", - "&&Redo", - "Redo", - "&&Select All", - "Select All" - ], - "vs/workbench/browser/parts/editor/editorCommands": [ - "Move the active editor by tabs or groups", - "Active editor move argument", - "Argument Properties:\n\t* 'to': String value providing where to move.\n\t* 'by': String value providing the unit for move (by tab or by group).\n\t* 'value': Number value providing how many positions or an absolute position to move.", - "Copy the active editor by groups", - "Active editor copy argument", - "Argument Properties:\n\t* 'to': String value providing where to copy.\n\t* 'value': Number value providing how many positions or an absolute position to copy.", - "Toggle Inline View", - "Compare", - "Split Editor in Group", - "Join Editor in Group", - "Toggle Split Editor in Group", - "Toggle Split Editor in Group Layout", - "Focus First Side in Active Editor", - "Focus Second Side in Active Editor", - "Focus Other Side in Active Editor", - "Toggle Editor Group Lock", - "Lock Editor Group", - "Unlock Editor Group" - ], - "vs/workbench/browser/codeeditor": [ - "Open Workspace" - ], - "vs/workbench/browser/parts/editor/editorConfiguration": [ - "Markdown Preview", - "If an editor matching one of the listed types is opened as the first in an editor group and more than one group is open, the group is automatically locked. Locked groups will only be used for opening editors when explicitly chosen by user gesture (e.g. drag and drop), but not by default. Consequently the active editor in a locked group is less likely to be replaced accidentally with a different editor.", - "The default editor for files detected as binary. If undefined the user will be presented with a picker.", - "Configure glob patterns to editors (e.g. `\"*.hex\": \"hexEditor.hexEdit\"`). These have precedence over the default behavior." - ], - "vs/workbench/browser/parts/editor/editorQuickAccess": [ - "No matching editors", - "{0}, unsaved changes, {1}", - "{0}, {1}", - "{0}, unsaved changes", - "Close Editor" - ], - "vs/workbench/browser/parts/statusbar/statusbarModel": [ - "Status bar entries visibility customizations" + "vs/workbench/browser/parts/editor/textDiffEditor": [ + "Text Diff Editor" ], "vs/workbench/browser/parts/editor/editorStatus": [ "Ln {0}, Col {1} ({2} selected)", @@ -19609,523 +19816,464 @@ "Select File Encoding to Reopen File", "Select File Encoding to Save with" ], - "vs/workbench/browser/parts/statusbar/statusbarActions": [ - "Hide '{0}'", - "Focus Status Bar" - ], - "vs/base/browser/ui/dialog/dialog": [ - "OK", - "Info", - "Error", - "Warning", - "In Progress", - "Close Dialog" - ], - "vs/workbench/services/preferences/browser/keybindingsEditorInput": [ - "Keyboard Shortcuts" - ], - "vs/workbench/services/preferences/common/preferencesEditorInput": [ - "Settings" - ], - "vs/workbench/services/preferences/common/preferencesModels": [ - "Commonly Used", - "Override key bindings by placing them into your key bindings file." - ], - "vs/workbench/services/editor/common/editorResolverService": [ - "Configure glob patterns to editors (e.g. `\"*.hex\": \"hexEditor.hexEdit\"`). These have precedence over the default behavior." - ], - "vs/workbench/services/textfile/common/textFileEditorModel": [ - "File Encoding Changed" - ], - "vs/platform/keybinding/common/abstractKeybindingService": [ - "({0}) was pressed. Waiting for second key of chord...", - "The key combination ({0}, {1}) is not a command." - ], - "vs/base/common/keybindingLabels": [ - "Ctrl", - "Shift", - "Alt", - "Windows", - "Ctrl", - "Shift", - "Alt", - "Super", - "Control", - "Shift", - "Option", - "Command", - "Control", - "Shift", - "Alt", - "Windows", - "Control", - "Shift", - "Alt", - "Super" - ], - "vs/workbench/services/themes/common/colorThemeData": [ - "Problems parsing JSON theme file: {0}", - "Invalid format for JSON theme file: Object expected.", - "Problem parsing color theme file: {0}. Property 'colors' is not of type 'object'.", - "Problem parsing color theme file: {0}. Property 'tokenColors' should be either an array specifying colors or a path to a TextMate theme file", - "Problem parsing color theme file: {0}. Property 'semanticTokenColors' contains a invalid selector", - "Problem parsing tmTheme file: {0}. 'settings' is not array.", - "Problems parsing tmTheme file: {0}", - "Problems loading tmTheme file {0}: {1}" + "vs/workbench/browser/parts/editor/editorActions": [ + "Split Editor", + "Split Editor Orthogonal", + "Split Editor Left", + "Split Editor Right", + "Split Editor Up", + "Split Editor Down", + "Join Editor Group with Next Group", + "Join All Editor Groups", + "Navigate Between Editor Groups", + "Focus Active Editor Group", + "Focus First Editor Group", + "Focus Last Editor Group", + "Focus Next Editor Group", + "Focus Previous Editor Group", + "Focus Left Editor Group", + "Focus Right Editor Group", + "Focus Editor Group Above", + "Focus Editor Group Below", + "Close Editor", + "Unpin Editor", + "Close", + "Revert and Close Editor", + "Close Editors to the Left in Group", + "Close All Editors", + "Close All Editor Groups", + "Close Editors in Other Groups", + "Close Editor in All Groups", + "Move Editor Group Left", + "Move Editor Group Right", + "Move Editor Group Up", + "Move Editor Group Down", + "Duplicate Editor Group Left", + "Duplicate Editor Group Right", + "Duplicate Editor Group Up", + "Duplicate Editor Group Down", + "Maximize Editor Group", + "Reset Editor Group Sizes", + "Toggle Editor Group Sizes", + "Maximize Editor Group and Hide Side Bars", + "Open Next Editor", + "Open Previous Editor", + "Open Next Editor in Group", + "Open Previous Editor in Group", + "Open First Editor in Group", + "Open Last Editor in Group", + "Go Forward", + "Go Forward", + "&&Forward", + "Go Back", + "Go Back", + "&&Back", + "Go Previous", + "Go Forward in Edit Locations", + "Go Back in Edit Locations", + "Go Previous in Edit Locations", + "Go to Last Edit Location", + "Go Forward in Navigation Locations", + "Go Back in Navigation Locations", + "Go Previous in Navigation Locations", + "Go to Last Navigation Location", + "Reopen Closed Editor", + "Clear Recently Opened", + "Do you want to clear all recently opened files and workspaces?", + "This action is irreversible!", + "&&Clear", + "Show Editors in Active Group By Most Recently Used", + "Show All Editors By Appearance", + "Show All Editors By Most Recently Used", + "Quick Open Previous Recently Used Editor", + "Quick Open Least Recently Used Editor", + "Quick Open Previous Recently Used Editor in Group", + "Quick Open Least Recently Used Editor in Group", + "Quick Open Previous Editor from History", + "Open Next Recently Used Editor", + "Open Previous Recently Used Editor", + "Open Next Recently Used Editor In Group", + "Open Previous Recently Used Editor In Group", + "Clear Editor History", + "Do you want to clear the history of recently opened editors?", + "This action is irreversible!", + "&&Clear", + "Move Editor Left", + "Move Editor Right", + "Move Editor into Previous Group", + "Move Editor into Next Group", + "Move Editor into Group Above", + "Move Editor into Group Below", + "Move Editor into Left Group", + "Move Editor into Right Group", + "Move Editor into First Group", + "Move Editor into Last Group", + "Split Editor into Previous Group", + "Split Editor into Next Group", + "Split Editor into Group Above", + "Split Editor into Group Below", + "Split Editor into Left Group", + "Split Editor into Right Group", + "Split Editor into First Group", + "Split Editor into Last Group", + "Single Column Editor Layout", + "Two Columns Editor Layout", + "Three Columns Editor Layout", + "Two Rows Editor Layout", + "Three Rows Editor Layout", + "Grid Editor Layout (2x2)", + "Two Columns Bottom Editor Layout", + "Two Rows Right Editor Layout", + "New Editor Group to the Left", + "New Editor Group to the Right", + "New Editor Group Above", + "New Editor Group Below", + "Toggle Editor Type", + "Reopen Editor With Text Editor" ], - "vs/workbench/services/themes/browser/fileIconThemeData": [ - "Problems parsing file icons file: {0}", - "Invalid format for file icons theme file: Object expected." + "vs/editor/browser/editorExtensions": [ + "&&Undo", + "Undo", + "&&Redo", + "Redo", + "&&Select All", + "Select All" ], - "vs/workbench/services/themes/common/fileIconThemeSchema": [ - "The folder icon for expanded folders. The expanded folder icon is optional. If not set, the icon defined for folder will be shown.", - "The folder icon for collapsed folders, and if folderExpanded is not set, also for expanded folders.", - "The default file icon, shown for all files that don't match any extension, filename or language id.", - "Associates folder names to icons. The object key is the folder name, not including any path segments. No patterns or wildcards are allowed. Folder name matching is case insensitive.", - "The ID of the icon definition for the association.", - "Associates folder names to icons for expanded folders. The object key is the folder name, not including any path segments. No patterns or wildcards are allowed. Folder name matching is case insensitive.", - "The ID of the icon definition for the association.", - "Associates file extensions to icons. The object key is the file extension name. The extension name is the last segment of a file name after the last dot (not including the dot). Extensions are compared case insensitive.", - "The ID of the icon definition for the association.", - "Associates file names to icons. The object key is the full file name, but not including any path segments. File name can include dots and a possible file extension. No patterns or wildcards are allowed. File name matching is case insensitive.", - "The ID of the icon definition for the association.", - "Associates languages to icons. The object key is the language id as defined in the language contribution point.", - "The ID of the icon definition for the association.", - "Fonts that are used in the icon definitions.", - "The ID of the font.", - "The ID must only contain letter, numbers, underscore and minus.", - "The location of the font.", - "The font path, relative to the current file icon theme file.", - "The format of the font.", - "The weight of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight for valid values.", - "The style of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-style for valid values.", - "The default size of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-size for valid values.", - "Description of all icons that can be used when associating files to icons.", - "An icon definition. The object key is the ID of the definition.", - "When using a SVG or PNG: The path to the image. The path is relative to the icon set file.", - "When using a glyph font: The character in the font to use.", - "When using a glyph font: The color to use.", - "When using a font: The font size in percentage to the text font. If not set, defaults to the size in the font definition.", - "When using a font: The id of the font. If not set, defaults to the first font definition.", - "Optional associations for file icons in light color themes.", - "Optional associations for file icons in high contrast color themes.", - "Configures whether the file explorer's arrows should be hidden when this theme is active.", - "Configures whether the default language icons should be used if the theme does not define an icon for a language." + "vs/workbench/browser/parts/editor/editorQuickAccess": [ + "No matching editors", + "{0}, unsaved changes, {1}", + "{0}, {1}", + "{0}, unsaved changes", + "Close Editor" ], - "vs/workbench/services/themes/common/colorThemeSchema": [ - "Colors and styles for the token.", - "Foreground color for the token.", - "Token background colors are currently not supported.", - "Font style of the rule: 'italic', 'bold', 'underline', 'strikethrough' or a combination. The empty string unsets inherited settings.", - "Font style must be 'italic', 'bold', 'underline', 'strikethrough' or a combination or the empty string.", - "None (clear inherited style)", - "Description of the rule.", - "Scope selector against which this rule matches.", - "Colors in the workbench", - "Path to a tmTheme file (relative to the current file).", - "Colors for syntax highlighting", - "Whether semantic highlighting should be enabled for this theme.", - "Colors for semantic tokens" + "vs/workbench/browser/parts/editor/editorCommands": [ + "Move the active editor by tabs or groups", + "Active editor move argument", + "Argument Properties:\n\t* 'to': String value providing where to move.\n\t* 'by': String value providing the unit for move (by tab or by group).\n\t* 'value': Number value providing how many positions or an absolute position to move.", + "Copy the active editor by groups", + "Active editor copy argument", + "Argument Properties:\n\t* 'to': String value providing where to copy.\n\t* 'value': Number value providing how many positions or an absolute position to copy.", + "Toggle Inline View", + "Compare", + "Split Editor in Group", + "Join Editor in Group", + "Toggle Split Editor in Group", + "Toggle Layout of Split Editor in Group", + "Focus First Side in Active Editor", + "Focus Second Side in Active Editor", + "Focus Other Side in Active Editor", + "Toggle Editor Group Lock", + "Lock Editor Group", + "Unlock Editor Group" ], - "vs/workbench/services/themes/common/themeExtensionPoints": [ - "Contributes textmate color themes.", - "Id of the color theme as used in the user settings.", - "Label of the color theme as shown in the UI.", - "Base theme defining the colors around the editor: 'vs' is the light color theme, 'vs-dark' is the dark color theme. 'hc-black' is the dark high contrast theme, 'hc-light' is the light high contrast theme.", - "Path of the tmTheme file. The path is relative to the extension folder and is typically './colorthemes/awesome-color-theme.json'.", - "Contributes file icon themes.", - "Id of the file icon theme as used in the user settings.", - "Label of the file icon theme as shown in the UI.", - "Path of the file icon theme definition file. The path is relative to the extension folder and is typically './fileicons/awesome-icon-theme.json'.", - "Contributes product icon themes.", - "Id of the product icon theme as used in the user settings.", - "Label of the product icon theme as shown in the UI.", - "Path of the product icon theme definition file. The path is relative to the extension folder and is typically './producticons/awesome-product-icon-theme.json'.", - "Extension point `{0}` must be an array.", - "Expected string in `contributes.{0}.path`. Provided value: {1}", - "Expected string in `contributes.{0}.id`. Provided value: {1}", - "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable." + "vs/workbench/browser/codeeditor": [ + "Open Workspace" ], - "vs/workbench/services/themes/common/themeConfiguration": [ - "Specifies the color theme used in the workbench.", - "Theme is unknown or not installed.", - "Specifies the preferred color theme for dark OS appearance when `#{0}#` is enabled.", - "Theme is unknown or not installed.", - "Specifies the preferred color theme for light OS appearance when `#{0}#` is enabled.", - "Theme is unknown or not installed.", - "Specifies the preferred color theme used in high contrast dark mode when `#{0}#` is enabled.", - "Theme is unknown or not installed.", - "Specifies the preferred color theme used in high contrast light mode when `#{0}#` is enabled.", - "Theme is unknown or not installed.", - "If set, automatically switch to the preferred color theme based on the OS appearance. If the OS appearance is dark, the theme specified at `#{0}#` is used, for light `#{1}#`.", - "Overrides colors from the currently selected color theme.", - "Specifies the file icon theme used in the workbench or 'null' to not show any file icons.", - "None", - "No file icons", - "File icon theme is unknown or not installed.", - "Specifies the product icon theme used.", - "Default", - "Default", - "Product icon theme is unknown or not installed.", - "If enabled, will automatically change to high contrast theme if the OS is using a high contrast theme. The high contrast theme to use is specified by `#{0}#` and `#{1}#`", - "Sets the colors and styles for comments", - "Sets the colors and styles for strings literals.", - "Sets the colors and styles for keywords.", - "Sets the colors and styles for number literals.", - "Sets the colors and styles for type declarations and references.", - "Sets the colors and styles for functions declarations and references.", - "Sets the colors and styles for variables declarations and references.", - "Sets colors and styles using textmate theming rules (advanced).", - "Whether semantic highlighting should be enabled for this theme.", - "Use `enabled` in `editor.semanticTokenColorCustomizations` setting instead.", - "Use `enabled` in `#editor.semanticTokenColorCustomizations#` setting instead.", - "Overrides editor syntax colors and font style from the currently selected color theme.", - "Whether semantic highlighting is enabled or disabled for this theme", - "Semantic token styling rules for this theme.", - "Overrides editor semantic token color and styles from the currently selected color theme." + "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarPart": [ + "Move Secondary Side Bar Left", + "Move Secondary Side Bar Right", + "Hide Secondary Side Bar" ], - "vs/workbench/services/profiles/common/profile": [ - "Settings Profile", - "Settings Profile" + "vs/workbench/browser/parts/activitybar/activitybarPart": [ + "Settings icon in the view bar.", + "Accounts icon in the view bar.", + "Activity bar entries visibility customizations", + "Accounts entry visibility customization in the activity bar.", + "Menu", + "Hide Menu", + "Accounts", + "Hide Activity Bar", + "Reset Location", + "Reset Location", + "Manage", + "Manage", + "Accounts", + "Accounts" ], - "vs/workbench/services/themes/browser/productIconThemeData": [ - "Problems processing product icons definitions in {0}:\n{1}", - "Default", - "Problems parsing product icons file: {0}", - "Invalid format for product icons theme file: Object expected.", - "Invalid format for product icons theme file: Must contain iconDefinitions and fonts.", - "Invalid font weight in font '{0}'. Ignoring setting.", - "Invalid font style in font '{0}'. Ignoring setting.", - "Invalid font source in font '{0}'. Ignoring source.", - "No valid font source in font '{0}'. Ignoring font definition.", - "Missing or invalid font id '{0}'. Skipping font definition.", - "Skipping icon definition '{0}'. Unknown font.", - "Skipping icon definition '{0}'. Unknown fontCharacter." + "vs/workbench/browser/parts/editor/editorConfiguration": [ + "Markdown Preview", + "If an editor matching one of the listed types is opened as the first in an editor group and more than one group is open, the group is automatically locked. Locked groups will only be used for opening editors when explicitly chosen by user gesture (e.g. drag and drop), but not by default. Consequently the active editor in a locked group is less likely to be replaced accidentally with a different editor.", + "The default editor for files detected as binary. If undefined the user will be presented with a picker.", + "Configure glob patterns to editors (e.g. `\"*.hex\": \"hexEditor.hexEdit\"`). These have precedence over the default behavior." ], - "vs/workbench/services/views/common/viewContainerModel": [ - "Views visibility customizations in {0} view container" + "vs/workbench/browser/parts/panel/panelPart": [ + "Panel entries visibility customizations", + "Reset Location", + "Reset Location", + "Drag a view here to display.", + "More Actions...", + "Hide Panel" ], - "vs/workbench/services/themes/common/productIconThemeSchema": [ - "The ID of the font.", - "The ID must only contain letters, numbers, underscore and minus.", - "The location of the font.", - "The font path, relative to the current product icon theme file.", - "The format of the font.", - "The weight of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight for valid values.", - "The style of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-style for valid values.", - "Association of icon name to a font character." + "vs/workbench/browser/parts/statusbar/statusbarModel": [ + "Status bar entries visibility customizations" ], - "vs/workbench/services/extensionManagement/browser/extensionBisect": [ - "Extension Bisect is active and has disabled 1 extension. Check if you can still reproduce the problem and proceed by selecting from these options.", - "Extension Bisect is active and has disabled {0} extensions. Check if you can still reproduce the problem and proceed by selecting from these options.", - "Start Extension Bisect", - "Extension Bisect", - "Extension Bisect will use binary search to find an extension that causes a problem. During the process the window reloads repeatedly (~{0} times). Each time you must confirm if you are still seeing problems.", - "Start Extension Bisect", - "Continue Extension Bisect", - "Help", - "Extension Bisect", - "Extension Bisect is done but no extension has been identified. This might be a problem with {0}.", - "Extension Bisect", - "Report Issue & Continue", - "Continue", - "Extension Bisect is done and has identified {0} as the extension causing the problem.", - "Keep this extension disabled", - "Extension Bisect is active and has disabled {0} extensions. Check if you can still reproduce the problem and proceed by selecting from these options.", - "Extension Bisect", - "Good now", - "This is bad", - "Stop Bisect", - "Cancel", - "Stop Extension Bisect", - "Help" + "vs/workbench/browser/parts/statusbar/statusbarActions": [ + "Hide '{0}'", + "Focus Status Bar" ], - "vs/workbench/contrib/performance/browser/perfviewEditor": [ - "Startup Performance" + "vs/workbench/browser/parts/editor/editorDropTarget": [ + "Hold __{0}__ to drop into editor" ], - "vs/workbench/contrib/preferences/browser/keybindingWidgets": [ - "Press desired key combination and then press ENTER.", - "1 existing command has this keybinding", - "{0} existing commands have this keybinding", - "chord to" + "vs/workbench/browser/parts/editor/editorGroupView": [ + "Empty editor group actions", + "{0} (empty)", + "Group {0}", + "Editor Group {0}" ], - "vs/workbench/contrib/preferences/browser/preferencesActions": [ - "Configure Language Specific Settings...", - "({0})", - "Select Language" + "vs/platform/actions/common/menuResetAction": [ + "Reset Hidden Menus", + "View" ], - "vs/editor/contrib/suggest/browser/suggest": [ - "Whether suggestion details are visible", - "Whether there are multiple suggestions to pick from", - "Whether inserting the current suggestion yields in a change or has everything already been typed", - "Whether suggestions are inserted when pressing Enter", - "Whether the current suggestion has insert and replace behaviour", - "Whether the default behaviour is to insert or replace", - "Whether the current suggestion supports to resolve further details" + "vs/platform/actions/common/menuService": [ + "Hide '{0}'" ], - "vs/workbench/contrib/preferences/common/preferencesContribution": [ - "Split Settings Editor", - "Controls whether to enable the natural language search mode for settings. The natural language search is provided by a Microsoft online service.", - "Hide the Table of Contents while searching.", - "Filter the Table of Contents to just categories that have matching settings. Clicking a category will filter the results to that category.", - "Controls the behavior of the settings editor Table of Contents while searching." + "vs/base/browser/ui/dialog/dialog": [ + "OK", + "Info", + "Error", + "Warning", + "In Progress", + "Close Dialog" ], - "vs/workbench/contrib/preferences/browser/keybindingsEditor": [ - "Record Keys", - "Sort by Precedence (Highest first)", - "Type to search in keybindings", - "Recording Keys. Press Escape to exit", - "Clear Keybindings Search Input", - "Recording Keys", - "Command", - "Keybinding", - "When", - "Source", - "Showing {0} Keybindings in precedence order", - "Showing {0} Keybindings in alphabetical order", - "Change Keybinding...", - "Add Keybinding...", - "Add Keybinding...", - "Change When Expression", - "Remove Keybinding", - "Reset Keybinding", - "Show Same Keybindings", - "Copy", - "Copy Command ID", - "Copy Command Title", - "Error '{0}' while editing the keybinding. Please open 'keybindings.json' file and check for errors.", - "Change Keybinding {0}", - "Change Keybinding", - "Add Keybinding {0}", - "Add Keybinding", - "{0} ({1})", - "Type when context. Press Enter to confirm or Escape to cancel.", - "Keybindings", - "No Keybinding assigned.", - "No when context." + "vs/workbench/services/preferences/common/preferencesEditorInput": [ + "Settings" ], - "vs/workbench/contrib/preferences/browser/settingsEditor2": [ - "Search settings", - "Clear Settings Search Input", - "Filter Settings", - "No Settings Found", - "Clear Filters", - "Settings", - "Workspace Trust", - "No Settings Found", - "1 Setting Found", - "{0} Settings Found", - "Turn on Settings Sync", - "Last synced: {0}" + "vs/workbench/services/textfile/common/textFileEditorModel": [ + "File Encoding Changed" ], - "vs/workbench/contrib/preferences/browser/preferencesIcons": [ - "Icon for an expanded section in the split JSON Settings editor.", - "Icon for a collapsed section in the split JSON Settings editor.", - "Icon for the folder dropdown button in the split JSON Settings editor.", - "Icon for the 'more actions' action in the Settings UI.", - "Icon for the 'record keys' action in the keybinding UI.", - "Icon for the 'sort by precedence' toggle in the keybinding UI.", - "Icon for the edit action in the keybinding UI.", - "Icon for the add action in the keybinding UI.", - "Icon for the edit action in the Settings UI.", - "Icon for the add action in the Settings UI.", - "Icon for the remove action in the Settings UI.", - "Icon for the discard action in the Settings UI.", - "Icon for clear input in the Settings and keybinding UI.", - "Icon for the button that suggests filters for the Settings UI.", - "Icon for open settings commands." + "vs/workbench/services/editor/common/editorResolverService": [ + "Configure glob patterns to editors (e.g. `\"*.hex\": \"hexEditor.hexEdit\"`). These have precedence over the default behavior." ], - "vs/workbench/services/workingCopy/common/storedFileWorkingCopySaveParticipant": [ - "Saving '{0}'" + "vs/workbench/services/preferences/common/preferencesModels": [ + "Commonly Used", + "Override key bindings by placing them into your key bindings file." ], - "vs/workbench/contrib/files/browser/fileConstants": [ - "Save As...", - "Save", - "Save without Formatting", - "Save All", - "Remove Folder from Workspace", - "New Untitled File" + "vs/platform/keybinding/common/abstractKeybindingService": [ + "({0}) was pressed. Waiting for second key of chord...", + "The key combination ({0}, {1}) is not a command." ], - "vs/workbench/contrib/testing/browser/icons": [ - "View icon of the test view.", - "Icon of the \"run test\" action.", - "Icon of the \"run all tests\" action.", - "Icon of the \"debug all tests\" action.", - "Icon of the \"debug test\" action.", - "Icon to cancel ongoing test runs.", - "Icon for the 'Filter' action in the testing view.", - "Icon shown beside hidden tests, when they've been shown.", - "Icon shown when the test explorer is disabled as a tree.", - "Icon shown when the test explorer is disabled as a list.", - "Icon shown to update test profiles.", - "Icon on the button to refresh tests.", - "Icon on the button to cancel refreshing tests.", - "Icon shown for tests that have an error.", - "Icon shown for tests that failed.", - "Icon shown for tests that passed.", - "Icon shown for tests that are queued.", - "Icon shown for tests that are skipped.", - "Icon shown for tests that are in an unset state." + "vs/workbench/services/preferences/browser/keybindingsEditorInput": [ + "Keyboard Shortcuts" ], - "vs/workbench/contrib/testing/browser/testingDecorations": [ - "Peek Test Output", - "Expected", - "Actual", - "Click for test options", - "Click to debug tests, right click for more options", - "Click to run tests, right click for more options", - "Run Test", - "Debug Test", - "Execute Using Profile...", - "Peek Error", - "Reveal in Test Explorer", - "Run All Tests", - "Debug All Tests" + "vs/base/common/keybindingLabels": [ + "Ctrl", + "Shift", + "Alt", + "Windows", + "Ctrl", + "Shift", + "Alt", + "Super", + "Control", + "Shift", + "Option", + "Command", + "Control", + "Shift", + "Alt", + "Windows", + "Control", + "Shift", + "Alt", + "Super" ], - "vs/workbench/contrib/testing/browser/testingViewPaneContainer": [ - "Testing" + "vs/workbench/services/themes/common/colorThemeData": [ + "Problems parsing JSON theme file: {0}", + "Invalid format for JSON theme file: Object expected.", + "Problem parsing color theme file: {0}. Property 'colors' is not of type 'object'.", + "Problem parsing color theme file: {0}. Property 'tokenColors' should be either an array specifying colors or a path to a TextMate theme file", + "Problem parsing color theme file: {0}. Property 'semanticTokenColors' contains a invalid selector", + "Problem parsing tmTheme file: {0}. 'settings' is not array.", + "Problems parsing tmTheme file: {0}", + "Problems loading tmTheme file {0}: {1}" ], - "vs/workbench/contrib/testing/browser/testingOutputTerminalService": [ - "Test Output at {0}", - "Test Output", - "\r\nNo tests have been run, yet.\r\n", - "The test run did not record any output.", - "Test run finished at {0}" + "vs/workbench/services/themes/browser/fileIconThemeData": [ + "Problems parsing file icons file: {0}", + "Invalid format for file icons theme file: Object expected." ], - "vs/workbench/contrib/testing/browser/testingProgressUiService": [ - "Running tests...", - "Running tests, {0}/{1} passed ({2}%)", - "Running tests, {0}/{1} tests passed ({2}%, {3} skipped)", - "{0}/{1} tests passed ({2}%)", - "{0}/{1} tests passed ({2}%, {3} skipped)" + "vs/workbench/services/themes/common/themeExtensionPoints": [ + "Contributes textmate color themes.", + "Id of the color theme as used in the user settings.", + "Label of the color theme as shown in the UI.", + "Base theme defining the colors around the editor: 'vs' is the light color theme, 'vs-dark' is the dark color theme. 'hc-black' is the dark high contrast theme, 'hc-light' is the light high contrast theme.", + "Path of the tmTheme file. The path is relative to the extension folder and is typically './colorthemes/awesome-color-theme.json'.", + "Contributes file icon themes.", + "Id of the file icon theme as used in the user settings.", + "Label of the file icon theme as shown in the UI.", + "Path of the file icon theme definition file. The path is relative to the extension folder and is typically './fileicons/awesome-icon-theme.json'.", + "Contributes product icon themes.", + "Id of the product icon theme as used in the user settings.", + "Label of the product icon theme as shown in the UI.", + "Path of the product icon theme definition file. The path is relative to the extension folder and is typically './producticons/awesome-product-icon-theme.json'.", + "Extension point `{0}` must be an array.", + "Expected string in `contributes.{0}.path`. Provided value: {1}", + "Expected string in `contributes.{0}.id`. Provided value: {1}", + "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable." ], - "vs/workbench/contrib/testing/browser/testingOutputPeek": [ - "Expected result", - "Actual result", - "Close", - "Unnamed Task", - "+ {0} more lines", - "+ 1 more line", - "Test Result Messages", - "Show Result Output", - "Rerun Test Run", - "Debug Test Run", - "Go to File", - "Reveal in Test Explorer", - "Run Test", - "Debug Test", - "Go to Next Test Failure", - "Go to Previous Test Failure", - "Open in Editor", - "Toggle Test History in Peek" + "vs/workbench/services/themes/common/colorThemeSchema": [ + "Colors and styles for the token.", + "Foreground color for the token.", + "Token background colors are currently not supported.", + "Font style of the rule: 'italic', 'bold', 'underline', 'strikethrough' or a combination. The empty string unsets inherited settings.", + "Font style must be 'italic', 'bold', 'underline', 'strikethrough' or a combination or the empty string.", + "None (clear inherited style)", + "Description of the rule.", + "Scope selector against which this rule matches.", + "Colors in the workbench", + "Path to a tmTheme file (relative to the current file).", + "Colors for syntax highlighting", + "Whether semantic highlighting should be enabled for this theme.", + "Colors for semantic tokens" ], - "vs/workbench/contrib/testing/common/configuration": [ - "Testing", - "Controls which tests are automatically run.", - "Automatically runs all discovered test when auto-run is toggled. Reruns individual tests when they are changed.", - "Reruns individual tests when they are changed. Will not automatically run any tests that have not been already executed.", - "How long to wait, in milliseconds, after a test is marked as outdated and starting a new run.", - "Configures when the error peek view is automatically opened.", - "Open automatically no matter where the failure is.", - "Open automatically when a test fails in a visible document.", - "Never automatically open.", - "Controls whether to automatically open the peek view during auto-run mode.", - "Controls whether the running test should be followed in the test explorer view", - "Controls the action to take when left-clicking on a test decoration in the gutter.", - "Run the test.", - "Debug the test.", - "Open the context menu for more options.", - "Controls whether test decorations are shown in the editor gutter.", - "Control whether save all dirty editors before running a test.", - "Never automatically open the testing view", - "Open the testing view when tests start", - "Open the testing view on any test failure", - "Controls when the testing view should open." + "vs/workbench/services/themes/common/fileIconThemeSchema": [ + "The folder icon for expanded folders. The expanded folder icon is optional. If not set, the icon defined for folder will be shown.", + "The folder icon for collapsed folders, and if folderExpanded is not set, also for expanded folders.", + "The default file icon, shown for all files that don't match any extension, filename or language id.", + "Associates folder names to icons. The object key is the folder name, not including any path segments. No patterns or wildcards are allowed. Folder name matching is case insensitive.", + "The ID of the icon definition for the association.", + "Associates folder names to icons for expanded folders. The object key is the folder name, not including any path segments. No patterns or wildcards are allowed. Folder name matching is case insensitive.", + "The ID of the icon definition for the association.", + "Associates file extensions to icons. The object key is the file extension name. The extension name is the last segment of a file name after the last dot (not including the dot). Extensions are compared case insensitive.", + "The ID of the icon definition for the association.", + "Associates file names to icons. The object key is the full file name, but not including any path segments. File name can include dots and a possible file extension. No patterns or wildcards are allowed. File name matching is case insensitive.", + "The ID of the icon definition for the association.", + "Associates languages to icons. The object key is the language id as defined in the language contribution point.", + "The ID of the icon definition for the association.", + "Fonts that are used in the icon definitions.", + "The ID of the font.", + "The ID must only contain letter, numbers, underscore and minus.", + "The location of the font.", + "The font path, relative to the current file icon theme file.", + "The format of the font.", + "The weight of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight for valid values.", + "The style of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-style for valid values.", + "The default size of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-size for valid values.", + "Description of all icons that can be used when associating files to icons.", + "An icon definition. The object key is the ID of the definition.", + "When using a SVG or PNG: The path to the image. The path is relative to the icon set file.", + "When using a glyph font: The character in the font to use.", + "When using a glyph font: The color to use.", + "When using a font: The font size in percentage to the text font. If not set, defaults to the size in the font definition.", + "When using a font: The id of the font. If not set, defaults to the first font definition.", + "Optional associations for file icons in light color themes.", + "Optional associations for file icons in high contrast color themes.", + "Configures whether the file explorer's arrows should be hidden when this theme is active.", + "Configures whether the default language icons should be used if the theme does not define an icon for a language." ], - "vs/workbench/contrib/testing/common/testingContextKeys": [ - "Indicates whether any test controller has an attached refresh handler.", - "Indicates whether any test controller is currently refreshing tests.", - "Indicates whether any test controller has registered a debug configuration", - "Indicates whether any test controller has registered a run configuration", - "Indicates whether any test controller has registered a coverage configuration", - "Indicates whether any test controller has registered a non-default configuration", - "Indicates whether any test configuration can be configured", - "Type of the item in the output peek view. Either a \"test\", \"message\", \"task\", or \"result\".", - "Controller ID of the current test item", - "ID of the current test item, set when creating or opening menus on test items", - "Boolean indicating whether the test item has a URI defined", - "Boolean indicating whether the test item is hidden" + "vs/workbench/services/themes/browser/productIconThemeData": [ + "Problems processing product icons definitions in {0}:\n{1}", + "Default", + "Problems parsing product icons file: {0}", + "Invalid format for product icons theme file: Object expected.", + "Invalid format for product icons theme file: Must contain iconDefinitions and fonts.", + "Invalid font weight in font '{0}'. Ignoring setting.", + "Invalid font style in font '{0}'. Ignoring setting.", + "Invalid font source in font '{0}'. Ignoring source.", + "No valid font source in font '{0}'. Ignoring font definition.", + "Missing or invalid font id '{0}'. Skipping font definition.", + "Skipping icon definition '{0}'. Unknown font.", + "Skipping icon definition '{0}'. Unknown fontCharacter." ], - "vs/workbench/contrib/testing/browser/testingConfigurationUi": [ - "Pick a test profile to use", - "Update Test Configuration" + "vs/workbench/services/themes/common/productIconThemeSchema": [ + "The ID of the font.", + "The ID must only contain letters, numbers, underscore and minus.", + "The location of the font.", + "The font path, relative to the current product icon theme file.", + "The format of the font.", + "The weight of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight for valid values.", + "The style of the font. See https://developer.mozilla.org/en-US/docs/Web/CSS/font-style for valid values.", + "Association of icon name to a font character." ], - "vs/workbench/contrib/testing/browser/testingExplorerView": [ - "{0} (Default)", - "Select Default Profile", - "Configure Test Profiles", - "No tests were found in this file.", - "Show Workspace Tests", - "{0}, in {1}", - "Test Explorer" + "vs/workbench/services/views/common/viewContainerModel": [ + "Views visibility customizations in {0} view container" ], - "vs/workbench/contrib/testing/common/testServiceImpl": [ - "Running tests may execute code in your workspace.", - "An error occurred attempting to run tests: {0}" + "vs/workbench/services/workingCopy/common/storedFileWorkingCopySaveParticipant": [ + "Saving '{0}'" ], - "vs/workbench/contrib/notebook/browser/notebookEditor": [ - "Cannot open resource with notebook editor type '{0}', please check if you have the right extension installed and enabled.", - "Open in Text Editor" + "vs/workbench/services/themes/common/themeConfiguration": [ + "Specifies the color theme used in the workbench.", + "Theme is unknown or not installed.", + "Specifies the preferred color theme for dark OS appearance when `#{0}#` is enabled.", + "Theme is unknown or not installed.", + "Specifies the preferred color theme for light OS appearance when `#{0}#` is enabled.", + "Theme is unknown or not installed.", + "Specifies the preferred color theme used in high contrast dark mode when `#{0}#` is enabled.", + "Theme is unknown or not installed.", + "Specifies the preferred color theme used in high contrast light mode when `#{0}#` is enabled.", + "Theme is unknown or not installed.", + "If set, automatically switch to the preferred color theme based on the OS appearance. If the OS appearance is dark, the theme specified at `#{0}#` is used, for light `#{1}#`.", + "Overrides colors from the currently selected color theme.", + "Specifies the file icon theme used in the workbench or 'null' to not show any file icons.", + "None", + "No file icons", + "File icon theme is unknown or not installed.", + "Specifies the product icon theme used.", + "Default", + "Default", + "Product icon theme is unknown or not installed.", + "If enabled, will automatically change to high contrast theme if the OS is using a high contrast theme. The high contrast theme to use is specified by `#{0}#` and `#{1}#`", + "Sets the colors and styles for comments", + "Sets the colors and styles for strings literals.", + "Sets the colors and styles for keywords.", + "Sets the colors and styles for number literals.", + "Sets the colors and styles for type declarations and references.", + "Sets the colors and styles for functions declarations and references.", + "Sets the colors and styles for variables declarations and references.", + "Sets colors and styles using textmate theming rules (advanced).", + "Whether semantic highlighting should be enabled for this theme.", + "Use `enabled` in `editor.semanticTokenColorCustomizations` setting instead.", + "Use `enabled` in `#editor.semanticTokenColorCustomizations#` setting instead.", + "Overrides editor syntax colors and font style from the currently selected color theme.", + "Whether semantic highlighting is enabled or disabled for this theme", + "Semantic token styling rules for this theme.", + "Overrides editor semantic token color and styles from the currently selected color theme." ], - "vs/workbench/contrib/testing/browser/testExplorerActions": [ - "Hide Test", - "Unhide Test", - "Unhide All Tests", - "Debug Test", - "Execute Using Profile...", - "Run Test", - "Select Default Profile", - "Configure Test Profiles", - "Select a profile to update", - "Run Tests", - "Debug Tests", - "Discovering Tests", - "Run All Tests", - "No tests found in this workspace. You may need to install a test provider extension", - "Debug All Tests", - "No debuggable tests found in this workspace. You may need to install a test provider extension", - "Cancel Test Run", - "View as List", - "View as Tree", - "Sort by Status", - "Sort by Location", - "Sort by Duration", - "Show Output", - "Collapse All Tests", - "Clear All Results", - "Go to Test", - "Run Test at Cursor", - "Debug Test at Cursor", - "Run Tests in Current File", - "Debug Tests in Current File", - "Rerun Failed Tests", - "Debug Failed Tests", - "Rerun Last Run", - "Debug Last Run", - "Search for Test Extension", - "Peek Output", - "Toggle Inline Test Output", - "Refresh Tests", - "Cancel Test Refresh" + "vs/workbench/services/extensionManagement/browser/extensionBisect": [ + "Extension Bisect is active and has disabled 1 extension. Check if you can still reproduce the problem and proceed by selecting from these options.", + "Extension Bisect is active and has disabled {0} extensions. Check if you can still reproduce the problem and proceed by selecting from these options.", + "Start Extension Bisect", + "Extension Bisect", + "Extension Bisect will use binary search to find an extension that causes a problem. During the process the window reloads repeatedly (~{0} times). Each time you must confirm if you are still seeing problems.", + "Start Extension Bisect", + "Continue Extension Bisect", + "Help", + "Extension Bisect", + "Extension Bisect is done but no extension has been identified. This might be a problem with {0}.", + "Extension Bisect", + "Report Issue & Continue", + "Continue", + "Extension Bisect is done and has identified {0} as the extension causing the problem.", + "Keep this extension disabled", + "Extension Bisect is active and has disabled {0} extensions. Check if you can still reproduce the problem and proceed by selecting from these options.", + "Extension Bisect", + "Good now", + "This is bad", + "Stop Bisect", + "Cancel", + "Stop Extension Bisect", + "Help" ], - "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": [ - "Notebook Text Diff" + "vs/workbench/contrib/preferences/browser/keybindingWidgets": [ + "Press desired key combination and then press ENTER.", + "1 existing command has this keybinding", + "{0} existing commands have this keybinding", + "chord to" + ], + "vs/workbench/contrib/performance/browser/perfviewEditor": [ + "Startup Performance" + ], + "vs/workbench/contrib/notebook/browser/notebookEditor": [ + "Cannot open resource with notebook editor type '{0}', please check if you have the right extension installed and enabled.", + "Open in Text Editor" ], "vs/workbench/contrib/notebook/browser/services/notebookKeymapServiceImpl": [ "Disable other keymaps ({0}) to avoid conflicts between keybindings?", "Yes", "No" ], + "vs/workbench/contrib/notebook/browser/notebookExecutionServiceImpl": [ + "Executing a notebook cell will run code from this workspace." + ], "vs/workbench/contrib/comments/browser/commentReply": [ "Reply...", "Type a new comment", @@ -20135,31 +20283,41 @@ "vs/editor/common/languages/modesRegistry": [ "Plain Text" ], - "vs/workbench/contrib/notebook/browser/notebookExecutionServiceImpl": [ - "Executing a notebook cell will run code from this workspace." - ], "vs/workbench/contrib/notebook/browser/controller/coreActions": [ "Notebook", "Insert Cell", - "Notebook Cell" + "Notebook Cell", + "Share" ], - "vs/workbench/contrib/notebook/browser/controller/executeActions": [ - "Render All Markdown Cells", - "Run All", - "Run All", - "Execute Cell", - "Execute Cell", - "Execute Above Cells", - "Execute Cell and Below", - "Execute Cell and Focus Container", - "Execute Cell and Focus Container", - "Stop Cell Execution", - "Stop Cell Execution", - "Execute Notebook Cell and Select Below", - "Execute Notebook Cell and Insert Below", - "Stop Execution", - "Stop Execution", - "Go To Running Cell" + "vs/workbench/contrib/notebook/browser/controller/editActions": [ + "Edit Cell", + "Stop Editing Cell", + "Delete Cell", + "Clear Cell Outputs", + "Clear Outputs of All Cells", + "Change Cell Language", + "Change Cell Language", + "({0}) - Current Language", + "({0})", + "Auto Detect", + "languages (identifier)", + "Select Language Mode", + "Accept Detected Language for Cell", + "Unable to detect cell language" + ], + "vs/workbench/contrib/notebook/browser/controller/layoutActions": [ + "Select between Notebook Layouts", + "Customize Notebook Layout", + "Customize Notebook Layout", + "Customize Notebook...", + "Toggle Notebook Line Numbers", + "Show Notebook Line Numbers", + "Toggle Cell Toolbar Position", + "Toggle Breadcrumbs", + "Save Mimetype Display Order", + "Settings file to save in", + "User Settings", + "Workspace Settings" ], "vs/workbench/contrib/notebook/browser/controller/insertCellActions": [ "Insert Code Cell Above", @@ -20170,21 +20328,21 @@ "Insert Markdown Cell Below", "Add Code Cell At Top", "Add Markdown Cell At Top", - "$(add) Code", + "Code", "Add Code Cell", "Add Code", "Add Code Cell", "Code", "Add Code Cell", - "$(add) Code", + "Code", "Add Code Cell", "Add Code", "Add Code Cell", - "$(add) Markdown", + "Markdown", "Add Markdown Cell", "Markdown", "Add Markdown Cell", - "$(add) Markdown", + "Markdown", "Add Markdown Cell" ], "vs/workbench/contrib/notebook/browser/controller/foldingController": [ @@ -20199,63 +20357,46 @@ "Paste Cell Above", "Toggle Notebook Clipboard Troubleshooting" ], - "vs/workbench/contrib/notebook/browser/controller/layoutActions": [ - "Select between Notebook Layouts", - "Customize Notebook Layout", - "Customize Notebook Layout", - "Customize Notebook...", - "Toggle Notebook Line Numbers", - "Show Notebook Line Numbers", - "Toggle Cell Toolbar Position", - "Toggle Breadcrumbs", - "Save Mimetype Display Order", - "Settings file to save in", - "User Settings", - "Workspace Settings" - ], - "vs/workbench/contrib/notebook/browser/controller/editActions": [ - "Delete Cell", - "Edit Cell", - "Stop Editing Cell", - "Delete Cell", - "Clear Cell Outputs", - "Clear Outputs of All Cells", - "Change Cell Language", - "Change Cell Language", - "({0}) - Current Language", - "({0})", - "Auto Detect", - "languages (identifier)", - "Select Language Mode", - "Accept Detected Language for Cell", - "Unable to detect cell language" - ], - "vs/workbench/contrib/notebook/browser/contrib/find/notebookFind": [ - "Hide Find in Notebook", - "Find in Notebook" + "vs/workbench/contrib/notebook/browser/contrib/gettingStarted/notebookGettingStarted": [ + "Reset notebook getting started" ], "vs/workbench/contrib/notebook/browser/contrib/format/formatting": [ "Format Notebook", "Format Notebook", "Format Cell" ], - "vs/workbench/contrib/notebook/browser/contrib/gettingStarted/notebookGettingStarted": [ - "Reset notebook getting started" - ], - "vs/workbench/contrib/notebook/browser/contrib/outline/notebookOutline": [ - "empty cell", - "When enabled notebook outline shows code cells.", - "When enabled notebook breadcrumbs contain code cells." - ], "vs/workbench/contrib/notebook/browser/contrib/layout/layoutActions": [ "Toggle Cell Toolbar Position" ], - "vs/workbench/contrib/notebook/browser/contrib/profile/notebookProfile": [ - "Set Profile" + "vs/workbench/contrib/notebook/browser/contrib/find/notebookFind": [ + "Hide Find in Notebook", + "Find in Notebook" ], - "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/statusBarProviders": [ - "Select Cell Language Mode", - "Accept Detected Language: {0}" + "vs/workbench/contrib/notebook/browser/controller/executeActions": [ + "Render All Markdown Cells", + "Run All", + "Run All", + "Execute Cell", + "Execute Cell", + "Execute Above Cells", + "Execute Cell and Below", + "Execute Cell and Focus Container", + "Execute Cell and Focus Container", + "Stop Cell Execution", + "Stop Cell Execution", + "Execute Notebook Cell and Select Below", + "Execute Notebook Cell and Insert Below", + "Stop Execution", + "Stop Execution", + "Go to Running Cell", + "Go to Running Cell", + "Go To", + "Go to Most Recently Failed Cell", + "Go to Most Recently Failed Cell", + "Go To" + ], + "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": [ + "Notebook Text Diff" ], "vs/workbench/contrib/notebook/browser/contrib/navigation/arrow": [ "Focus Next Cell Editor", @@ -20271,6 +20412,115 @@ "Cell Cursor Page Down Select", "When enabled cursor can navigate to the next/previous cell when the current cursor in the cell editor is at the first/last line." ], + "vs/workbench/contrib/notebook/browser/contrib/profile/notebookProfile": [ + "Set Profile" + ], + "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/statusBarProviders": [ + "Select Cell Language Mode", + "Accept Detected Language: {0}" + ], + "vs/workbench/contrib/notebook/browser/contrib/outline/notebookOutline": [ + "empty cell", + "When enabled notebook outline shows code cells.", + "When enabled notebook breadcrumbs contain code cells." + ], + "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/executionStatusBarItemController": [ + "Success", + "Failed", + "Pending", + "Executing" + ], + "vs/workbench/contrib/notebook/browser/contrib/editorStatusBar/editorStatusBar": [ + "Select Notebook Kernel", + "Notebook Kernel Args", + "Currently Selected", + "{0} - Currently Selected", + "Suggested", + "Other", + "Install suggested extensions", + "Browse marketplace for kernel extensions", + "Change kernel for '{0}'", + "Select kernel for '{0}'", + "Notebook Kernel Info", + "{0} (suggestion)", + "Notebook Kernel Selection", + "Select Kernel", + "Select Kernel", + "Notebook Editor Selections", + "Cell {0} ({1} selected)", + "Cell {0} of {1}" + ], + "vs/workbench/contrib/notebook/browser/contrib/cellCommands/cellCommands": [ + "Move Cell Up", + "Move Cell Down", + "Copy Cell Up", + "Copy Cell Down", + "Split Cell", + "Join With Previous Cell", + "Join With Next Cell", + "Change Cell to Code", + "Change Cell to Markdown", + "Collapse Cell Input", + "Expand Cell Input", + "Collapse Cell Output", + "Expand Cell Output", + "Toggle Outputs", + "Toggle Outputs", + "Collapse All Cell Inputs", + "Expand All Cell Inputs", + "Collapse All Cell Outputs", + "Expand All Cell Outputs" + ], + "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": [ + "Open Text Diff Editor", + "Revert Metadata", + "Switch Output Rendering", + "Revert Outputs", + "Revert Input", + "Show Outputs Differences", + "Show Metadata Differences", + "Hide Metadata Differences", + "Hide Outputs Differences" + ], + "vs/workbench/contrib/interactive/browser/interactiveEditor": [ + "Type '{0}' code here and press {1} to run" + ], + "vs/editor/contrib/peekView/browser/peekView": [ + "Whether the current code editor is embedded inside peek", + "Close", + "Background color of the peek view title area.", + "Color of the peek view title.", + "Color of the peek view title info.", + "Color of the peek view borders and arrow.", + "Background color of the peek view result list.", + "Foreground color for line nodes in the peek view result list.", + "Foreground color for file nodes in the peek view result list.", + "Background color of the selected entry in the peek view result list.", + "Foreground color of the selected entry in the peek view result list.", + "Background color of the peek view editor.", + "Background color of the gutter in the peek view editor.", + "Match highlight color in the peek view result list.", + "Match highlight color in the peek view editor.", + "Match highlight border in the peek view editor." + ], + "vs/editor/contrib/suggest/browser/suggest": [ + "Whether any suggestion is focused", + "Whether suggestion details are visible", + "Whether there are multiple suggestions to pick from", + "Whether inserting the current suggestion yields in a change or has everything already been typed", + "Whether suggestions are inserted when pressing Enter", + "Whether the current suggestion has insert and replace behaviour", + "Whether the default behaviour is to insert or replace", + "Whether the current suggestion supports to resolve further details" + ], + "vs/workbench/contrib/notebook/browser/contrib/troubleshoot/layout": [ + "Toggle Layout Troubleshoot", + "Inspect Notebook Layout", + "Clear Notebook Editor Type Cache" + ], + "vs/platform/quickinput/browser/helpQuickAccess": [ + "{0}, {1}" + ], "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": [ "No matching views", "Side Bar", @@ -20278,31 +20528,12 @@ "Secondary Side Bar", "{0}: {1}", "Terminal", + "Debug Console", "Log ({0})", "Output", "Open View", "Quick Open View" ], - "vs/platform/quickinput/browser/helpQuickAccess": [ - "{0}, {1}" - ], - "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/executionStatusBarItemController": [ - "Success", - "Failed", - "Pending", - "Executing" - ], - "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": [ - "Open Text Diff Editor", - "Revert Metadata", - "Switch Output Rendering", - "Revert Outputs", - "Revert Input", - "Show Outputs Differences", - "Show Metadata Differences", - "Hide Metadata Differences", - "Hide Outputs Differences" - ], "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": [ "No matching commands", "Configure Keybinding", @@ -20313,46 +20544,86 @@ "This action is irreversible!", "&&Clear" ], - "vs/workbench/contrib/notebook/browser/contrib/cellCommands/cellCommands": [ - "Move Cell Up", - "Move Cell Down", - "Copy Cell Up", - "Copy Cell Down", - "Split Cell", - "Join With Previous Cell", - "Join With Next Cell", - "Change Cell to Code", - "Change Cell to Markdown", - "Collapse Cell Input", - "Expand Cell Input", - "Collapse Cell Output", - "Expand Cell Output", - "Toggle Outputs", - "Toggle Outputs", - "Collapse All Cell Inputs", - "Expand All Cell Inputs", - "Collapse All Cell Outputs", - "Expand All Cell Outputs" + "vs/workbench/contrib/notebook/browser/notebookIcons": [ + "Configure icon in kernel configuration widget in notebook editors.", + "Configure icon to select a kernel in notebook editors.", + "Icon to execute in notebook editors.", + "Icon to execute above cells in notebook editors.", + "Icon to execute below cells in notebook editors.", + "Icon to stop an execution in notebook editors.", + "Icon to delete a cell in notebook editors.", + "Icon to execute all cells in notebook editors.", + "Icon to edit a cell in notebook editors.", + "Icon to stop editing a cell in notebook editors.", + "Icon to move up a cell in notebook editors.", + "Icon to move down a cell in notebook editors.", + "Icon to clear cell outputs in notebook editors.", + "Icon to split a cell in notebook editors.", + "Icon to unfold a cell in notebook editors.", + "Icon to indicate a success state in notebook editors.", + "Icon to indicate an error state in notebook editors.", + "Icon to indicate a pending state in notebook editors.", + "Icon to indicate an executing state in notebook editors.", + "Icon to annotate a collapsed section in notebook editors.", + "Icon to annotate an expanded section in notebook editors.", + "Icon to open the notebook in a text editor.", + "Icon to revert in notebook editors.", + "Icon to render output in diff editor.", + "Icon for a mime type in notebook editors." ], - "vs/workbench/contrib/notebook/browser/contrib/editorStatusBar/editorStatusBar": [ - "Select Notebook Kernel", - "Notebook Kernel Args", - "Set as default for '{0}' notebooks", - "Currently Selected", - "{0} - Currently Selected", - "Suggested", - "Other", - "Install kernels from the marketplace", - "Change kernel for '{0}'", - "Select kernel for '{0}'", - "Notebook Kernel Info", - "{0} (suggestion)", - "Notebook Kernel Selection", - "Select Kernel", - "Select Kernel", - "Notebook Editor Selections", - "Cell {0} ({1} selected)", - "Cell {0} of {1}" + "vs/workbench/contrib/logs/common/logsActions": [ + "Set Log Level...", + "Trace", + "Debug", + "Info", + "Warning", + "Error", + "Critical", + "Off", + "Select log level", + "Default & Current", + "Default", + "Current", + "Open Window Log File (Session)...", + "Current", + "Select Session", + "Select Log file" + ], + "vs/workbench/contrib/files/browser/views/explorerView": [ + "Explorer Section: {0}", + "New File", + "New Folder", + "Refresh Explorer", + "Collapse Folders in Explorer" + ], + "vs/workbench/contrib/testing/browser/icons": [ + "View icon of the test view.", + "Icon of the \"run test\" action.", + "Icon of the \"run all tests\" action.", + "Icon of the \"debug all tests\" action.", + "Icon of the \"debug test\" action.", + "Icon to cancel ongoing test runs.", + "Icon for the 'Filter' action in the testing view.", + "Icon shown beside hidden tests, when they've been shown.", + "Icon shown when the test explorer is disabled as a tree.", + "Icon shown when the test explorer is disabled as a list.", + "Icon shown to update test profiles.", + "Icon on the button to refresh tests.", + "Icon on the button to cancel refreshing tests.", + "Icon shown for tests that have an error.", + "Icon shown for tests that failed.", + "Icon shown for tests that passed.", + "Icon shown for tests that are queued.", + "Icon shown for tests that are skipped.", + "Icon shown for tests that are in an unset state." + ], + "vs/workbench/contrib/files/browser/fileConstants": [ + "Save As...", + "Save", + "Save without Formatting", + "Save All", + "Remove Folder from Workspace", + "New Untitled File" ], "vs/workbench/contrib/files/browser/views/openEditorsView": [ "Open Editors", @@ -20366,12 +20637,116 @@ "vs/workbench/contrib/files/browser/views/emptyView": [ "No Folder Opened" ], - "vs/workbench/contrib/files/browser/views/explorerView": [ - "Explorer Section: {0}", - "New File", - "New Folder", - "Refresh Explorer", - "Collapse Folders in Explorer" + "vs/workbench/contrib/testing/browser/testingDecorations": [ + "Peek Test Output", + "Expected", + "Actual", + "Click for test options", + "Click to debug tests, right click for more options", + "Click to run tests, right click for more options", + "Run Test", + "Debug Test", + "Execute Using Profile...", + "Peek Error", + "Reveal in Test Explorer", + "Run All Tests", + "Debug All Tests" + ], + "vs/workbench/contrib/testing/browser/testingProgressUiService": [ + "Running tests...", + "Running tests, {0}/{1} passed ({2}%)", + "Running tests, {0}/{1} tests passed ({2}%, {3} skipped)", + "{0}/{1} tests passed ({2}%)", + "{0}/{1} tests passed ({2}%, {3} skipped)" + ], + "vs/workbench/contrib/testing/browser/testingExplorerView": [ + "{0} (Default)", + "Select Default Profile", + "Configure Test Profiles", + "No tests were found in this file.", + "Show Workspace Tests", + "{0}, in {1}", + "Test Explorer" + ], + "vs/workbench/contrib/testing/browser/testingOutputTerminalService": [ + "Test Output at {0}", + "Test Output", + "\r\nNo tests have been run, yet.\r\n", + "The test run did not record any output.", + "Test run finished at {0}" + ], + "vs/workbench/contrib/testing/common/configuration": [ + "Testing", + "Controls which tests are automatically run.", + "Automatically runs all discovered test when auto-run is toggled. Reruns individual tests when they are changed.", + "Reruns individual tests when they are changed. Will not automatically run any tests that have not been already executed.", + "How long to wait, in milliseconds, after a test is marked as outdated and starting a new run.", + "Configures when the error peek view is automatically opened.", + "Open automatically no matter where the failure is.", + "Open automatically when a test fails in a visible document.", + "Never automatically open.", + "Controls whether to automatically open the peek view during auto-run mode.", + "Controls whether the running test should be followed in the test explorer view", + "Controls the action to take when left-clicking on a test decoration in the gutter.", + "Run the test.", + "Debug the test.", + "Open the context menu for more options.", + "Controls whether test decorations are shown in the editor gutter.", + "Control whether save all dirty editors before running a test.", + "Never automatically open the testing view", + "Open the testing view when tests start", + "Open the testing view on any test failure", + "Controls when the testing view should open.", + "Always reveal the executed test when `#testing.followRunningTest#` is on. If this setting is turned off, only failed tests will be revealed." + ], + "vs/workbench/contrib/testing/browser/testingViewPaneContainer": [ + "Testing" + ], + "vs/workbench/contrib/testing/browser/testingOutputPeek": [ + "Expected result", + "Actual result", + "Close", + "Unnamed Task", + "+ {0} more lines", + "+ 1 more line", + "Test Result Messages", + "Show Result Output", + "Rerun Test Run", + "Debug Test Run", + "Go to File", + "Reveal in Test Explorer", + "Run Test", + "Debug Test", + "Go to Next Test Failure", + "Go to Previous Test Failure", + "Open in Editor", + "Toggle Test History in Peek" + ], + "vs/workbench/contrib/testing/common/testingContextKeys": [ + "Indicates whether any test controller has an attached refresh handler.", + "Indicates whether any test controller is currently refreshing tests.", + "Indicates whether any test controller has registered a debug configuration", + "Indicates whether any test controller has registered a run configuration", + "Indicates whether any test controller has registered a coverage configuration", + "Indicates whether any test controller has registered a non-default configuration", + "Indicates whether any test configuration can be configured", + "Type of the item in the output peek view. Either a \"test\", \"message\", \"task\", or \"result\".", + "Controller ID of the current test item", + "ID of the current test item, set when creating or opening menus on test items", + "Boolean indicating whether the test item has a URI defined", + "Boolean indicating whether the test item is hidden" + ], + "vs/workbench/contrib/testing/common/testServiceImpl": [ + "Running tests may execute code in your workspace.", + "An error occurred attempting to run tests: {0}" + ], + "vs/workbench/contrib/files/browser/fileCommands": [ + "{0} (in file) ↔ {1}", + "Failed to save '{0}': {1}", + "Retry", + "Discard", + "Failed to revert '{0}': {1}", + "Create File" ], "vs/workbench/contrib/files/browser/fileActions": [ "New File", @@ -20447,113 +20822,53 @@ "Paste {0}", "The file(s) to paste have been deleted or moved since you copied them. {0}" ], - "vs/workbench/contrib/files/browser/fileCommands": [ - "{0} (in file) ↔ {1}", - "Failed to save '{0}': {1}", - "Retry", - "Discard", - "Failed to revert '{0}': {1}" - ], - "vs/workbench/contrib/logs/common/logsActions": [ - "Set Log Level...", - "Trace", - "Debug", - "Info", - "Warning", - "Error", - "Critical", - "Off", - "Select log level", - "Default & Current", - "Default", - "Current", - "Open Window Log File (Session)...", - "Current", - "Select Session", - "Select Log file" - ], - "vs/workbench/contrib/interactive/browser/interactiveEditor": [ - "Type '{0}' code here and press {1} to run" - ], - "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": [ - "Use the actions in the editor tool bar to either undo your changes or overwrite the content of the file with your changes.", - "Failed to save '{0}': The content of the file is newer. Please compare your version with the file contents or overwrite the content of the file with your changes.", - "Failed to save '{0}': File is read-only. Select 'Overwrite as Admin' to retry as administrator.", - "Failed to save '{0}': File is read-only. Select 'Overwrite as Sudo' to retry as superuser.", - "Failed to save '{0}': File is read-only. Select 'Overwrite' to attempt to make it writeable.", - "Failed to save '{0}': Insufficient permissions. Select 'Retry as Admin' to retry as administrator.", - "Failed to save '{0}': Insufficient permissions. Select 'Retry as Sudo' to retry as superuser.", - "Failed to save '{0}': {1}", - "Learn More", - "Don't Show Again", - "Compare", - "{0} (in file) ↔ {1} (in {2}) - Resolve save conflict", - "Overwrite as Admin...", - "Overwrite as Sudo...", - "Retry as Admin...", - "Retry as Sudo...", - "Retry", - "Discard", - "Overwrite", - "Overwrite", - "Configure" - ], - "vs/workbench/contrib/notebook/browser/notebookIcons": [ - "Configure icon in kernel configuration widget in notebook editors.", - "Configure icon to select a kernel in notebook editors.", - "Icon to execute in notebook editors.", - "Icon to execute above cells in notebook editors.", - "Icon to execute below cells in notebook editors.", - "Icon to stop an execution in notebook editors.", - "Icon to delete a cell in notebook editors.", - "Icon to execute all cells in notebook editors.", - "Icon to edit a cell in notebook editors.", - "Icon to stop editing a cell in notebook editors.", - "Icon to move up a cell in notebook editors.", - "Icon to move down a cell in notebook editors.", - "Icon to clear cell outputs in notebook editors.", - "Icon to split a cell in notebook editors.", - "Icon to unfold a cell in notebook editors.", - "Icon to indicate a success state in notebook editors.", - "Icon to indicate an error state in notebook editors.", - "Icon to indicate a pending state in notebook editors.", - "Icon to indicate an executing state in notebook editors.", - "Icon to annotate a collapsed section in notebook editors.", - "Icon to annotate an expanded section in notebook editors.", - "Icon to open the notebook in a text editor.", - "Icon to revert in notebook editors.", - "Icon to render output in diff editor.", - "Icon for a mime type in notebook editors." + "vs/workbench/contrib/testing/browser/testingConfigurationUi": [ + "Pick a test profile to use", + "Update Test Configuration" ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": [ - "Apply", - "Discard", - "Invoke a code action, like rename, to see a preview of its changes here.", - "Cannot apply refactoring because '{0}' has changed in the meantime.", - "Cannot apply refactoring because {0} other files have changed in the meantime.", - "{0} (delete, refactor preview)", - "rename", - "create", - "{0} ({1}, refactor preview)", - "{0} (refactor preview)" + "vs/workbench/contrib/files/browser/editors/binaryFileEditor": [ + "Binary File Viewer" ], - "vs/editor/contrib/peekView/browser/peekView": [ - "Whether the current code editor is embedded inside peek", - "Close", - "Background color of the peek view title area.", - "Color of the peek view title.", - "Color of the peek view title info.", - "Color of the peek view borders and arrow.", - "Background color of the peek view result list.", - "Foreground color for line nodes in the peek view result list.", - "Foreground color for file nodes in the peek view result list.", - "Background color of the selected entry in the peek view result list.", - "Foreground color of the selected entry in the peek view result list.", - "Background color of the peek view editor.", - "Background color of the gutter in the peek view editor.", - "Match highlight color in the peek view result list.", - "Match highlight color in the peek view editor.", - "Match highlight border in the peek view editor." + "vs/workbench/contrib/testing/browser/testExplorerActions": [ + "Hide Test", + "Unhide Test", + "Unhide All Tests", + "Debug Test", + "Execute Using Profile...", + "Run Test", + "Select Default Profile", + "Configure Test Profiles", + "Select a profile to update", + "Run Tests", + "Debug Tests", + "Discovering Tests", + "Run All Tests", + "No tests found in this workspace. You may need to install a test provider extension", + "Debug All Tests", + "No debuggable tests found in this workspace. You may need to install a test provider extension", + "Cancel Test Run", + "View as List", + "View as Tree", + "Sort by Status", + "Sort by Location", + "Sort by Duration", + "Show Output", + "Collapse All Tests", + "Clear All Results", + "Go to Test", + "Run Test at Cursor", + "Debug Test at Cursor", + "Run Tests in Current File", + "Debug Tests in Current File", + "Rerun Failed Tests", + "Debug Failed Tests", + "Rerun Last Run", + "Debug Last Run", + "Search for Test Extension", + "Peek Output", + "Toggle Inline Test Output", + "Refresh Tests", + "Cancel Test Refresh" ], "vs/workbench/contrib/files/browser/workspaceWatcher": [ "Unable to watch for file changes in this large workspace folder. Please follow the instructions link to resolve this issue.", @@ -20561,110 +20876,32 @@ "File changes watcher stopped unexpectedly. A reload of the window may enable the watcher again unless the workspace cannot be watched for file changes.", "Reload" ], - "vs/workbench/contrib/files/browser/editors/binaryFileEditor": [ - "Binary File Viewer" - ], "vs/workbench/contrib/files/common/dirtyFilesIndicator": [ "1 unsaved file", "{0} unsaved files" ], - "vs/workbench/contrib/scm/browser/activity": [ - "Source Control", - "{0} pending changes" - ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": [ - "Other" - ], - "vs/workbench/contrib/scm/browser/scmViewPaneContainer": [ - "Source Control" - ], - "vs/editor/common/config/editorConfigurationSchema": [ - "Editor", - "The number of spaces a tab is equal to. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.", - "Insert spaces when pressing `Tab`. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.", - "Controls whether `#editor.tabSize#` and `#editor.insertSpaces#` will be automatically detected when a file is opened based on the file contents.", - "Remove trailing auto inserted whitespace.", - "Special handling for large files to disable certain memory intensive features.", - "Controls whether completions should be computed based on words in the document.", - "Only suggest words from the active document.", - "Suggest words from all open documents of the same language.", - "Suggest words from all open documents.", - "Controls from which documents word based completions are computed.", - "Semantic highlighting enabled for all color themes.", - "Semantic highlighting disabled for all color themes.", - "Semantic highlighting is configured by the current color theme's `semanticHighlighting` setting.", - "Controls whether the semanticHighlighting is shown for the languages that support it.", - "Keep peek editors open even when double clicking their content or when hitting `Escape`.", - "Lines above this length will not be tokenized for performance reasons", - "Defines the bracket symbols that increase or decrease the indentation.", - "The opening bracket character or string sequence.", - "The closing bracket character or string sequence.", - "Defines the bracket pairs that are colorized by their nesting level if bracket pair colorization is enabled.", - "The opening bracket character or string sequence.", - "The closing bracket character or string sequence.", - "Timeout in milliseconds after which diff computation is cancelled. Use 0 for no timeout.", - "Maximum file size in MB for which to compute diffs. Use 0 for no limit.", - "Controls whether the diff editor shows the diff side by side or inline.", - "When enabled, the diff editor ignores changes in leading or trailing whitespace.", - "Controls whether the diff editor shows +/- indicators for added/removed changes.", - "Controls whether the editor shows CodeLens.", - "Lines will never wrap.", - "Lines will wrap at the viewport width.", - "Lines will wrap according to the `#editor.wordWrap#` setting." - ], - "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": [ - "Source Control Repositories" - ], - "vs/workbench/contrib/scm/browser/dirtydiffDecorator": [ - "{0} of {1} changes", - "{0} of {1} change", - "Close", - "Show Previous Change", - "Show Next Change", - "Next &&Change", - "Previous &&Change", - "Go to Previous Change", - "Go to Next Change", - "Editor gutter background color for lines that are modified.", - "Editor gutter background color for lines that are added.", - "Editor gutter background color for lines that are deleted.", - "Minimap gutter background color for lines that are modified.", - "Minimap gutter background color for lines that are added.", - "Minimap gutter background color for lines that are deleted.", - "Overview ruler marker color for modified content.", - "Overview ruler marker color for added content.", - "Overview ruler marker color for deleted content." - ], - "vs/workbench/contrib/workspace/common/workspace": [ - "Whether the workspace trust feature is enabled.", - "Whether the current workspace has been trusted by the user." - ], - "vs/workbench/contrib/scm/browser/scmViewPane": [ - "Source Control Management", - "Source Control Input", - "View & Sort", - "Repositories", - "View as List", - "View as Tree", - "Sort by Discovery Time", - "Sort by Name", - "Sort by Path", - "Sort Changes by Name", - "Sort Changes by Path", - "Sort Changes by Status", - "Collapse All Repositories", - "Expand All Repositories", - "SCM Provider separator border." - ], - "vs/workbench/contrib/search/browser/searchActions": [ - "Replace in Files", - "Toggle Search on Type", - "Focus Next Search Result", - "Focus Previous Search Result", - "Dismiss", - "Replace All", - "Replace All", - "Replace" + "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": [ + "Use the actions in the editor tool bar to either undo your changes or overwrite the content of the file with your changes.", + "Failed to save '{0}': The content of the file is newer. Please compare your version with the file contents or overwrite the content of the file with your changes.", + "Failed to save '{0}': File is read-only. Select 'Overwrite as Admin' to retry as administrator.", + "Failed to save '{0}': File is read-only. Select 'Overwrite as Sudo' to retry as superuser.", + "Failed to save '{0}': File is read-only. Select 'Overwrite' to attempt to make it writeable.", + "Failed to save '{0}': Insufficient permissions. Select 'Retry as Admin' to retry as administrator.", + "Failed to save '{0}': Insufficient permissions. Select 'Retry as Sudo' to retry as superuser.", + "Failed to save '{0}': {1}", + "Learn More", + "Don't Show Again", + "Compare", + "{0} (in file) ↔ {1} (in {2}) - Resolve save conflict", + "Overwrite as Admin...", + "Overwrite as Sudo...", + "Retry as Admin...", + "Retry as Sudo...", + "Retry", + "Discard", + "Overwrite", + "Overwrite", + "Configure" ], "vs/editor/contrib/quickAccess/browser/gotoLineQuickAccess": [ "Open a text editor first to go to a line.", @@ -20673,20 +20910,40 @@ "Current Line: {0}, Character: {1}. Type a line number between 1 and {2} to navigate to.", "Current Line: {0}, Character: {1}. Type a line number to navigate to." ], - "vs/workbench/contrib/search/browser/anythingQuickAccess": [ - "No matching results", - "recently opened", - "file and symbol results", - "file results", - "{0} unsaved changes", - "Open to the Side", - "Open to the Bottom", - "Remove from Recently Opened" - ], - "vs/workbench/contrib/search/browser/symbolsQuickAccess": [ - "No matching workspace symbols", - "Open to the Side", - "Open to the Bottom" + "vs/editor/common/config/editorConfigurationSchema": [ + "Editor", + "The number of spaces a tab is equal to. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.", + "Insert spaces when pressing `Tab`. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.", + "Controls whether `#editor.tabSize#` and `#editor.insertSpaces#` will be automatically detected when a file is opened based on the file contents.", + "Remove trailing auto inserted whitespace.", + "Special handling for large files to disable certain memory intensive features.", + "Controls whether completions should be computed based on words in the document.", + "Only suggest words from the active document.", + "Suggest words from all open documents of the same language.", + "Suggest words from all open documents.", + "Controls from which documents word based completions are computed.", + "Semantic highlighting enabled for all color themes.", + "Semantic highlighting disabled for all color themes.", + "Semantic highlighting is configured by the current color theme's `semanticHighlighting` setting.", + "Controls whether the semanticHighlighting is shown for the languages that support it.", + "Keep peek editors open even when double clicking their content or when hitting `Escape`.", + "Lines above this length will not be tokenized for performance reasons", + "Defines the bracket symbols that increase or decrease the indentation.", + "The opening bracket character or string sequence.", + "The closing bracket character or string sequence.", + "Defines the bracket pairs that are colorized by their nesting level if bracket pair colorization is enabled.", + "The opening bracket character or string sequence.", + "The closing bracket character or string sequence.", + "Timeout in milliseconds after which diff computation is cancelled. Use 0 for no timeout.", + "Maximum file size in MB for which to compute diffs. Use 0 for no limit.", + "Controls whether the diff editor shows the diff side by side or inline.", + "When enabled, the diff editor shows arrows in its glyph margin to revert changes.", + "When enabled, the diff editor ignores changes in leading or trailing whitespace.", + "Controls whether the diff editor shows +/- indicators for added/removed changes.", + "Controls whether the editor shows CodeLens.", + "Lines will never wrap.", + "Lines will wrap at the viewport width.", + "Lines will wrap according to the `#editor.wordWrap#` setting." ], "vs/workbench/contrib/search/browser/searchIcons": [ "Icon to make search details visible.", @@ -20704,6 +20961,21 @@ "View icon of the search view.", "Icon for the action to open a new search editor." ], + "vs/workbench/contrib/search/browser/anythingQuickAccess": [ + "No matching results", + "recently opened", + "file and symbol results", + "file results", + "{0} unsaved changes", + "Open to the Side", + "Open to the Bottom", + "Remove from Recently Opened" + ], + "vs/workbench/contrib/search/browser/symbolsQuickAccess": [ + "No matching workspace symbols", + "Open to the Side", + "Open to the Bottom" + ], "vs/workbench/contrib/search/browser/searchWidget": [ "Replace All (Submit Search to Enable)", "Replace All", @@ -20714,6 +20986,16 @@ "Replace: Type replace term and press Enter to preview", "Replace" ], + "vs/workbench/contrib/search/browser/searchActions": [ + "Replace in Files", + "Toggle Search on Type", + "Focus Next Search Result", + "Focus Previous Search Result", + "Dismiss", + "Replace All", + "Replace All", + "Replace" + ], "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": [ "No matching entries", "Go to Symbol in Editor...", @@ -20725,6 +21007,62 @@ "vs/workbench/services/search/common/queryBuilder": [ "Workspace folder does not exist: {0}" ], + "vs/workbench/contrib/scm/browser/dirtydiffDecorator": [ + "{0} of {1} changes", + "{0} of {1} change", + "Close", + "Show Previous Change", + "Show Next Change", + "Next &&Change", + "Previous &&Change", + "Go to Previous Change", + "Go to Next Change", + "Editor gutter background color for lines that are modified.", + "Editor gutter background color for lines that are added.", + "Editor gutter background color for lines that are deleted.", + "Minimap gutter background color for lines that are modified.", + "Minimap gutter background color for lines that are added.", + "Minimap gutter background color for lines that are deleted.", + "Overview ruler marker color for modified content.", + "Overview ruler marker color for added content.", + "Overview ruler marker color for deleted content." + ], + "vs/workbench/contrib/scm/browser/scmViewPaneContainer": [ + "Source Control" + ], + "vs/workbench/contrib/scm/browser/activity": [ + "Source Control", + "{0} pending changes" + ], + "vs/workbench/contrib/workspace/common/workspace": [ + "Whether the workspace trust feature is enabled.", + "Whether the current workspace has been trusted by the user." + ], + "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": [ + "Source Control Repositories" + ], + "vs/platform/actions/browser/menuEntryActionViewItem": [ + "{0} ({1})", + "{0} ({1})", + "{0}\n[{1}] {2}" + ], + "vs/workbench/contrib/scm/browser/scmViewPane": [ + "Source Control Management", + "Source Control Input", + "View & Sort", + "Repositories", + "View as List", + "View as Tree", + "Sort by Discovery Time", + "Sort by Name", + "Sort by Path", + "Sort Changes by Name", + "Sort Changes by Path", + "Sort Changes by Status", + "Collapse All Repositories", + "Expand All Repositories", + "SCM Provider separator border." + ], "vs/workbench/browser/parts/views/viewPane": [ "Icon for an expanded view pane container.", "Icon for a collapsed view pane container.", @@ -20759,26 +21097,24 @@ "Replace '{0}' with '{1}' at column {2} in line {3}", "Found '{0}' at column {1} in line '{2}'" ], - "vs/platform/actions/browser/menuEntryActionViewItem": [ - "{0} ({1})", - "{0} ({1})", - "{0}\n[{1}] {2}" - ], - "vs/workbench/contrib/searchEditor/browser/searchEditor": [ - "Toggle Search Details", - "files to include", - "Search Include Patterns", - "files to exclude", - "Search Exclude Patterns", - "Run Search", - "Matched {0} at {1} in file {2}", - "Search", - "Search editor text input box border." - ], - "vs/workbench/contrib/searchEditor/browser/searchEditorInput": [ - "Search: {0}", - "Search: {0}", - "Search" + "vs/workbench/contrib/debug/browser/callStackView": [ + "Running", + "Show More Stack Frames", + "Session", + "Running", + "Restart Frame", + "Load All Stack Frames", + "Show {0} More: {1}", + "Show {0} More Stack Frames", + "Paused on {0}", + "Paused", + "Debug Call Stack", + "Thread {0} {1}", + "Stack Frame {0}, line {1}, {2}", + "Running", + "Session {0} {1}", + "Show {0} More Stack Frames", + "Collapse All" ], "vs/workbench/contrib/debug/browser/breakpointsView": [ "Unverified Exception Breakpoint", @@ -20817,106 +21153,32 @@ "Expression condition: {0}", "Hit Count: {0}", "Breakpoint", - "Add Function Breakpoint", - "&&Function Breakpoint...", - "Toggle Activate Breakpoints", - "Remove Breakpoint", - "Remove All Breakpoints", - "Remove &&All Breakpoints", - "Enable All Breakpoints", - "&&Enable All Breakpoints", - "Disable All Breakpoints", - "Disable A&&ll Breakpoints", - "Reapply All Breakpoints", - "Edit Condition...", - "Edit Condition...", - "Edit Hit Count...", - "Edit Function Breakpoint...", - "Edit Hit Count..." - ], - "vs/workbench/contrib/debug/browser/debugIcons": [ - "View icon of the debug console view.", - "View icon of the run view.", - "View icon of the variables view.", - "View icon of the watch view.", - "View icon of the call stack view.", - "View icon of the breakpoints view.", - "View icon of the loaded scripts view.", - "Icon for breakpoints.", - "Icon for disabled breakpoints.", - "Icon for unverified breakpoints.", - "Icon for function breakpoints.", - "Icon for disabled function breakpoints.", - "Icon for unverified function breakpoints.", - "Icon for conditional breakpoints.", - "Icon for disabled conditional breakpoints.", - "Icon for unverified conditional breakpoints.", - "Icon for data breakpoints.", - "Icon for disabled data breakpoints.", - "Icon for unverified data breakpoints.", - "Icon for log breakpoints.", - "Icon for disabled log breakpoint.", - "Icon for unverified log breakpoints.", - "Icon for breakpoint hints shown on hover in editor glyph margin.", - "Icon for unsupported breakpoints.", - "Icon for a stackframe shown in the editor glyph margin.", - "Icon for a focused stackframe shown in the editor glyph margin.", - "Icon for the debug bar gripper.", - "Icon for the debug restart frame action.", - "Icon for the debug stop action.", - "Icon for the debug disconnect action.", - "Icon for the debug restart action.", - "Icon for the debug step over action.", - "Icon for the debug step into action.", - "Icon for the debug step out action.", - "Icon for the debug step back action.", - "Icon for the debug pause action.", - "Icon for the debug continue action.", - "Icon for the debug reverse continue action.", - "Icon for the run or debug action.", - "Icon for the debug start action.", - "Icon for the debug configure action.", - "Icon for the debug console open action.", - "Icon for removing debug configurations.", - "Icon for the collapse all action in the debug views.", - "Icon for the session icon in the call stack view.", - "Icon for the clear all action in the debug console.", - "Icon for the Remove All action in the watch view.", - "Icon for the add action in the watch view.", - "Icon for the add function breakpoint action in the watch view.", - "Icon for the Remove All action in the breakpoints view.", - "Icon for the activate action in the breakpoints view.", - "Icon for the debug evaluation input marker.", - "Icon for the debug evaluation prompt.", - "Icon for the inspect memory action." + "Add Function Breakpoint", + "&&Function Breakpoint...", + "Toggle Activate Breakpoints", + "Remove Breakpoint", + "Remove All Breakpoints", + "Remove &&All Breakpoints", + "Enable All Breakpoints", + "&&Enable All Breakpoints", + "Disable All Breakpoints", + "Disable A&&ll Breakpoints", + "Reapply All Breakpoints", + "Edit Condition...", + "Edit Condition...", + "Edit Hit Count...", + "Edit Function Breakpoint...", + "Edit Hit Count..." ], - "vs/workbench/contrib/debug/browser/breakpointWidget": [ - "Message to log when breakpoint is hit. Expressions within {} are interpolated. 'Enter' to accept, 'esc' to cancel.", - "Break when hit count condition is met. 'Enter' to accept, 'esc' to cancel.", - "Break when expression evaluates to true. 'Enter' to accept, 'esc' to cancel.", - "Expression", - "Hit Count", - "Log Message", - "Breakpoint Type" + "vs/workbench/contrib/debug/browser/debugToolBar": [ + "More...", + "Step Back", + "Reverse" ], - "vs/workbench/contrib/debug/browser/callStackView": [ - "Running", - "Show More Stack Frames", - "Session", - "Running", - "Restart Frame", - "Load All Stack Frames", - "Show {0} More: {1}", - "Show {0} More Stack Frames", - "Paused on {0}", - "Paused", - "Debug Call Stack", - "Thread {0} {1}", - "Stack Frame {0}, line {1}, {2}", - "Running", - "Session {0} {1}", - "Show {0} More Stack Frames", - "Collapse All" + "vs/workbench/contrib/debug/browser/statusbarColorProvider": [ + "Status bar background color when a program is being debugged. The status bar is shown in the bottom of the window", + "Status bar foreground color when a program is being debugged. The status bar is shown in the bottom of the window", + "Status bar border color separating to the sidebar and editor when a program is being debugged. The status bar is shown in the bottom of the window" ], "vs/workbench/contrib/debug/browser/debugService": [ "1 active session", @@ -20938,48 +21200,15 @@ "'{0}' is already running. Do you want to start another instance?", "Debug adapter process has terminated unexpectedly ({0})", "Cancel", - "{0}:{1}, debugging paused {2}, {3}", + "{0}, debugging paused {1}, {2}:{3}", "Added breakpoint, line {0}, file {1}", "Removed breakpoint, line {0}, file {1}" ], - "vs/workbench/contrib/debug/browser/debugStatus": [ - "Debug", - "Debug: {0}", - "Select and start debug configuration" - ], - "vs/workbench/contrib/debug/browser/debugToolBar": [ - "More...", - "Step Back", - "Reverse" - ], - "vs/workbench/contrib/debug/browser/loadedScriptsView": [ - "Debug Session", - "Debug Loaded Scripts", - "Workspace folder {0}, loaded script, debug", - "Session {0}, loaded script, debug", - "Folder {0}, loaded script, debug", - "{0}, loaded script, debug" - ], - "vs/workbench/contrib/debug/browser/variablesView": [ - "Type new variable value", - "Debug Variables", - "Scope {0}", - "{0}, value {1}", - "Inspecting binary data requires the Hex Editor extension. Would you like to install it now?", - "Cancel", - "Install", - "Installing the Hex Editor...", - "Collapse All" - ], - "vs/workbench/contrib/debug/browser/statusbarColorProvider": [ - "Status bar background color when a program is being debugged. The status bar is shown in the bottom of the window", - "Status bar foreground color when a program is being debugged. The status bar is shown in the bottom of the window", - "Status bar border color separating to the sidebar and editor when a program is being debugged. The status bar is shown in the bottom of the window" - ], "vs/workbench/contrib/debug/browser/debugCommands": [ "Restart", "Step Over", "Step Into", + "Step Into Target", "Step Out", "Pause", "Disconnect", @@ -20991,17 +21220,46 @@ "Open '{0}'", "Start Debugging", "Start Without Debugging", + "Focus Next Debug Console", + "Focus Previous Debug Console", + "Open Loaded Script...", + "Navigate to Top of Call Stack", + "Navigate to Bottom of Call Stack", + "Navigate Up Call Stack", + "Navigate Down Call Stack", + "Select Debug Console", + "Select Debug Session", "Choose the specific location", "No executable code is associated at the current cursor position.", "Jump to Cursor", "Debug", + "No step targets available", "Add Inline Breakpoint", "Debug" ], - "vs/workbench/contrib/debug/common/debugContentProvider": [ - "Unable to resolve the resource without a debug session", - "Could not load source '{0}': {1}.", - "Could not load source '{0}'." + "vs/workbench/contrib/debug/browser/debugStatus": [ + "Debug", + "Debug: {0}", + "Select and start debug configuration" + ], + "vs/workbench/contrib/debug/browser/watchExpressionsView": [ + "Type new value", + "Type watch expression", + "Expression to watch", + "Debug Watch Expressions", + "{0}, value {1}", + "{0}, value {1}", + "Collapse All", + "Add Expression", + "Remove All Expressions" + ], + "vs/workbench/contrib/debug/browser/loadedScriptsView": [ + "Debug Session", + "Debug Loaded Scripts", + "Workspace folder {0}, loaded script, debug", + "Session {0}, loaded script, debug", + "Folder {0}, loaded script, debug", + "{0}, loaded script, debug" ], "vs/workbench/contrib/debug/browser/debugEditorActions": [ "Debug: Toggle Breakpoint", @@ -21018,21 +21276,30 @@ "Evaluate in Debug Console", "Add to Watch", "Debug: Show Hover", - "Step Into Targets...", + "Step targets are not available here", + "Step Into Target", "Debug: Go to Next Breakpoint", "Debug: Go to Previous Breakpoint", "Close Exception Widget" ], - "vs/workbench/contrib/debug/browser/watchExpressionsView": [ - "Type new value", - "Type watch expression", - "Expression to watch", - "Debug Watch Expressions", - "{0}, value {1}", + "vs/workbench/contrib/debug/common/debugContentProvider": [ + "Unable to resolve the resource without a debug session", + "Could not load source '{0}': {1}.", + "Could not load source '{0}'." + ], + "vs/workbench/contrib/debug/browser/variablesView": [ + "Type new variable value", + "Debug Variables", + "Scope {0}", "{0}, value {1}", - "Collapse All", - "Add Expression", - "Remove All Expressions" + "Inspecting binary data requires the Hex Editor extension. Would you like to install it now?", + "Cancel", + "Install", + "Installing the Hex Editor...", + "Collapse All" + ], + "vs/workbench/contrib/debug/common/disassemblyViewInput": [ + "Disassembly" ], "vs/workbench/contrib/debug/browser/debugQuickAccess": [ "No matching launch configurations", @@ -21044,70 +21311,236 @@ "Add Config ({0})...", "Add Configuration..." ], - "vs/workbench/contrib/debug/browser/welcomeView": [ - "Run", - "[Open a file](command:{0}) which can be debugged or run.", - "[Run and Debug{0}](command:{1})", - "[Show all automatic debug configurations](command:{0}).", - "To customize Run and Debug [create a launch.json file](command:{0}).", - "To customize Run and Debug, [open a folder](command:{0}) and create a launch.json file.", - "All debug extensions are disabled. Enable a debug extension or install a new one from the Marketplace." + "vs/workbench/contrib/debug/browser/welcomeView": [ + "Run", + "[Open a file](command:{0}) which can be debugged or run.", + "[Run and Debug{0}](command:{1})", + "[Show all automatic debug configurations](command:{0}).", + "To customize Run and Debug [create a launch.json file](command:{0}).", + "To customize Run and Debug, [open a folder](command:{0}) and create a launch.json file.", + "All debug extensions are disabled. Enable a debug extension or install a new one from the Marketplace." + ], + "vs/workbench/contrib/debug/common/debugLifecycle": [ + "There is an active debug session, are you sure you want to stop it?", + "There are active debug sessions, are you sure you want to stop them?", + "Stop Debugging" + ], + "vs/workbench/contrib/debug/browser/debugConsoleQuickAccess": [ + "Start a New Debug Session" + ], + "vs/workbench/contrib/debug/browser/disassemblyView": [ + "Disassembly not available.", + "instructions", + "from disassembly", + "Disassembly View", + "Address", + "Bytes", + "Instruction" + ], + "vs/workbench/contrib/debug/browser/debugHover": [ + "Hold {0} key to switch to editor language hover", + "Debug Hover", + "{0}, value {1}, variables, debug" + ], + "vs/workbench/contrib/debug/browser/exceptionWidget": [ + "Exception widget border color.", + "Exception widget background color.", + "Exception has occurred: {0}", + "Exception has occurred.", + "Close" + ], + "vs/workbench/contrib/searchEditor/browser/searchEditorInput": [ + "Search: {0}", + "Search: {0}", + "Search" + ], + "vs/workbench/contrib/debug/browser/debugColors": [ + "Debug toolbar background color.", + "Debug toolbar border color.", + "Debug toolbar icon for start debugging.", + "Debug toolbar icon for pause.", + "Debug toolbar icon for stop.", + "Debug toolbar icon for disconnect.", + "Debug toolbar icon for restart.", + "Debug toolbar icon for step over.", + "Debug toolbar icon for step into.", + "Debug toolbar icon for step over.", + "Debug toolbar icon for continue.", + "Debug toolbar icon for step back." + ], + "vs/workbench/contrib/debug/common/debugModel": [ + "Invalid variable attributes", + "Please start a debug session to evaluate expressions", + "not available", + "Paused on {0}", + "Paused", + "Running", + "Unverified breakpoint. File is modified, please restart debug session." + ], + "vs/workbench/contrib/debug/browser/debugIcons": [ + "View icon of the debug console view.", + "View icon of the run view.", + "View icon of the variables view.", + "View icon of the watch view.", + "View icon of the call stack view.", + "View icon of the breakpoints view.", + "View icon of the loaded scripts view.", + "Icon for breakpoints.", + "Icon for disabled breakpoints.", + "Icon for unverified breakpoints.", + "Icon for function breakpoints.", + "Icon for disabled function breakpoints.", + "Icon for unverified function breakpoints.", + "Icon for conditional breakpoints.", + "Icon for disabled conditional breakpoints.", + "Icon for unverified conditional breakpoints.", + "Icon for data breakpoints.", + "Icon for disabled data breakpoints.", + "Icon for unverified data breakpoints.", + "Icon for log breakpoints.", + "Icon for disabled log breakpoint.", + "Icon for unverified log breakpoints.", + "Icon for breakpoint hints shown on hover in editor glyph margin.", + "Icon for unsupported breakpoints.", + "Icon for a stackframe shown in the editor glyph margin.", + "Icon for a focused stackframe shown in the editor glyph margin.", + "Icon for the debug bar gripper.", + "Icon for the debug restart frame action.", + "Icon for the debug stop action.", + "Icon for the debug disconnect action.", + "Icon for the debug restart action.", + "Icon for the debug step over action.", + "Icon for the debug step into action.", + "Icon for the debug step out action.", + "Icon for the debug step back action.", + "Icon for the debug pause action.", + "Icon for the debug continue action.", + "Icon for the debug reverse continue action.", + "Icon for the run or debug action.", + "Icon for the debug start action.", + "Icon for the debug configure action.", + "Icon for the debug console open action.", + "Icon for removing debug configurations.", + "Icon for the collapse all action in the debug views.", + "Icon for the session icon in the call stack view.", + "Icon for the clear all action in the debug console.", + "Icon for the Remove All action in the watch view.", + "Icon for the Remove action in the watch view.", + "Icon for the add action in the watch view.", + "Icon for the add function breakpoint action in the watch view.", + "Icon for the Remove All action in the breakpoints view.", + "Icon for the activate action in the breakpoints view.", + "Icon for the debug evaluation input marker.", + "Icon for the debug evaluation prompt.", + "Icon for the inspect memory action." + ], + "vs/workbench/contrib/searchEditor/browser/searchEditor": [ + "Toggle Search Details", + "files to include", + "Search Include Patterns", + "files to exclude", + "Search Exclude Patterns", + "Run Search", + "Matched {0} at {1} in file {2}", + "Search", + "Search editor text input box border." ], - "vs/workbench/contrib/debug/common/debugLifecycle": [ - "There is an active debug session, are you sure you want to stop it?", - "There are active debug sessions, are you sure you want to stop them?", - "Stop Debugging" + "vs/workbench/contrib/preferences/browser/keybindingsEditor": [ + "Record Keys", + "Sort by Precedence (Highest first)", + "Type to search in keybindings", + "Recording Keys. Press Escape to exit", + "Clear Keybindings Search Input", + "Recording Keys", + "Command", + "Keybinding", + "When", + "Source", + "Showing {0} Keybindings in precedence order", + "Showing {0} Keybindings in alphabetical order", + "Change Keybinding...", + "Add Keybinding...", + "Add Keybinding...", + "Change When Expression", + "Remove Keybinding", + "Reset Keybinding", + "Show Same Keybindings", + "Copy", + "Copy Command ID", + "Copy Command Title", + "Error '{0}' while editing the keybinding. Please open 'keybindings.json' file and check for errors.", + "Change Keybinding {0}", + "Change Keybinding", + "Add Keybinding {0}", + "Add Keybinding", + "{0} ({1})", + "Type when context. Press Enter to confirm or Escape to cancel.", + "Keybindings", + "No Keybinding assigned.", + "No when context." ], - "vs/workbench/contrib/debug/browser/disassemblyView": [ - "Disassembly not available.", - "instructions", - "from disassembly", - "Disassembly View", - "Address", - "Bytes", - "Instruction" + "vs/workbench/contrib/preferences/browser/preferencesActions": [ + "Configure Language Specific Settings...", + "({0})", + "Select Language" ], - "vs/workbench/contrib/debug/common/disassemblyViewInput": [ - "Disassembly" + "vs/workbench/contrib/preferences/browser/settingsEditor2": [ + "Search settings", + "Clear Settings Search Input", + "Filter Settings", + "No Settings Found", + "Clear Filters", + "Settings", + "Workspace Trust", + "No Settings Found", + "1 Setting Found", + "{0} Settings Found", + "Turn on Settings Sync", + "Last synced: {0}" ], - "vs/workbench/contrib/debug/common/debugModel": [ - "Invalid variable attributes", - "Please start a debug session to evaluate expressions", - "not available", - "Paused on {0}", - "Paused", - "Running", - "Unverified breakpoint. File is modified, please restart debug session." + "vs/workbench/contrib/debug/browser/breakpointWidget": [ + "Message to log when breakpoint is hit. Expressions within {} are interpolated. 'Enter' to accept, 'esc' to cancel.", + "Break when hit count condition is met. 'Enter' to accept, 'esc' to cancel.", + "Break when expression evaluates to true. 'Enter' to accept, 'esc' to cancel.", + "Expression", + "Hit Count", + "Log Message", + "Breakpoint Type" ], - "vs/workbench/contrib/debug/browser/exceptionWidget": [ - "Exception widget border color.", - "Exception widget background color.", - "Exception has occurred: {0}", - "Exception has occurred.", - "Close" + "vs/workbench/contrib/preferences/browser/preferencesIcons": [ + "Icon for an expanded section in the split JSON Settings editor.", + "Icon for a collapsed section in the split JSON Settings editor.", + "Icon for the folder dropdown button in the split JSON Settings editor.", + "Icon for the 'more actions' action in the Settings UI.", + "Icon for the 'record keys' action in the keybinding UI.", + "Icon for the 'sort by precedence' toggle in the keybinding UI.", + "Icon for the edit action in the keybinding UI.", + "Icon for the add action in the keybinding UI.", + "Icon for the edit action in the Settings UI.", + "Icon for the add action in the Settings UI.", + "Icon for the remove action in the Settings UI.", + "Icon for the discard action in the Settings UI.", + "Icon for clear input in the Settings and keybinding UI.", + "Icon for the button that suggests filters for the Settings UI.", + "Icon for open settings commands." ], - "vs/workbench/contrib/debug/browser/debugColors": [ - "Debug toolbar background color.", - "Debug toolbar border color.", - "Debug toolbar icon for start debugging.", - "Debug toolbar icon for pause.", - "Debug toolbar icon for stop.", - "Debug toolbar icon for disconnect.", - "Debug toolbar icon for restart.", - "Debug toolbar icon for step over.", - "Debug toolbar icon for step into.", - "Debug toolbar icon for step over.", - "Debug toolbar icon for continue.", - "Debug toolbar icon for step back." + "vs/workbench/contrib/markers/browser/markersFileDecorations": [ + "Problems", + "1 problem in this file", + "{0} problems in this file", + "Show Errors & Warnings on files and folder." ], - "vs/platform/history/browser/contextScopedHistoryWidget": [ - "Whether suggestion are visible" + "vs/workbench/contrib/markers/browser/markersView": [ + "Showing {0} problems", + "Showing {0} of {1} problems", + "Clear Filters" ], - "vs/workbench/contrib/debug/browser/linkDetector": [ - "follow link using forwarded port", - "follow link", - "Cmd + click to {0}", - "Ctrl + click to {0}" + "vs/workbench/contrib/preferences/common/preferencesContribution": [ + "Split Settings Editor", + "Controls whether to enable the natural language search mode for settings. The natural language search is provided by a Microsoft online service.", + "Hide the Table of Contents while searching.", + "Filter the Table of Contents to just categories that have matching settings. Clicking a category will filter the results to that category.", + "Controls the behavior of the settings editor Table of Contents while searching." ], "vs/workbench/contrib/debug/browser/debugActionViewItems": [ "Debug Launch Configurations", @@ -21116,60 +21549,6 @@ "Add Configuration...", "Debug Session" ], - "vs/workbench/contrib/debug/browser/replViewer": [ - "Debug Console", - "Variable {0}, value {1}", - ", occurred {0} times", - "Debug console variable {0}, value {1}", - "Debug console group {0}" - ], - "vs/workbench/contrib/debug/browser/debugHover": [ - "Hold {0} key to switch to editor language hover", - "Debug Hover", - "{0}, value {1}, variables, debug" - ], - "vs/workbench/contrib/debug/browser/replFilter": [ - "Showing {0} of {1}" - ], - "vs/workbench/contrib/debug/common/replModel": [ - "Console was cleared" - ], - "vs/workbench/contrib/comments/browser/commentsEditorContribution": [ - "Whether the position at the active cursor has a commenting range", - "Select Comment Provider", - "Go to Next Comment Thread", - "Go to Previous Comment Thread", - "Add Comment on Current Selection" - ], - "vs/workbench/contrib/url/browser/trustedDomains": [ - "Manage Trusted Domains", - "Trust {0}", - "Trust {0} on all ports", - "Trust {0} and all its subdomains", - "Trust all domains (disables link protection)", - "Manage Trusted Domains" - ], - "vs/workbench/contrib/markers/browser/markersView": [ - "Showing {0} problems", - "Showing {0} of {1} problems", - "Clear Filters" - ], - "vs/workbench/contrib/url/browser/trustedDomainsValidator": [ - "Do you want {0} to open the external website?", - "Open", - "Copy", - "Cancel", - "Configure Trusted Domains" - ], - "vs/workbench/contrib/markers/browser/markersFileDecorations": [ - "Problems", - "1 problem in this file", - "{0} problems in this file", - "Show Errors & Warnings on files and folder." - ], - "vs/workbench/contrib/mergeEditor/browser/mergeEditorInput": [ - "Merging: {0}" - ], "vs/workbench/contrib/markers/browser/messages": [ "Toggle Problems (Errors, Warnings, Infos)", "Focus Problems (Errors, Warnings, Infos)", @@ -21219,16 +21598,110 @@ "{0} at line {1} and character {2} in {3}", "Show Errors and Warnings" ], - "vs/workbench/contrib/mergeEditor/browser/mergeEditor": [ - "Yours", - "Theirs", - "Result" + "vs/platform/history/browser/contextScopedHistoryWidget": [ + "Whether suggestion are visible" + ], + "vs/workbench/contrib/debug/browser/replViewer": [ + "Debug Console", + "Variable {0}, value {1}", + ", occurred {0} times", + "Debug console variable {0}, value {1}", + "Debug console group {0}" + ], + "vs/workbench/contrib/debug/browser/linkDetector": [ + "follow link using forwarded port", + "follow link", + "Cmd + click to {0}", + "Ctrl + click to {0}" + ], + "vs/workbench/contrib/debug/common/replModel": [ + "Console was cleared" + ], + "vs/workbench/contrib/debug/browser/replFilter": [ + "Showing {0} of {1}" + ], + "vs/workbench/contrib/mergeEditor/browser/mergeEditorInput": [ + "Merging: {0}", + "Save & Continue with Conflicts", + "Continue with Conflicts", + "Discard Merge Changes", + "Cancel", + "Merge conflicts in {0} editors will remain unhandled.", + "Merge conflicts in this editor will remain unhandled.", + "Do you want to continue with unhandled conflicts?" + ], + "vs/workbench/contrib/comments/browser/commentsEditorContribution": [ + "Whether the position at the active cursor has a commenting range", + "Whether the open workspace has either comments or commenting ranges.", + "Select Comment Provider", + "Go to Next Comment Thread", + "Go to Previous Comment Thread", + "Toggle Editor Commenting", + "Add Comment on Current Selection" + ], + "vs/workbench/contrib/mergeEditor/browser/view/mergeEditor": [ + "Text Merge Editor", + "Input 1", + "Input 2", + "Result", + "Merge Editor" + ], + "vs/workbench/contrib/url/browser/trustedDomains": [ + "Manage Trusted Domains", + "Trust {0}", + "Trust {0} on all ports", + "Trust {0} and all its subdomains", + "Trust all domains (disables link protection)", + "Manage Trusted Domains" + ], + "vs/workbench/contrib/mergeEditor/browser/commands/commands": [ + "Open Merge Editor", + "Mixed Layout", + "Column Layout", + "Merge Editor", + "Open File", + "Go to Next Conflict", + "Go to Previous Conflict", + "Toggle Current Conflict from Left", + "Toggle Current Conflict from Right", + "Compare Input 1 With Base", + "Compare With Base", + "Compare Input 2 With Base", + "Compare With Base", + "Open Base File", + "Accept All Changes from Left", + "Accept All Changes from Right" + ], + "vs/workbench/contrib/mergeEditor/browser/commands/devCommands": [ + "Copy Merge Editor State as JSON", + "Merge Editor", + "No active merge editor", + "Merge Editor", + "Successfully copied merge editor state", + "Open Merge Editor State from JSON", + "Enter JSON" + ], + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": [ + "Other" ], - "vs/workbench/contrib/externalUriOpener/common/externalUriOpenerService": [ - "Open in new browser window", - "Open in default browser", - "Configure default opener...", - "How would you like to open: {0}" + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": [ + "Apply", + "Discard", + "Invoke a code action, like rename, to see a preview of its changes here.", + "Cannot apply refactoring because '{0}' has changed in the meantime.", + "Cannot apply refactoring because {0} other files have changed in the meantime.", + "{0} (delete, refactor preview)", + "rename", + "create", + "{0} ({1}, refactor preview)", + "{0} (refactor preview)" + ], + "vs/workbench/contrib/url/browser/trustedDomainsValidator": [ + "Do you want {0} to open the external website?", + "Open", + "Copy", + "Cancel", + "Configure Trusted Domains" ], "vs/workbench/contrib/externalUriOpener/common/configuration": [ "Configure the opener to use for external URIs (http, https).", @@ -21243,23 +21716,18 @@ "Find previous", "Reload Webviews" ], - "vs/base/browser/ui/actionbar/actionViewItems": [ - "{0} ({1})" - ], - "vs/workbench/contrib/output/browser/logViewer": [ - "Log viewer" - ], - "vs/workbench/contrib/customEditor/common/customEditor": [ - "The viewType of the currently active custom editor." - ], - "vs/platform/dnd/browser/dnd": [ - "File is too large to open as untitled editor. Please upload it first into the file explorer and then try again." + "vs/workbench/contrib/externalUriOpener/common/externalUriOpenerService": [ + "Open in new browser window", + "Open in default browser", + "Configure default opener...", + "How would you like to open: {0}" ], "vs/workbench/contrib/extensions/common/extensionsInput": [ "Extension: {0}" ], "vs/workbench/contrib/extensions/browser/extensionsViews": [ - "{0}, {1}, {2}, {3}", + "Publisher {0}", + "Deprecated", "Extensions", "Unable to search the Marketplace when offline, please check your network connection.", "Error while fetching extensions. {0}", @@ -21307,6 +21775,7 @@ "Install", "Installing", "Installing extension {0} started. An editor is now open with more details on this extension", + "Can't install '{0}' extension because it is not compatible.", "Install in {0}", "Install Locally", "Install in Browser", @@ -21322,7 +21791,6 @@ "Migrate", "Migrate to {0}", "Migrate", - "Sponsor", "Manage", "Uninstalling", "Manage", @@ -21373,6 +21841,8 @@ "Select File Icon Theme", "Set Product Icon Theme", "Select Product Icon Theme", + "Set Display Language", + "Clear Display Language", "Show Recommended Extension", "Install Recommended Extension", "Do not recommend this extension again", @@ -21445,14 +21915,10 @@ "Install Remote Extensions Locally", "Button background color for actions extension that stand out (e.g. install button).", "Button foreground color for actions extension that stand out (e.g. install button).", - "Button background hover color for actions extension that stand out (e.g. install button).", - "Background color for extension sponsor button.", - "Background hover color for extension sponsor button." + "Button background hover color for actions extension that stand out (e.g. install button)." ], - "vs/workbench/contrib/extensions/common/extensionsUtils": [ - "Disable other keymaps ({0}) to avoid conflicts between keybindings?", - "Yes", - "No" + "vs/platform/dnd/browser/dnd": [ + "File is too large to open as untitled editor. Please upload it first into the file explorer and then try again." ], "vs/workbench/contrib/extensions/browser/extensionsIcons": [ "View icon of the extensions view.", @@ -21480,6 +21946,21 @@ "Icon shown with a workspace trust message in the extension editor.", "Icon shown with a activation time message in the extension editor." ], + "vs/workbench/contrib/extensions/common/extensionsUtils": [ + "Disable other keymaps ({0}) to avoid conflicts between keybindings?", + "Yes", + "No" + ], + "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": [ + "Activating Extensions..." + ], + "vs/workbench/contrib/extensions/common/extensionsFileTemplate": [ + "Extensions", + "List of extensions which should be recommended for users of this workspace. The identifier of an extension is always '${publisher}.${name}'. For example: 'vscode.csharp'.", + "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'.", + "List of extensions recommended by VS Code that should not be recommended for users of this workspace. The identifier of an extension is always '${publisher}.${name}'. For example: 'vscode.csharp'.", + "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'." + ], "vs/workbench/contrib/extensions/browser/extensionEditor": [ "Extension Version", "Pre-Release", @@ -21503,7 +21984,6 @@ "Lists extensions those will be installed together with this extension", "Runtime Status", "Extension runtime status", - "You have chosen not to receive recommendations for this extension.", "No README available.", "Extension Pack ({0})", "No README available.", @@ -21598,22 +22078,15 @@ "Reload Window", "There are no missing dependencies to install." ], - "vs/workbench/contrib/extensions/common/extensionsFileTemplate": [ - "Extensions", - "List of extensions which should be recommended for users of this workspace. The identifier of an extension is always '${publisher}.${name}'. For example: 'vscode.csharp'.", - "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'.", - "List of extensions recommended by VS Code that should not be recommended for users of this workspace. The identifier of an extension is always '${publisher}.${name}'. For example: 'vscode.csharp'.", - "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'." - ], - "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": [ - "Activating Extensions..." - ], "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": [ "Type an extension name to install or search.", "Press Enter to search for extension '{0}'.", "Press Enter to install extension '{0}'.", "Press Enter to manage your extensions." ], + "vs/workbench/contrib/extensions/browser/extensionsCompletionItemsProvider": [ + "Example" + ], "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": [ "Don't Show Again", "Do you want to ignore all extension recommendations?", @@ -21625,29 +22098,8 @@ "Install (Do not sync)", "Show Recommendations" ], - "vs/workbench/contrib/extensions/browser/extensionsCompletionItemsProvider": [ - "Example" - ], - "vs/workbench/contrib/terminal/common/terminalColorRegistry": [ - "The background color of the terminal, this allows coloring the terminal differently to the panel.", - "The foreground color of the terminal.", - "The foreground color of the terminal cursor.", - "The background color of the terminal cursor. Allows customizing the color of a character overlapped by a block cursor.", - "The selection background color of the terminal.", - "The selection foreground color of the terminal. When this is null the selection foreground will be retained and have the minimum contrast ratio feature applied.", - "The default terminal command decoration background color.", - "The terminal command decoration background color for successful commands.", - "The terminal command decoration background color for error commands.", - "The overview ruler cursor color.", - "The color of the border that separates split panes within the terminal. This defaults to panel.border.", - "Color of the current search match in the terminal. The color must not be opaque so as not to hide underlying terminal content.", - "Border color of the current search match in the terminal.", - "Color of the other search matches in the terminal. The color must not be opaque so as not to hide underlying terminal content.", - "Border color of the other search matches in the terminal.", - "Overview ruler marker color for find matches in the terminal.", - "Background color when dragging on top of terminals. The color should have transparency so that the terminal contents can still shine through.", - "Border on the side of the terminal tab in the panel. This defaults to tab.activeBorder.", - "'{0}' ANSI color in the terminal." + "vs/workbench/contrib/customEditor/common/customEditor": [ + "The viewType of the currently active custom editor." ], "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": [ "Activated by {0} on start-up", @@ -21665,28 +22117,23 @@ "Disable", "Show Running Extensions" ], - "vs/workbench/contrib/terminal/common/terminalStrings": [ - "Terminal", - "Do Not Show Again", - "current session", - "previous session", - "Focus Terminal", - "Kill Terminal", - "Kill", - "Move Terminal into Editor Area", - "Move Terminal into Panel", - "Change Icon...", - "Change Color...", - "Split Terminal", - "Split", - "Unsplit Terminal", - "Rename...", - "Toggle Size to Content Width" + "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": [ + "Manifest is not found", + "This extension is reported to be problematic.", + "Uninstalling extension....", + "Unable to install extension '{0}' because the requested version '{1}' is not found.", + "Installing '{0}' extension....", + "Installing extension....", + "Disable All", + "Cannot disable '{0}' extension alone. '{1}' extension depends on this. Do you want to disable all these extensions?", + "Cannot disable '{0}' extension alone. '{1}' and '{2}' extensions depend on this. Do you want to disable all these extensions?", + "Cannot disable '{0}' extension alone. '{1}', '{2}' and other extensions depend on this. Do you want to disable all these extensions?" ], - "vs/workbench/contrib/terminal/browser/terminalTabbedView": [ - "Move Tabs Right", - "Move Tabs Left", - "Hide Tabs" + "vs/base/browser/ui/actionbar/actionViewItems": [ + "{0} ({1})" + ], + "vs/workbench/contrib/output/browser/logViewer": [ + "Log viewer" ], "vs/workbench/contrib/terminal/browser/terminalActions": [ "Show Tabs", @@ -21698,8 +22145,9 @@ "Show Tabs", "Focus Previous Terminal in Terminal Group", "Focus Next Terminal in Terminal Group", - "Run Recent Command", - "Go to Recent Directory", + "Run Recent Command...", + "Copy Last Command", + "Go to Recent Directory...", "Resize Terminal Left", "Resize Terminal Right", "Resize Terminal Up", @@ -21718,179 +22166,96 @@ "Scroll to Top", "Exit Navigation Mode", "Focus Previous Line (Navigation Mode)", + "Focus Previous Page (Navigation Mode)", "Focus Next Line (Navigation Mode)", - "Clear Selection", - "Focus Find", - "Hide Find", - "Detach Session", - "Attach to Session", - "There are no unattached terminals to attach to", - "Switch Active Terminal", - "Scroll To Previous Command", - "Scroll To Next Command", - "Select To Previous Command", - "Select To Next Command", - "Select To Previous Line", - "Select To Next Line", - "Toggle Escape Sequence Logging", - "Send Custom Sequence To Terminal", - "Create New Terminal Starting in a Custom Working Directory", - "The directory to start the terminal at", - "Rename the Currently Active Terminal", - "The new name for the terminal", - "No name argument provided", - "Toggle Find Using Regex", - "Toggle Find Using Whole Word", - "Toggle Find Using Case Sensitive", - "Find Next", - "Find Previous", - "Search Workspace", - "Relaunch Active Terminal", - "Show Environment Information", - "Join Terminals", - "Join Terminals", - "Insufficient terminals for the join action", - "All terminals are joined already", - "Split Terminal (In Active Workspace)", - "Select All", - "Create New Terminal", - "Select current working directory for new terminal", - "Kill the Active Terminal Instance", - "Kill All Terminals", - "Kill the Active Terminal in Editor Area", - "Clear", - "Open Detected Link...", - "Open Last Url Link", - "Open Last Local File Link", - "Select Default Profile", - "Configure Terminal Settings", - "Set Fixed Dimensions", - "Toggle Size to Content Width", - "Clear Command History", - "Copy Selection", - "Copy Selection as HTML", - "Paste into Active Terminal", - "Paste Selection into Active Terminal", - "Switch Terminal", - "Providing no name will reset it to the default value", - "Create New Terminal (With Profile)", - "The name of the profile to create", - "Select current working directory for new terminal" - ], - "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": [ - "Manifest is not found", - "This extension is reported to be problematic.", - "Uninstalling extension....", - "Unable to install extension '{0}' because the requested version '{1}' is not found.", - "Installing '{0}' extension....", - "Installing extension....", - "Disable All", - "Cannot disable '{0}' extension alone. '{1}' extension depends on this. Do you want to disable all these extensions?", - "Cannot disable '{0}' extension alone. '{1}' and '{2}' extensions depend on this. Do you want to disable all these extensions?", - "Cannot disable '{0}' extension alone. '{1}', '{2}' and other extensions depend on this. Do you want to disable all these extensions?" - ], - "vs/workbench/contrib/remote/browser/remote": [ - "Contributes help information for Remote", - "The url, or a command that returns the url, to your project's Getting Started page", - "The url, or a command that returns the url, to your project's documentation page", - "The url, or a command that returns the url, to your project's feedback reporter", - "The url, or a command that returns the url, to your project's issues list", - "Get Started", - "Read Documentation", - "Provide Feedback", - "Review Issues", - "Report Issue", - "Select url to open", - "Help and feedback", - "Remote Help", - "Remote Explorer", - "Remote Explorer", - "Attempting to reconnect in {0} second...", - "Attempting to reconnect in {0} seconds...", - "Reconnect Now", - "Reload Window", - "Connection Lost", - "Disconnected. Attempting to reconnect...", - "Cannot reconnect. Please reload the window.", - "Reload Window", - "Cancel" - ], - "vs/workbench/contrib/remote/browser/tunnelFactory": [ - "Private", - "Public" - ], - "vs/workbench/contrib/terminal/browser/terminalMenus": [ - "&&New Terminal", - "&&Split Terminal", - "Run &&Active File", - "Run &&Selected Text", - "New Terminal", - "Copy", - "Copy as HTML", - "Paste", - "Clear", - "Show Tabs", + "Focus Next Page (Navigation Mode)", + "Clear Selection", + "Focus Find", + "Hide Find", + "Detach Session", + "Attach to Session", + "There are no unattached terminals to attach to", + "Switch Active Terminal", + "Scroll To Previous Command", + "Scroll To Next Command", + "Select To Previous Command", + "Select To Next Command", + "Select To Previous Line", + "Select To Next Line", + "Toggle Escape Sequence Logging", + "Send Custom Sequence To Terminal", + "Create New Terminal Starting in a Custom Working Directory", + "The directory to start the terminal at", + "Rename the Currently Active Terminal", + "The new name for the terminal", + "No name argument provided", + "Toggle Find Using Regex", + "Toggle Find Using Whole Word", + "Toggle Find Using Case Sensitive", + "Find Next", + "Find Previous", + "Search Workspace", + "Relaunch Active Terminal", + "Show Environment Information", + "Join Terminals", + "Join Terminals", + "Insufficient terminals for the join action", + "All terminals are joined already", + "Split Terminal (In Active Workspace)", "Select All", - "New Terminal", - "Copy", - "Copy as HTML", - "Paste", + "Create New Terminal", + "Select current working directory for new terminal", + "Kill the Active Terminal Instance", + "Kill All Terminals", + "Kill the Active Terminal in Editor Area", "Clear", - "Select All", - "New Terminal With Profile", - "New Terminal", + "Open Detected Link...", + "Open Last Url Link", + "Open Last Local File Link", "Select Default Profile", "Configure Terminal Settings", - "Switch Terminal", - "Toggle Size to Content Width", - "Rename...", - "Change Icon...", - "Change Color...", + "Set Fixed Dimensions", "Toggle Size to Content Width", - "Join Terminals", - "{0} (Default)", - "{0} (Default)", - "{0} (Default)", - "Split Terminal", - "New Terminal" - ], - "vs/workbench/contrib/terminal/browser/terminalTooltip": [ - "Shell integration activated", - "Shell integration failed to activate" - ], - "vs/workbench/contrib/terminal/browser/terminalService": [ - "Do you want to terminate the active terminal session?", - "Do you want to terminate the {0} active terminal sessions?", - "Terminate", - "⚠ : This shell is open to a {0}local{1} folder, NOT to the virtual folder", - "⚠ : This shell is running on your {0}local{1} machine, NOT on the connected remote machine" + "Clear Command History", + "Write Data to Terminal", + "Enter data to write directly to the terminal, bypassing the pty", + "Copy Selection", + "Copy Selection as HTML", + "Paste into Active Terminal", + "Paste Selection into Active Terminal", + "Switch Terminal", + "Providing no name will reset it to the default value", + "Create New Terminal (With Profile)", + "The name of the profile to create", + "Select current working directory for new terminal" ], - "vs/workbench/contrib/remote/browser/remoteIndicator": [ - "Remote", - "Show Remote Menu", - "Close Remote Connection", - "Close Re&&mote Connection", - "Install Remote Development Extensions", - "Opening Remote...", - "Opening Remote...", - "Reconnecting to {0}...", - "Disconnected from {0}", - "Editing on {0}", - "Editing on {0}", - "Some [features are not available]({0}) for resources located on a virtual file system.", - "Open a Remote Window", - "Remote Host", - "Close Remote Connection", - "Reload Window", - "Close Remote Workspace", - "Install Additional Remote Extensions..." + "vs/workbench/contrib/terminal/common/terminalColorRegistry": [ + "The background color of the terminal, this allows coloring the terminal differently to the panel.", + "The foreground color of the terminal.", + "The foreground color of the terminal cursor.", + "The background color of the terminal cursor. Allows customizing the color of a character overlapped by a block cursor.", + "The selection background color of the terminal.", + "The selection foreground color of the terminal. When this is null the selection foreground will be retained and have the minimum contrast ratio feature applied.", + "The default terminal command decoration background color.", + "The terminal command decoration background color for successful commands.", + "The terminal command decoration background color for error commands.", + "The overview ruler cursor color.", + "The color of the border that separates split panes within the terminal. This defaults to panel.border.", + "Color of the current search match in the terminal. The color must not be opaque so as not to hide underlying terminal content.", + "Border color of the current search match in the terminal.", + "Color of the other search matches in the terminal. The color must not be opaque so as not to hide underlying terminal content.", + "Border color of the other search matches in the terminal.", + "Overview ruler marker color for find matches in the terminal.", + "Background color when dragging on top of terminals. The color should have transparency so that the terminal contents can still shine through.", + "Border on the side of the terminal tab in the panel. This defaults to tab.activeBorder.", + "'{0}' ANSI color in the terminal." ], - "vs/workbench/contrib/terminal/browser/terminalIcons": [ - "View icon of the terminal view.", - "Icon for rename in the terminal quick menu.", - "Icon for killing a terminal instance.", - "Icon for creating a new terminal instance.", - "Icon for creating a new terminal profile." + "vs/workbench/contrib/terminal/browser/terminalEditorInput": [ + "Do you want to terminate running processes?", + "&&Terminate", + "Cancel", + "Closing will terminate the running processes in the terminals.", + "Closing will terminate the running processes in this terminal." ], "vs/workbench/contrib/terminal/common/terminalConfiguration": [ "the terminal's current working directory", @@ -21904,7 +22269,9 @@ "Controls the terminal title. Variables are substituted based on the context:", "Controls the terminal description, which appears to the right of the title. Variables are substituted based on the context:", "Integrated Terminal", - "Dispatches most keybindings to the terminal instead of the workbench, overriding `#terminal.integrated.commandsToSkipShell#`, which can be used alternatively for fine tuning.", + "Dispatches most keybindings to the terminal instead of the workbench, overriding {0}, which can be used alternatively for fine tuning.", + "A theme color ID to associate with terminal icons by default.", + "A codicon ID to associate with terminal icons by default.", "Controls whether terminal tabs display as a list to the side of the terminal. When this is disabled a dropdown will display instead.", "Controls whether terminal tab statuses support animation (eg. in progress tasks).", "Controls whether the terminal tabs view will hide under certain conditions.", @@ -21927,19 +22294,19 @@ "Create terminals in the editor", "Create terminals in the terminal view", "Controls where newly created terminals will appear.", - "Controls the icon that will be used for each command in terminals with shell integration enabled that do not have an associated exit code. Set to `''` to hide the icon or disable decorations with `#terminal.integrated.shellIntegration.decorationsEnabled#`", - "Controls the icon that will be used for each command in terminals with shell integration enabled that do have an associated exit code. Set to `''` to hide the icon or disable decorations with `#terminal.integrated.shellIntegration.decorationsEnabled#`.", - "Controls the icon that will be used for skipped/empty commands. Set to `''` to hide the icon or disable decorations with `#terminal.integrated.shellIntegration.decorationsEnabled#`", + "Controls the icon that will be used for each command in terminals with shell integration enabled that do not have an associated exit code. Set to {0} to hide the icon or disable decorations with {1}.", + "Controls the icon that will be used for each command in terminals with shell integration enabled that do have an associated exit code. Set to {0} to hide the icon or disable decorations with {1}.", + "Controls the icon that will be used for skipped/empty commands. Set to {0} to hide the icon or disable decorations with {1}.", "Focus the terminal when clicking a terminal tab", "Focus the terminal when double clicking a terminal tab", "Controls whether focusing the terminal of a tab happens on double or single click.", "Controls whether to treat the option key as the meta key in the terminal on macOS.", "Controls whether to force selection when using Option+click on macOS. This will force a regular (line) selection and disallow the use of column selection mode. This enables copying and pasting using the regular terminal selection, for example, when mouse mode is enabled in tmux.", - "If enabled, alt/option + click will reposition the prompt cursor to underneath the mouse when `#editor.multiCursorModifier#` is set to `'alt'` (the default value). This may not work reliably depending on your shell.", + "If enabled, alt/option + click will reposition the prompt cursor to underneath the mouse when {0} is set to {1} (the default value). This may not work reliably depending on your shell.", "Controls whether text selected in the terminal will be copied to the clipboard.", "Show a warning dialog when pasting multiple lines into the terminal. The dialog does not show when:\n\n- Bracketed paste mode is enabled (the shell supports multi-line paste natively)\n- The paste is handled by the shell's readline (in the case of pwsh)", "Controls whether bold text in the terminal will always use the \"bright\" ANSI color variant.", - "Controls the font family of the terminal, this defaults to `#editor.fontFamily#`'s value.", + "Controls the font family of the terminal, this defaults to {0}'s value.", "Controls the font size in pixels of the terminal.", "Controls the letter spacing of the terminal, this is an integer value which represents the amount of additional pixels to add between characters.", "Controls the line height of the terminal, this number is multiplied by the terminal font size to get the actual line-height in pixels.", @@ -21953,7 +22320,7 @@ "The font weight to use within the terminal for bold text. Accepts \"normal\" and \"bold\" keywords or numbers between 1 and 1000.", "Controls whether the terminal cursor blinks.", "Controls the style of terminal cursor.", - "Controls the width of the cursor when `#terminal.integrated.cursorStyle#` is set to `line`.", + "Controls the width of the cursor when {0} is set to {1}.", "Controls the maximum amount of lines the terminal keeps in its buffer.", "Controls whether to detect and set the `$LANG` environment variable to a UTF-8 compliant option since VS Code's terminal only supports UTF-8 encoded data coming from the shell.", "Set the `$LANG` environment variable if the existing variable does not exist or it does not end in `'.UTF-8'`.", @@ -21985,7 +22352,7 @@ "A set of command IDs whose keybindings will not be sent to the shell but instead always be handled by VS Code. This allows keybindings that would normally be consumed by the shell to act instead the same as when the terminal is not focused, for example `Ctrl+P` to launch Quick Open.\n\n \n\nMany commands are skipped by default. To override a default and pass that command's keybinding to the shell instead, add the command prefixed with the `-` character. For example add `-workbench.action.quickOpen` to allow `Ctrl+P` to reach the shell.\n\n \n\nThe following list of default skipped commands is truncated when viewed in Settings Editor. To see the full list, {1} and search for the first command from the list below.\n\n \n\nDefault Skipped Commands:\n\n{0}", "open the default settings JSON", "Open Default Settings (JSON)", - "Whether or not to allow chord keybindings in the terminal. Note that when this is true and the keystroke results in a chord it will bypass `#terminal.integrated.commandsToSkipShell#`, setting this to false is particularly useful when you want ctrl+k to go to your shell (not VS Code).", + "Whether or not to allow chord keybindings in the terminal. Note that when this is true and the keystroke results in a chord it will bypass {0}, setting this to false is particularly useful when you want ctrl+k to go to your shell (not VS Code).", "Whether to allow menubar mnemonics (eg. alt+f) to trigger the open the menubar. Note that this will cause all alt keystrokes to skip the shell when true. This does nothing on macOS.", "Object with environment variables that will be added to the VS Code process to be used by the terminal on macOS. Set to `null` to delete the environment variable.", "Object with environment variables that will be added to the VS Code process to be used by the terminal on Linux. Set to `null` to delete the environment variable.", @@ -22007,49 +22374,252 @@ "Version 11 of unicode, this version provides better support on modern systems that use modern versions of unicode.", "Controls what version of unicode to use when evaluating the width of characters in the terminal. If you experience emoji or other wide characters not taking up the right amount of space or backspace either deleting too much or too little then you may want to try tweaking this setting.", "Length of network delay, in milliseconds, where local edits will be echoed on the terminal without waiting for server acknowledgement. If '0', local echo will always be on, and if '-1' it will be disabled.", - "When local echo should be enabled. This will override `#terminal.integrated.localEchoLatencyThreshold#`", + "When local echo should be enabled. This will override {0}", "Always enabled", "Always disabled", "Enabled only for remote workspaces", "Local echo will be disabled when any of these program names are found in the terminal title.", "Terminal style of locally echoed text; either a font style or an RGB color.", - "Persist terminal sessions for the workspace across window reloads.", - "When the terminal process must be shutdown (eg. on window or application close), this determines when the previous terminal session contents should be restored and processes be recreated when the workspace is next opened.\n\nCaveats:\n\n- Restoring of the process current working directory depends on whether it is supported by the shell.\n- Time to persist the session during shutdown is limited, so it may be aborted when using high-latency remote connections.", + "Persist terminal sessions/history for the workspace across window reloads.", + "When the terminal process must be shutdown (eg. on window or application close), this determines when the previous terminal session contents/history should be restored and processes be recreated when the workspace is next opened.\n\nCaveats:\n\n- Restoring of the process current working directory depends on whether it is supported by the shell.\n- Time to persist the session during shutdown is limited, so it may be aborted when using high-latency remote connections.", "Revive the processes after the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu).", "Revive the processes after the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu), or when the window is closed.", "Never restore the terminal buffers or recreate the process.", "Whether to draw custom glyphs for block element and box drawing characters instead of using the font, which typically yields better rendering with continuous lines. Note that this doesn't work with the DOM renderer", "A set of messages that when encountered in the terminal will be automatically responded to. Provided the message is specific enough, this can help automate away common responses.\n\nRemarks:\n\n- Use {0} to automatically respond to the terminate batch job prompt on Windows.\n- The message includes escape sequences so the reply might not happen with styled text.\n- Each reply can only happen once every second.\n- Use {1} in the reply to mean the enter key.\n- To unset a default key, set the value to null.\n- Restart VS Code if new don't apply.", "The reply to send to the process.", - "Enable features like enhanced command tracking and current working directory detection. \n\nShell integration works by injecting the shell with a startup script. The script gives VS Code insight into what is happening within the terminal.\n\nSupported shells:\n\n- Linux/macOS: bash, pwsh, zsh\n - Windows: pwsh\n\nThis setting applies only when terminals are created, so you will need to restart your terminals for it to take effect.\n\n Note that the script injection may not work if you have custom arguments defined in the terminal profile, a [complex bash `PROMPT_COMMAND`](https://code.visualstudio.com/docs/editor/integrated-terminal#_complex-bash-promptcommand), or other unsupported setup.", + "Determines whether or not shell integration is auto-injected to support features like enhanced command tracking and current working directory detection. \n\nShell integration works by injecting the shell with a startup script. The script gives VS Code insight into what is happening within the terminal.\n\nSupported shells:\n\n- Linux/macOS: bash, pwsh, zsh\n - Windows: pwsh\n\nThis setting applies only when terminals are created, so you will need to restart your terminals for it to take effect.\n\n Note that the script injection may not work if you have custom arguments defined in the terminal profile, a [complex bash `PROMPT_COMMAND`](https://code.visualstudio.com/docs/editor/integrated-terminal#_complex-bash-promptcommand), or other unsupported setup. To disable decorations, see {0}", "When shell integration is enabled, adds a decoration for each command.", + "Show decorations in the gutter (left) and overview ruler (right)", + "Show gutter decorations to the left of the terminal", + "Show overview ruler decorations to the right of the terminal", + "Do not show decorations", "Controls the number of recently used commands to keep in the terminal command history. Set to 0 to disable terminal command history." ], + "vs/workbench/contrib/terminal/browser/terminalService": [ + "Do you want to terminate the active terminal session?", + "Do you want to terminate the {0} active terminal sessions?", + "Terminate", + "This shell is open to a {0}local{1} folder, NOT to the virtual folder", + "This shell is running on your {0}local{1} machine, NOT on the connected remote machine" + ], "vs/workbench/contrib/terminal/browser/terminalQuickAccess": [ "Create New Terminal", "Create New Terminal With Profile", "Rename Terminal" ], - "vs/workbench/contrib/terminal/browser/terminalEditorInput": [ - "Do you want to terminate running processes?", - "&&Terminate", - "Cancel", - "Closing will terminate the running processes in the terminals.", - "Closing will terminate the running processes in this terminal." + "vs/workbench/contrib/terminal/browser/terminalIcons": [ + "View icon of the terminal view.", + "Icon for rename in the terminal quick menu.", + "Icon for killing a terminal instance.", + "Icon for creating a new terminal instance.", + "Icon for creating a new terminal profile." + ], + "vs/workbench/contrib/terminal/browser/terminalMenus": [ + "&&New Terminal", + "&&Split Terminal", + "Run &&Active File", + "Run &&Selected Text", + "New Terminal", + "Copy", + "Copy as HTML", + "Paste", + "Clear", + "Show Tabs", + "Select All", + "New Terminal", + "Copy", + "Copy as HTML", + "Paste", + "Clear", + "Select All", + "New Terminal With Profile", + "New Terminal", + "Select Default Profile", + "Configure Terminal Settings", + "Switch Terminal", + "Toggle Size to Content Width", + "Rename...", + "Change Icon...", + "Change Color...", + "Toggle Size to Content Width", + "Join Terminals", + "{0} (Default)", + "{0} (Default)", + "{0} (Default)", + "Split Terminal", + "New Terminal" + ], + "vs/workbench/contrib/terminal/common/terminalStrings": [ + "Terminal", + "Do Not Show Again", + "current session", + "previous session", + "Focus Terminal", + "Kill Terminal", + "Kill", + "Move Terminal into Editor Area", + "Move Terminal into Panel", + "Change Icon...", + "Change Color...", + "Split Terminal", + "Split", + "Unsplit Terminal", + "Rename...", + "Toggle Size to Content Width" + ], + "vs/workbench/contrib/terminal/browser/terminalMainContribution": [ + "Pty Host" + ], + "vs/workbench/contrib/remote/browser/tunnelFactory": [ + "Private", + "Public" + ], + "vs/workbench/contrib/remote/browser/remote": [ + "Contributes help information for Remote", + "The url, or a command that returns the url, to your project's Getting Started page", + "The url, or a command that returns the url, to your project's documentation page", + "The url, or a command that returns the url, to your project's feedback reporter", + "The url, or a command that returns the url, to your project's issues list", + "Get Started", + "Read Documentation", + "Provide Feedback", + "Review Issues", + "Report Issue", + "Select url to open", + "Help and feedback", + "Remote Help", + "Remote Explorer", + "Remote Explorer", + "Attempting to reconnect in {0} second...", + "Attempting to reconnect in {0} seconds...", + "Reconnect Now", + "Reload Window", + "Connection Lost", + "Disconnected. Attempting to reconnect...", + "Cannot reconnect. Please reload the window.", + "Reload Window", + "Cancel" + ], + "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": [ + "The diff algorithm was stopped early (after {0} ms.)", + "Remove Limit", + "Show Whitespace Differences" + ], + "vs/workbench/contrib/remote/browser/remoteIndicator": [ + "Remote", + "Show Remote Menu", + "Close Remote Connection", + "Close Re&&mote Connection", + "Install Remote Development Extensions", + "Opening Remote...", + "Opening Remote...", + "Reconnecting to {0}...", + "Disconnected from {0}", + "Editing on {0}", + "Editing on {0}", + "Some [features are not available]({0}) for resources located on a virtual file system.", + "Open a Remote Window", + "Remote Host", + "Close Remote Connection", + "Reload Window", + "Close Remote Workspace", + "Install Additional Remote Extensions..." + ], + "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": [ + "Inspect Key Mappings", + "Inspect Key Mappings (JSON)" ], "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": [ "Emmet: Expand Abbreviation", "Emmet: E&&xpand Abbreviation" ], - "vs/workbench/contrib/tasks/browser/runAutomaticTasks": [ - "This workspace has tasks ({0}) defined ({1}) that run automatically when you open this workspace. Do you allow automatic tasks to run when you open this workspace?", - "Allow and run", - "Disallow", - "Open file", - "Open files", - "Manage Automatic Tasks in Folder", - "Allow Automatic Tasks in Folder", - "Disallow Automatic Tasks in Folder" + "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": [ + "Toggle Column Selection Mode", + "Column &&Selection Mode" + ], + "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": [ + "Go to Line/Column...", + "Type the line number and optional column to go to (e.g. 42:5 for line 42 and column 5).", + "Go to Line/Column" + ], + "vs/workbench/contrib/codeEditor/browser/saveParticipants": [ + "Running '{0}' Formatter ([configure]({1})).", + "Quick Fixes", + "Getting code actions from '{0}' ([configure]({1})).", + "Applying code action '{0}'." + ], + "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": [ + "{0}: tokenization, wrapping and folding have been turned off for this large file in order to reduce memory usage and avoid freezing or crashing.", + "Forcefully Enable Features", + "Please reopen file in order for this setting to take effect." + ], + "vs/workbench/contrib/codeEditor/browser/toggleMinimap": [ + "Toggle Minimap", + "&&Minimap" + ], + "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": [ + "Toggle Multi-Cursor Modifier", + "Switch to Alt+Click for Multi-Cursor", + "Switch to Cmd+Click for Multi-Cursor", + "Switch to Ctrl+Click for Multi-Cursor" + ], + "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": [ + "Now changing the setting `editor.accessibilitySupport` to 'on'.", + "Now opening the VS Code Accessibility documentation page.", + "Thank you for trying out VS Code's accessibility options.", + "Status:", + "To configure the editor to be permanently optimized for usage with a Screen Reader press Command+E now.", + "To configure the editor to be permanently optimized for usage with a Screen Reader press Control+E now.", + "The editor is configured to use platform APIs to detect when a Screen Reader is attached, but the current runtime does not support this.", + "The editor has automatically detected a Screen Reader is attached.", + "The editor is configured to automatically detect when a Screen Reader is attached, which is not the case at this time.", + "The editor is configured to be permanently optimized for usage with a Screen Reader - you can change this by editing the setting `editor.accessibilitySupport`.", + "The editor is configured to never be optimized for usage with a Screen Reader.", + "Pressing Tab in the current editor will move focus to the next focusable element. Toggle this behavior by pressing {0}.", + "Pressing Tab in the current editor will move focus to the next focusable element. The command {0} is currently not triggerable by a keybinding.", + "Pressing Tab in the current editor will insert the tab character. Toggle this behavior by pressing {0}.", + "Pressing Tab in the current editor will insert the tab character. The command {0} is currently not triggerable by a keybinding.", + "Press Command+H now to open a browser window with more VS Code information related to Accessibility.", + "Press Control+H now to open a browser window with more VS Code information related to Accessibility.", + "You can dismiss this tooltip and return to the editor by pressing Escape or Shift+Escape.", + "Show Accessibility Help" + ], + "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": [ + "Toggle Control Characters", + "Render &&Control Characters" + ], + "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": [ + "Whether the editor is currently using word wrapping.", + "View: Toggle Word Wrap", + "Disable wrapping for this file", + "Enable wrapping for this file", + "&&Word Wrap" + ], + "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": [ + "Developer: Inspect Editor Tokens and Scopes", + "Loading..." + ], + "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": [ + "Toggle Render Whitespace", + "&&Render Whitespace" + ], + "vs/workbench/contrib/terminal/browser/terminalTabbedView": [ + "Move Tabs Right", + "Move Tabs Left", + "Hide Tabs" + ], + "vs/workbench/contrib/codeEditor/browser/untitledTextEditorHint": [ + "[[Select a language]], or [[open a different editor]] to get started.\nStart typing to dismiss or [[don't show]] this again." + ], + "vs/workbench/contrib/terminal/browser/terminalTooltip": [ + "Shell integration activated", + "The terminal process failed to launch. Disabling shell integration with terminal.integrated.shellIntegration.enabled might help.", + "Shell integration failed to activate" + ], + "vs/workbench/contrib/tasks/browser/tasksQuickAccess": [ + "No matching tasks", + "Select the task to run" ], "vs/workbench/contrib/tasks/common/jsonSchema_v1": [ "Task version 0.1.0 is deprecated. Please use 2.0.0", @@ -22061,9 +22631,20 @@ "Linux specific command configuration", "Specifies whether the command is a shell command or an external program. Defaults to false if omitted." ], + "vs/workbench/contrib/tasks/browser/runAutomaticTasks": [ + "This workspace has tasks ({0}) defined ({1}) that run automatically when you open this workspace. Do you allow automatic tasks to run when you open this workspace?", + "Allow and run", + "Disallow", + "Open file", + "Open files", + "Manage Automatic Tasks in Folder", + "Allow Automatic Tasks in Folder", + "Disallow Automatic Tasks in Folder" + ], "vs/workbench/contrib/tasks/common/jsonSchema_v2": [ "Specifies whether the command is a shell command or an external program. Defaults to false if omitted.", "The property isShellCommand is deprecated. Use the type property of the task and the shell property in the options instead. See also the 1.14 release notes.", + "Hide this task from the run task quick pick", "The task identifier.", "Another task this task depends on.", "The other tasks this task depends on.", @@ -22072,6 +22653,9 @@ "Run all dependsOn tasks in sequence.", "Determines the order of the dependsOn tasks for this task. Note that this property is not recursive.", "An optional description of a task that shows in the Run Task quick pick as a detail.", + "An optional icon for the task", + "An optional codicon ID to use", + "An optional color of the icon", "Configures the panel that is used to present the task's output and reads its input.", "Controls whether the executed command is echoed to the panel. Default is true.", "Controls whether the panel takes focus. Default is false. If set to true the panel is revealed as well.", @@ -22141,6 +22725,13 @@ "Mac specific command configuration", "Linux specific command configuration" ], + "vs/workbench/contrib/format/browser/formatActionsNone": [ + "Format Document", + "This file cannot be formatted because it is too large", + "There is no formatter for '{0}' files installed.", + "Install Formatter...", + "Cancel" + ], "vs/workbench/contrib/tasks/common/problemMatcher": [ "The problem pattern is missing a regular expression.", "The loop property is only supported on the last line matcher.", @@ -22211,28 +22802,8 @@ "ESLint stylish problems", "Go problems" ], - "vs/workbench/contrib/tasks/browser/tasksQuickAccess": [ - "No matching tasks", - "Select the task to run" - ], - "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": [ - "Inspect Key Mappings", - "Inspect Key Mappings (JSON)" - ], - "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": [ - "{0}: tokenization, wrapping and folding have been turned off for this large file in order to reduce memory usage and avoid freezing or crashing.", - "Forcefully Enable Features", - "Please reopen file in order for this setting to take effect." - ], - "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": [ - "The diff algorithm was stopped early (after {0} ms.)", - "Remove Limit", - "Show Whitespace Differences" - ], - "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": [ - "Go to Line/Column...", - "Type the line number and optional column to go to (e.g. 42:5 for line 42 and column 5).", - "Go to Line/Column" + "vs/workbench/contrib/format/browser/formatModified": [ + "Format Modified Lines" ], "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": [ "The actual task type. Please note that types starting with a '$' are reserved for internal usage.", @@ -22241,104 +22812,67 @@ "The task type configuration is missing the required 'taskType' property", "Contributes task kinds" ], - "vs/workbench/contrib/codeEditor/browser/saveParticipants": [ - "Running '{0}' Formatter ([configure]({1})).", - "Quick Fixes", - "Getting code actions from '{0}' ([configure]({1})).", - "Applying code action '{0}'." - ], - "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": [ - "Now changing the setting `editor.accessibilitySupport` to 'on'.", - "Now opening the VS Code Accessibility documentation page.", - "Thank you for trying out VS Code's accessibility options.", - "Status:", - "To configure the editor to be permanently optimized for usage with a Screen Reader press Command+E now.", - "To configure the editor to be permanently optimized for usage with a Screen Reader press Control+E now.", - "The editor is configured to use platform APIs to detect when a Screen Reader is attached, but the current runtime does not support this.", - "The editor has automatically detected a Screen Reader is attached.", - "The editor is configured to automatically detect when a Screen Reader is attached, which is not the case at this time.", - "The editor is configured to be permanently optimized for usage with a Screen Reader - you can change this by editing the setting `editor.accessibilitySupport`.", - "The editor is configured to never be optimized for usage with a Screen Reader.", - "Pressing Tab in the current editor will move focus to the next focusable element. Toggle this behavior by pressing {0}.", - "Pressing Tab in the current editor will move focus to the next focusable element. The command {0} is currently not triggerable by a keybinding.", - "Pressing Tab in the current editor will insert the tab character. Toggle this behavior by pressing {0}.", - "Pressing Tab in the current editor will insert the tab character. The command {0} is currently not triggerable by a keybinding.", - "Press Command+H now to open a browser window with more VS Code information related to Accessibility.", - "Press Control+H now to open a browser window with more VS Code information related to Accessibility.", - "You can dismiss this tooltip and return to the editor by pressing Escape or Shift+Escape.", - "Show Accessibility Help" - ], - "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": [ - "Developer: Inspect Editor Tokens and Scopes", - "Loading..." - ], - "vs/workbench/contrib/codeEditor/browser/toggleMinimap": [ - "Toggle Minimap", - "Show &&Minimap" - ], - "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": [ - "Toggle Multi-Cursor Modifier", - "Switch to Alt+Click for Multi-Cursor", - "Switch to Cmd+Click for Multi-Cursor", - "Switch to Ctrl+Click for Multi-Cursor" - ], - "vs/workbench/contrib/codeEditor/browser/untitledTextEditorHint": [ - "Select a language", - "{0}", - " or ", - "open a different editor", - "{0}", - " to get started.", - "Start typing to dismiss or ", - "don't show", - " this again." - ], - "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": [ - "Toggle Column Selection Mode", - "Column &&Selection Mode" - ], - "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": [ - "Whether the editor is currently using word wrapping.", - "View: Toggle Word Wrap", - "Disable wrapping for this file", - "Enable wrapping for this file", - "&&Word Wrap" + "vs/workbench/contrib/format/browser/formatActionsMultiple": [ + "None", + "None", + "Extension '{0}' is configured as formatter but it cannot format '{1}'-files", + "There are multiple formatters for '{0}' files. One of them should be configured as default formatter.", + "Extension '{0}' is configured as formatter but not available. Select a different default formatter to continue.", + "Configure Default Formatter", + "Configure...", + "Cancel", + "Configure...", + "Select a default formatter for '{0}' files", + "Configure...", + "Formatter Conflicts", + "Formatting", + "Defines a default formatter which takes precedence over all other formatter settings. Must be the identifier of an extension contributing a formatter.", + "(default)", + "Configure Default Formatter...", + "Select a formatter", + "Select a default formatter for '{0}' files", + "Format Document With...", + "Format Selection With..." ], - "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": [ - "Toggle Control Characters", - "Render &&Control Characters" + "vs/workbench/contrib/snippets/browser/commands/surroundWithSnippet": [ + "Surround With Snippet..." ], - "vs/workbench/contrib/snippets/browser/snippetPicker": [ + "vs/workbench/contrib/snippets/browser/commands/configureSnippets": [ + "(global)", + "({0})", + "Type snippet file name", + "Invalid file name", + "'{0}' is not a valid file name", + "'{0}' already exists", + "Configure User Snippets", "User Snippets", - "Workspace Snippets", - "Hide from IntelliSense", - "(hidden from IntelliSense)", - "Show in IntelliSense", - "Select a snippet" - ], - "vs/workbench/contrib/snippets/browser/snippetsFile": [ - "Workspace Snippet", - "Global User Snippet", - "User Snippet" - ], - "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": [ - "{0} ({1})", - "{0}, {1}", - "{0}, {1}" + "User &&Snippets", + "global", + "New Global Snippets file...", + "{0} workspace", + "New Snippets file for '{0}'...", + "Existing Snippets", + "New Snippets", + "New Snippets", + "Select Snippets File or Create Snippets" ], - "vs/workbench/contrib/format/browser/formatActionsNone": [ - "Format Document", - "This file cannot be formatted because it is too large", - "There is no formatter for '{0}' files installed.", - "Cancel", - "Install Formatter..." + "vs/workbench/contrib/snippets/browser/snippetsService": [ + "Expected string in `contributes.{0}.path`. Provided value: {1}", + "When omitting the language, the value of `contributes.{0}.path` must be a `.code-snippets`-file. Provided value: {1}", + "Unknown language in `contributes.{0}.language`. Provided value: {1}", + "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.", + "Contributes snippets.", + "Language identifier for which this snippet is contributed to.", + "Path of the snippets file. The path is relative to the extension folder and typically starts with './snippets/'.", + "One or more snippets from the extension '{0}' very likely confuse snippet-variables and snippet-placeholders (see https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax for more details)", + "The snippet file \"{0}\" could not be read." ], - "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": [ - "Toggle Render Whitespace", - "&&Render Whitespace" + "vs/workbench/contrib/snippets/browser/commands/insertSnippet": [ + "Insert Snippet" ], - "vs/workbench/contrib/format/browser/formatModified": [ - "Format Modified Lines" + "vs/workbench/contrib/snippets/browser/commands/fileTemplateSnippets": [ + "Populate File from Snippet", + "Select a snippet" ], "vs/workbench/contrib/audioCues/browser/audioCueService": [ "Error on Line", @@ -22349,27 +22883,21 @@ "Debugger Stopped on Breakpoint", "No Inlay Hints on Line" ], - "vs/workbench/contrib/format/browser/formatActionsMultiple": [ - "None", - "None", - "Extension '{0}' is configured as formatter but it cannot format '{1}'-files", - "There are multiple formatters for '{0}' files. One of them should be configured as default formatter.", - "Extension '{0}' is configured as formatter but not available. Select a different default formatter to continue.", - "Configure Default Formatter", - "Configure...", - "Cancel", - "Configure...", - "Select a default formatter for '{0}' files", - "Configure...", - "Formatter Conflicts", - "Formatting", - "Defines a default formatter which takes precedence over all other formatter settings. Must be the identifier of an extension contributing a formatter.", - "(default)", - "Configure Default Formatter...", - "Select a formatter", - "Select a default formatter for '{0}' files", - "Format Document With...", - "Format Selection With..." + "vs/workbench/contrib/snippets/browser/snippetCodeActionProvider": [ + "Surround With: {0}", + "Start with Snippet", + "Start with: {0}" + ], + "vs/base/browser/ui/keybindingLabel/keybindingLabel": [ + "Unbound" + ], + "vs/workbench/contrib/welcomeViews/common/viewsWelcomeContribution": [ + "The viewsWelcome contribution in '{0}' requires 'enabledApiProposals: [\"contribViewsWelcome\"]' in order to use the 'group' proposed property." + ], + "vs/workbench/contrib/welcomeWalkthrough/browser/walkThroughPart": [ + "unbound", + "It looks like Git is not installed on your system.", + "Background color for the embedded editors on the Interactive Playground." ], "vs/workbench/contrib/update/browser/update": [ "Release Notes", @@ -22416,8 +22944,15 @@ "The Insiders version of VS Code will synchronize your settings, keybindings, extensions, snippets and UI State using separate insiders settings sync service by default.", "Check for Updates..." ], - "vs/base/browser/ui/keybindingLabel/keybindingLabel": [ - "Unbound" + "vs/workbench/contrib/welcomeViews/common/viewsWelcomeExtensionPoint": [ + "Contributed views welcome content. Welcome content will be rendered in tree based views whenever they have no meaningful content to display, ie. the File Explorer when no folder is open. Such content is useful as in-product documentation to drive users to use certain features before they are available. A good example would be a `Clone Repository` button in the File Explorer welcome view.", + "Contributed welcome content for a specific view.", + "Target view identifier for this welcome content. Only tree based views are supported.", + "Target view identifier for this welcome content. Only tree based views are supported.", + "Welcome content to be displayed. The format of the contents is a subset of Markdown, with support for links only.", + "Condition when the welcome content should be displayed.", + "Group to which this welcome content belongs. Proposed API.", + "Condition when the welcome content buttons and command links should be enabled." ], "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted": [ "Overview of how to get up to speed with your editor.", @@ -22440,6 +22975,7 @@ "More...", "All {0} steps complete!", "{0} of {1} steps complete", + "Tip: Use keyboard shortcut ", "Image showing {0}", "Mark Done", "Next Section", @@ -22447,27 +22983,21 @@ "opt out", "{0} collects usage data. Read our {1} and learn how to {2}." ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedIcons": [ - "Used to represent walkthrough steps which have not been completed", - "Used to represent walkthrough steps which have been completed" - ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedService": [ - "Built-In" - ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedInput": [ - "Get Started" - ], - "vs/workbench/contrib/welcomeWalkthrough/browser/walkThroughPart": [ - "unbound", - "It looks like Git is not installed on your system.", - "Background color for the embedded editors on the Interactive Playground." - ], "vs/workbench/contrib/welcomeWalkthrough/browser/editor/editorWalkThrough": [ "Editor Playground", "Interactive Editor Playground" ], - "vs/workbench/contrib/welcomeViews/common/viewsWelcomeContribution": [ - "The viewsWelcome contribution in '{0}' requires 'enabledApiProposals: [\"contribViewsWelcome\"]' in order to use the 'group' proposed property." + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedService": [ + "Built-In", + "Developer", + "Reset Welcome Page Walkthrough Progress" + ], + "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": [ + "Calls from '{0}'", + "Callers of '{0}'", + "Loading...", + "No calls from '{0}'", + "No callers of '{0}'" ], "vs/workbench/contrib/outline/browser/outlinePane": [ "The active editor cannot provide outline information.", @@ -22480,6 +23010,10 @@ "Sort By: Name", "Sort By: Category" ], + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedIcons": [ + "Used to represent walkthrough steps which have not been completed", + "Used to represent walkthrough steps which have been completed" + ], "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyPeek": [ "Supertypes of '{0}'", "Subtypes of '{0}'", @@ -22487,44 +23021,80 @@ "No supertypes of '{0}'", "No subtypes of '{0}'" ], - "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": [ - "Calls from '{0}'", - "Callers of '{0}'", + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedInput": [ + "Get Started" + ], + "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": [ + "Tweet Feedback", + "Feedback", + "Tweet Feedback", + "Tweet Feedback" + ], + "vs/workbench/contrib/codeActions/browser/codeActionsContribution": [ + "Controls whether auto fix action should be run on file save.", + "Code action kinds to be run on save.", + "Controls whether '{0}' actions should be run on file save." + ], + "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": [ + "Contributed documentation.", + "Contributed documentation for refactorings.", + "Contributed documentation for refactoring.", + "Label for the documentation used in the UI.", + "When clause.", + "Command executed." + ], + "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": [ + "Configure which editor to use for a resource.", + "Language modes that the code actions are enabled for.", + "`CodeActionKind` of the contributed code action.", + "Label for the code action used in the UI.", + "Description of what the code action does." + ], + "vs/workbench/contrib/editSessions/common/editSessions": [ + "Edit Sessions", + "Edit Sessions", + "View icon of the edit sessions view." + ], + "vs/workbench/contrib/timeline/browser/timelinePane": [ "Loading...", - "No calls from '{0}'", - "No callers of '{0}'" + "Load more", + "Timeline", + "The active editor cannot provide timeline information.", + "No timeline information was provided.", + "The active editor cannot provide timeline information.", + "{0}: {1}", + "Timeline", + "Loading timeline for {0}...", + "Icon for the refresh timeline action.", + "Icon for the pin timeline action.", + "Icon for the unpin timeline action.", + "Refresh", + "Timeline", + "Pin the Current Timeline", + "Timeline", + "Unpin the Current Timeline", + "Timeline" ], - "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsTree": [ - "{0} ({1})", - "1 problem in this element", - "{0} problems in this element", - "Contains elements with problems", - "array", - "boolean", - "class", - "constant", - "constructor", - "enumeration", - "enumeration member", - "event", - "field", - "file", - "function", - "interface", - "key", - "method", - "module", - "namespace", - "null", - "number", - "object", - "operator", - "package", - "property", - "string", - "struct", - "type parameter", - "variable" + "vs/workbench/contrib/editSessions/browser/editSessionsViews": [ + "All Sessions", + "Resume Edit Session", + "Delete Edit Session", + "Are you sure you want to permanently delete the edit session with ref {0}? You cannot undo this action.", + "Open File" + ], + "vs/workbench/contrib/editSessions/browser/editSessionsWorkbenchService": [ + "Sign In to Use Edit Sessions", + "Select an account to sign in", + "Signed In", + "Others", + "Sign in with {0}", + "Sign Out of Edit Sessions", + "Do you want to sign out of edit sessions?", + "Delete all stored edit sessions from the cloud.", + "Yes" + ], + "vs/workbench/contrib/localHistory/browser/localHistoryTimeline": [ + "Local History" ], "vs/workbench/contrib/userDataSync/browser/userDataSync": [ "{0}: Turn On...", @@ -22594,121 +23164,53 @@ "&&Turn off", "Turn off sync on all your devices and clear the data from the cloud.", "{0} (Remote)", - "{0} (Merges)", - "{0} ↔ {1}", - "Settings Sync", + "{0} (Local)", + "Yours", + "Theirs", "{0}: Select Service", "Ensure you are using the same settings sync service when syncing with multiple environments", - "Default", - "Insiders", - "Stable", - "Turn on Settings Sync...", - "Turn on Settings Sync...", - "Turn on Settings Sync...", - "Settings Sync is Off (1)", - "Turning on Settings Sync...", - "Sign in to Sync Settings", - "Sign in to Sync Settings (1)", - "{0}: Show Settings Conflicts (1)", - "{0}: Show Settings Conflicts (1)", - "{0}: Show Keybindings Conflicts (1)", - "{0}: Show Keybindings Conflicts (1)", - "{0}: Show User Tasks Conflicts (1)", - "{0}: Show User Tasks Conflicts (1)", - "{0}: Show User Snippets Conflicts ({1})", - "{0}: Show User Snippets Conflicts ({1})", - "Settings Sync is On", - "Show Synced Data", - "Error while turning off Settings Sync. Please check [logs]({0}) for more details.", - "Configure...", - "{0}: Show Log", - "Show Log", - "Clear Data in Cloud...", - "Accept Remote", - "Accept Merges", - "Accept &&Remote", - "Accept &&Merges", - "{0}: {1}", - "{0}: {1}", - "Would you like to accept remote {0} and replace local {1}?", - "Would you like to accept merges and replace remote {0}?", - "Could not resolve conflicts as there is new local version available. Please try again.", - "Error while accepting changes. Please check [logs]({0}) for more details." - ], - "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": [ - "Tweet Feedback", - "Feedback", - "Tweet Feedback", - "Tweet Feedback" - ], - "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": [ - "Configure which editor to use for a resource.", - "Language modes that the code actions are enabled for.", - "`CodeActionKind` of the contributed code action.", - "Label for the code action used in the UI.", - "Description of what the code action does." - ], - "vs/workbench/contrib/codeActions/browser/codeActionsContribution": [ - "Controls whether auto fix action should be run on file save.", - "Code action kinds to be run on save.", - "Controls whether '{0}' actions should be run on file save." - ], - "vs/workbench/contrib/welcomeViews/common/viewsWelcomeExtensionPoint": [ - "Contributed views welcome content. Welcome content will be rendered in tree based views whenever they have no meaningful content to display, ie. the File Explorer when no folder is open. Such content is useful as in-product documentation to drive users to use certain features before they are available. A good example would be a `Clone Repository` button in the File Explorer welcome view.", - "Contributed welcome content for a specific view.", - "Target view identifier for this welcome content. Only tree based views are supported.", - "Target view identifier for this welcome content. Only tree based views are supported.", - "Welcome content to be displayed. The format of the contents is a subset of Markdown, with support for links only.", - "Condition when the welcome content should be displayed.", - "Group to which this welcome content belongs. Proposed API.", - "Condition when the welcome content buttons and command links should be enabled." - ], - "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": [ - "Contributed documentation.", - "Contributed documentation for refactorings.", - "Contributed documentation for refactoring.", - "Label for the documentation used in the UI.", - "When clause.", - "Command executed." - ], - "vs/workbench/contrib/profiles/common/profilesActions": [ - "Export Settings as a Profile...", - "Save Profile", - "{0}: Exported successfully.", - "Import Settings from a Profile...", - "Import Settings from a Profile", - "This will replace your current settings. Are you sure you want to continue?", - "Import from profile file", - "Import from URL", - "Import Settings from a Profile", - "Provide profile URL or select profile file to import", - "Import Profile" + "Default", + "Insiders", + "Stable", + "Turn on Settings Sync...", + "Turn on Settings Sync...", + "Turn on Settings Sync...", + "Settings Sync is Off (1)", + "Turning on Settings Sync...", + "Sign in to Sync Settings", + "Sign in to Sync Settings (1)", + "{0}: Show Settings Conflicts (1)", + "{0}: Show Settings Conflicts (1)", + "{0}: Show Keybindings Conflicts (1)", + "{0}: Show Keybindings Conflicts (1)", + "{0}: Show User Tasks Conflicts (1)", + "{0}: Show User Tasks Conflicts (1)", + "{0}: Show User Snippets Conflicts ({1})", + "{0}: Show User Snippets Conflicts ({1})", + "Settings Sync is On", + "Show Synced Data", + "Error while turning off Settings Sync. Please check [logs]({0}) for more details.", + "Configure...", + "{0}: Show Log", + "Show Log", + "Accept Merge", + "Clear Data in Cloud..." ], - "vs/workbench/contrib/timeline/browser/timelinePane": [ - "Loading...", - "Load more", - "Timeline", - "The active editor cannot provide timeline information.", - "No timeline information was provided.", - "The active editor cannot provide timeline information.", + "vs/workbench/contrib/userDataProfile/browser/userDataProfile": [ + "Icon for Settings Profiles.", + "Controls whether to enable the Settings Profiles preview feature.", + "{0} ({1})", + "{0} ({1})", + "Current Settings Profile is {0}", "{0}: {1}", - "Timeline", - "Loading timeline for {0}...", - "Icon for the refresh timeline action.", - "Icon for the pin timeline action.", - "Icon for the unpin timeline action.", - "Refresh", - "Timeline", - "Pin the Current Timeline", - "Timeline", - "Unpin the Current Timeline", - "Timeline" + "Foreground color for the settings profile entry on the status bar.", + "Background color for the settings profile entry on the status bar." ], - "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput": [ - "Workspace Trust" - ], - "vs/workbench/contrib/localHistory/browser/localHistoryTimeline": [ - "Local History" + "vs/workbench/contrib/audioCues/browser/commands": [ + "Help: List Audio Cues", + "Disabled", + "Enable/Disable Audio Cue", + "Select an audio cue to play" ], "vs/workbench/contrib/localHistory/browser/localHistoryCommands": [ "Local History", @@ -22744,14 +23246,72 @@ "{0} ({1} • {2}) ↔ {3}", "{0} ({1} • {2}) ↔ {3} ({4} • {5})" ], - "vs/workbench/contrib/audioCues/browser/commands": [ - "Help: List Audio Cues", - "Disabled", - "Enable/Disable Audio Cue", - "Select an audio cue to play" + "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput": [ + "Workspace Trust" ], - "vs/workbench/common/editor/textEditorModel": [ - "Language {0} was automatically detected and set as the language mode." + "vs/workbench/contrib/userDataProfile/common/userDataProfileActions": [ + "Create from Current Settings Profile...", + "Profile name", + "Create from Current Settings Profile...", + "Create an Empty Settings Profile...", + "Profile name", + "Create an Empty Profile...", + "Create...", + "{0}: Create...", + "Rename...", + "Current", + "Select Settings Profile to Rename", + "Rename Settings Profile...", + "Delete...", + "Current", + "Select Settings Profiles to Delete", + "Switch...", + "Current", + "Select Settings Profile", + "Cleanup Settings Profiles", + "Export...", + "Save Profile", + "{0}: Exported successfully.", + "Import...", + "Import Settings from a Profile", + "This will replace your current settings. Are you sure you want to continue?", + "Import from profile file", + "Import from URL", + "Import Settings from a Profile", + "Provide profile URL or select profile file to import", + "Import Profile" + ], + "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsTree": [ + "{0} ({1})", + "1 problem in this element", + "{0} problems in this element", + "Contains elements with problems", + "array", + "boolean", + "class", + "constant", + "constructor", + "enumeration", + "enumeration member", + "event", + "field", + "file", + "function", + "interface", + "key", + "method", + "module", + "namespace", + "null", + "number", + "object", + "operator", + "package", + "property", + "string", + "struct", + "type parameter", + "variable" ], "vs/workbench/contrib/workspace/browser/workspaceTrustEditor": [ "Icon for workspace trust ion the banner.", @@ -22825,12 +23385,34 @@ "This folder is trusted via the bolded entries in the the trusted folders below.", "This window is trusted by nature of the workspace that is opened." ], - "vs/workbench/services/textfile/common/textFileEditorModelManager": [ - "Failed to save '{0}': {1}" + "vs/workbench/browser/parts/notifications/notificationsAlerts": [ + "Error: {0}", + "Warning: {0}", + "Info: {0}" + ], + "vs/workbench/browser/parts/notifications/notificationsCenter": [ + "No new notifications", + "Notifications", + "Notification Center Actions", + "Notifications Center" + ], + "vs/workbench/browser/parts/notifications/notificationsCommands": [ + "Notifications", + "Show Notifications", + "Hide Notifications", + "Clear All Notifications", + "Toggle Do Not Disturb Mode", + "Focus Notification Toast" + ], + "vs/workbench/browser/parts/notifications/notificationsToasts": [ + "{0}, notification", + "{0}, source: {1}, notification" ], "vs/workbench/browser/parts/notifications/notificationsStatus": [ "Notifications", "Notifications", + "Do Not Disturb", + "Do Not Disturb Mode is Enabled", "Hide Notifications", "No Notifications", "No New Notifications", @@ -22841,23 +23423,12 @@ "{0} New Notifications ({1} in progress)", "Status Message" ], - "vs/workbench/browser/parts/notifications/notificationsCenter": [ - "No new notifications", - "Notifications", - "Notification Center Actions", - "Notifications Center" - ], - "vs/workbench/browser/parts/notifications/notificationsAlerts": [ - "Error: {0}", - "Warning: {0}", - "Info: {0}" + "vs/platform/userDataSync/common/abstractSynchronizer": [ + "Cannot sync {0} as its local version {1} is not compatible with its remote version {2}", + "Cannot parse sync data as it is not compatible with the current version." ], - "vs/workbench/browser/parts/notifications/notificationsCommands": [ - "Notifications", - "Show Notifications", - "Hide Notifications", - "Clear All Notifications", - "Focus Notification Toast" + "vs/workbench/services/textfile/common/textFileEditorModelManager": [ + "Failed to save '{0}': {1}" ], "vs/workbench/services/configuration/common/configurationEditingService": [ "Open Tasks Configuration", @@ -22902,9 +23473,8 @@ "Workspace Settings", "Folder Settings" ], - "vs/workbench/browser/parts/notifications/notificationsToasts": [ - "{0}, notification", - "{0}, source: {1}, notification" + "vs/workbench/common/editor/textEditorModel": [ + "Language {0} was automatically detected and set as the language mode." ], "vs/workbench/services/textMate/common/TMGrammars": [ "Contributes textmate tokenizers.", @@ -22918,7 +23488,54 @@ "Defines which scope names do not contain balanced brackets." ], "vs/workbench/browser/parts/titlebar/titlebarPart": [ - "Hide Layout Control" + "Focus Title Bar", + "Command Center", + "Layout Controls" + ], + "vs/workbench/services/workingCopy/common/workingCopyHistoryTracker": [ + "Undo / Redo" + ], + "vs/workbench/services/configurationResolver/common/variableResolver": [ + "Variable {0} can not be resolved. Please open an editor.", + "Variable {0}: can not find workspace folder of '{1}'.", + "Variable {0} can not be resolved. No such folder '{1}'.", + "Variable {0} can not be resolved in a multi folder workspace. Scope this variable using ':' and a workspace folder name.", + "Variable {0} can not be resolved. Please open a folder.", + "Variable {0} can not be resolved because no environment variable name is given.", + "Variable {0} can not be resolved because setting '{1}' not found.", + "Variable {0} can not be resolved because '{1}' is a structured value.", + "Variable {0} can not be resolved because no settings name is given.", + "Variable {0} can not be resolved because the extension {1} is not installed.", + "Variable {0} can not be resolved because no extension name is given.", + "Variable {0} can not be resolved. UserHome path is not defined", + "Variable {0} can not be resolved. Make sure to have a line selected in the active editor.", + "Variable {0} can not be resolved. Make sure to have some text selected in the active editor.", + "Variable {0} can not be resolved because the command has no value." + ], + "vs/workbench/services/extensions/common/remoteExtensionHost": [ + "Remote Extension Host" + ], + "vs/workbench/services/extensions/electron-sandbox/cachedExtensionScanner": [ + "Extensions have been modified on disk. Please reload the window.", + "Reload Window" + ], + "vs/workbench/services/extensions/browser/webWorkerExtensionHost": [ + "Worker Extension Host" + ], + "vs/workbench/services/extensions/electron-sandbox/localProcessExtensionHost": [ + "Extension host did not start in 10 seconds, it might be stopped on the first line and needs a debugger to continue.", + "Extension host did not start in 10 seconds, that might be a problem.", + "Reload Window", + "Extension Host", + "Error from the extension host: {0}", + "Terminating extension debug session" + ], + "vs/workbench/services/extensions/common/abstractExtensionService": [ + "The following extensions contain dependency loops and have been disabled: {0}", + "No extension host found that can launch the test runner at {0}.", + "The remote extension host terminated unexpectedly. Restarting...", + "Remote Extension host terminated unexpectedly 3 times within the last 5 minutes.", + "Restart Remote Extension Host" ], "vs/workbench/contrib/files/browser/editors/textFileEditor": [ "Text File Editor", @@ -22928,8 +23545,8 @@ "File not found", "Create File" ], - "vs/workbench/services/workingCopy/common/workingCopyHistoryTracker": [ - "Undo / Redo" + "vs/workbench/contrib/extensions/electron-sandbox/reportExtensionIssueAction": [ + "Report Issue" ], "vs/workbench/contrib/extensions/electron-sandbox/extensionsSlowActions": [ "Performance Issue", @@ -22940,15 +23557,20 @@ "Did you attach the CPU-Profile?", "This is a reminder to make sure that you have not forgotten to attach '{0}' to an existing performance issue." ], - "vs/workbench/contrib/extensions/electron-sandbox/reportExtensionIssueAction": [ - "Report Issue" + "vs/workbench/contrib/terminal/browser/terminalProfileResolverService": [ + "The terminal is using deprecated shell/shellArgs settings, do you want to migrate it to a profile?", + "Migrate" ], "vs/workbench/contrib/terminal/electron-sandbox/terminalRemote": [ "Create New Integrated Terminal (Local)" ], - "vs/workbench/contrib/terminal/browser/terminalProfileResolverService": [ - "The terminal is using deprecated shell/shellArgs settings, do you want to migrate it to a profile?", - "Migrate" + "vs/workbench/contrib/terminal/browser/baseTerminalBackend": [ + "Restart pty host", + "The connection to the terminal's pty host process is unresponsive, the terminals may stop working." + ], + "vs/workbench/contrib/localHistory/browser/localHistory": [ + "Icon for a local history entry in the timeline view.", + "Icon for restoring contents of a local history entry." ], "vs/workbench/contrib/tasks/browser/taskTerminalStatus": [ "Task is running", @@ -22959,11 +23581,8 @@ "Task has warnings", "Task has warnings and is waiting...", "Task has infos", - "Task has infos and is waiting..." - ], - "vs/workbench/contrib/terminal/browser/baseTerminalBackend": [ - "Restart pty host", - "The connection to the terminal's pty host process is unresponsive, the terminals may stop working." + "Task has infos and is waiting...", + "Beginning of detected errors for this run" ], "vs/workbench/contrib/tasks/common/taskTemplates": [ "Executes .NET Core build command", @@ -22971,10 +23590,6 @@ "Example to run an arbitrary external command", "Executes common maven commands" ], - "vs/workbench/contrib/localHistory/browser/localHistory": [ - "Icon for a local history entry in the timeline view.", - "Icon for restoring contents of a local history entry." - ], "vs/workbench/contrib/tasks/common/taskConfiguration": [ "Warning: options.cwd must be of type string. Ignoring value {0}\n", "Error: command argument must either be a string or a quoted string. Provided value is:\n{0}", @@ -23013,34 +23628,73 @@ "No {0} tasks found. Go back ↩", "There is no task provider registered for tasks of type \"{0}\"." ], - "vs/workbench/services/extensions/common/extensionsUtil": [ - "Overwriting extension {0} with {1}.", - "Overwriting extension {0} with {1}.", - "Loading development extension at {0}" + "vs/workbench/contrib/debug/common/abstractDebugAdapter": [ + "Timeout after {0} ms for '{1}'" ], - "vs/workbench/services/extensions/common/extensionHostManager": [ - "Measure Extension Host Latency" + "vs/platform/menubar/electron-main/menubar": [ + "New &&Window", + "&&File", + "&&Edit", + "&&Selection", + "&&View", + "&&Go", + "&&Run", + "&&Terminal", + "Window", + "&&Help", + "About {0}", + "&&Preferences", + "Services", + "Hide {0}", + "Hide Others", + "Show All", + "Quit {0}", + "&&Quit", + "&&Cancel", + "Are you sure you want to quit?", + "Minimize", + "Zoom", + "Bring All to Front", + "Switch &&Window...", + "New Tab", + "Show Previous Tab", + "Show Next Tab", + "Move Tab to New Window", + "Merge All Windows", + "Check for &&Updates...", + "Checking for Updates...", + "D&&ownload Available Update", + "Downloading Update...", + "Install &&Update...", + "Installing Update...", + "Restart to &&Update" ], - "vs/workbench/api/common/extHostDiagnostics": [ - "Not showing {0} further errors and warnings." + "vs/platform/windows/electron-main/window": [ + "&&Reopen", + "&&Keep Waiting", + "&&Close", + "The window is not responding", + "You can reopen or close the window or keep waiting.", + "Don't restore editors", + "The window has crashed", + "The window has crashed (reason: '{0}', code: '{1}')", + "&&Reopen", + "&&Close", + "We are sorry for the inconvenience. You can reopen the window to continue where you left off.", + "Don't restore editors", + "You can still access the menu bar by pressing the Alt-key." ], - "vs/workbench/api/common/extHostProgress": [ - "{0} (Extension)" + "vs/workbench/contrib/debug/node/debugAdapter": [ + "Debug adapter executable '{0}' does not exist.", + "Cannot determine executable for debug adapter '{0}'.", + "Unable to launch debug adapter from '{0}'.", + "Unable to launch debug adapter." ], - "vs/workbench/api/common/extHostStatusBar": [ - "{0} (Extension)", - "Extension Status" + "vs/platform/terminal/common/terminalProfiles": [ + "Automatically detect the default" ], - "vs/workbench/api/common/extHostTreeViews": [ - "No tree view with id '{0}' registered.", - "No tree view with id '{0}' registered.", - "No tree view with id '{0}' registered.", - "No tree view with id '{0}' registered.", - "No tree view with id '{0}' registered.", - "No tree view with id '{0}' registered.", - "No tree view with id '{0}' registered.", - "No tree view with id '{0}' registered.", - "Element with id {0} is already registered" + "vs/base/browser/ui/findinput/findInput": [ + "input" ], "vs/editor/browser/widget/diffReview": [ "Icon for 'Insert' in diff review.", @@ -23070,7 +23724,14 @@ "Copy deleted line ({0})", "Copy changed line ({0})" ], + "vs/editor/contrib/codeAction/browser/codeActionWidgetContribution": [ + "Enabling this adjusts how the code action menu is rendered." + ], "vs/editor/contrib/codeAction/browser/codeActionCommands": [ + "No preferred refactorings for '{0}' available", + "No refactorings for '{0}' available", + "No preferred refactorings available", + "No refactorings available", "Kind of the code action to run.", "Controls when the returned actions are applied.", "Always apply the first returned code action.", @@ -23085,10 +23746,7 @@ "No preferred code actions available", "No code actions available", "Refactor...", - "No preferred refactorings for '{0}' available", - "No refactorings for '{0}' available", - "No preferred refactorings available", - "No refactorings available", + "Refactor with Preview...", "Source Action...", "No preferred source actions for '{0}' available", "No source actions for '{0}' available", @@ -23129,45 +23787,18 @@ "{0} found for '{1}'", "Ctrl+Enter now inserts line break instead of replacing all. You can modify the keybinding for editor.action.replaceAll to override this behavior." ], + "vs/editor/contrib/folding/browser/foldingDecorations": [ + "Icon for expanded ranges in the editor glyph margin.", + "Icon for collapsed ranges in the editor glyph margin.", + "Icon for manually collapsed ranges in the editor glyph margin.", + "Icon for manually expanded ranges in the editor glyph margin." + ], "vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": [ "Next", "Previous", "Accept", "Suggestion:" ], - "vs/editor/contrib/inlineCompletions/browser/ghostTextController": [ - "Whether an inline suggestion is visible", - "Whether the inline suggestion starts with whitespace", - "Whether the inline suggestion starts with whitespace that is less than what would be inserted by tab", - "Show Next Inline Suggestion", - "Show Previous Inline Suggestion", - "Trigger Inline Suggestion" - ], - "vs/editor/contrib/folding/browser/foldingDecorations": [ - "Icon for expanded ranges in the editor glyph margin.", - "Icon for collapsed ranges in the editor glyph margin." - ], - "vs/editor/contrib/format/browser/format": [ - "Made 1 formatting edit on line {0}", - "Made {0} formatting edits on line {1}", - "Made 1 formatting edit between lines {0} and {1}", - "Made {0} formatting edits between lines {1} and {2}" - ], - "vs/editor/contrib/gotoSymbol/browser/referencesModel": [ - "symbol in {0} on line {1} at column {2}", - "symbol in {0} on line {1} at column {2}, {3}", - "1 symbol in {0}, full path {1}", - "{0} symbols in {1}, full path {2}", - "No results found", - "Found 1 symbol in {0}", - "Found {0} symbols in {1}", - "Found {0} symbols in {1} files" - ], - "vs/editor/contrib/gotoSymbol/browser/symbolNavigation": [ - "Whether there are symbol locations that can be navigated via keyboard-only.", - "Symbol {0} of {1}, {2} for next", - "Symbol {0} of {1}" - ], "vs/editor/contrib/gotoError/browser/gotoErrorWidget": [ "Error", "Warning", @@ -23184,22 +23815,6 @@ "Editor marker navigation widget info heading background.", "Editor marker navigation widget background." ], - "vs/editor/contrib/gotoSymbol/browser/peek/referencesController": [ - "Whether reference peek is visible, like 'Peek References' or 'Peek Definition'", - "Loading...", - "{0} ({1})" - ], - "vs/editor/contrib/message/browser/messageController": [ - "Whether the editor is currently showing an inline message", - "Cannot edit in read-only editor" - ], - "vs/editor/contrib/hover/browser/markerHoverParticipant": [ - "View Problem", - "No quick fixes available", - "Checking for quick fixes...", - "No quick fixes available", - "Quick Fix..." - ], "vs/editor/contrib/inlayHints/browser/inlayHintsHover": [ "Double click to insert", "cmd + click", @@ -23210,10 +23825,54 @@ "Go to Definition ({0})", "Execute Command" ], + "vs/editor/contrib/format/browser/format": [ + "Made 1 formatting edit on line {0}", + "Made {0} formatting edits on line {1}", + "Made 1 formatting edit between lines {0} and {1}", + "Made {0} formatting edits between lines {1} and {2}" + ], "vs/editor/contrib/hover/browser/markdownHoverParticipant": [ "Loading...", "Tokenization is skipped for long lines for performance reasons. This can be configured via `editor.maxTokenizationLineLength`." ], + "vs/editor/contrib/hover/browser/markerHoverParticipant": [ + "View Problem", + "No quick fixes available", + "Checking for quick fixes...", + "No quick fixes available", + "Quick Fix..." + ], + "vs/editor/contrib/inlineCompletions/browser/ghostTextController": [ + "Whether an inline suggestion is visible", + "Whether the inline suggestion starts with whitespace", + "Whether the inline suggestion starts with whitespace that is less than what would be inserted by tab", + "Show Next Inline Suggestion", + "Show Previous Inline Suggestion", + "Trigger Inline Suggestion" + ], + "vs/editor/contrib/gotoSymbol/browser/referencesModel": [ + "symbol in {0} on line {1} at column {2}", + "symbol in {0} on line {1} at column {2}, {3}", + "1 symbol in {0}, full path {1}", + "{0} symbols in {1}, full path {2}", + "No results found", + "Found 1 symbol in {0}", + "Found {0} symbols in {1}", + "Found {0} symbols in {1} files" + ], + "vs/editor/contrib/message/browser/messageController": [ + "Whether the editor is currently showing an inline message" + ], + "vs/editor/contrib/gotoSymbol/browser/symbolNavigation": [ + "Whether there are symbol locations that can be navigated via keyboard-only.", + "Symbol {0} of {1}, {2} for next", + "Symbol {0} of {1}" + ], + "vs/editor/contrib/gotoSymbol/browser/peek/referencesController": [ + "Whether reference peek is visible, like 'Peek References' or 'Peek Definition'", + "Loading...", + "{0} ({1})" + ], "vs/editor/contrib/rename/browser/renameInputField": [ "Whether the rename input widget is visible", "Rename input. Type new name and press Enter to commit.", @@ -23252,6 +23911,12 @@ "vs/workbench/api/browser/mainThreadCustomEditors": [ "Edit" ], + "vs/workbench/contrib/comments/browser/commentsView": [ + "Comments for current workspace", + "Comments in {0}, full path {1}", + "Comment from ${0} at line {1} column {2} in {3}, source: {4}", + "Collapse All" + ], "vs/platform/theme/common/tokenClassificationRegistry": [ "Colors and styles for the token.", "Foreground color for the token.", @@ -23296,12 +23961,6 @@ "Style to use for symbols that are async.", "Style to use for symbols that are readonly." ], - "vs/workbench/contrib/comments/browser/commentsView": [ - "Comments for current workspace", - "Comments in {0}, full path {1}", - "Comment from ${0} at line {1} column {2} in {3}, source: {4}", - "Collapse All" - ], "vs/workbench/contrib/comments/browser/commentsTreeViewer": [ "{0} comments", "1 comment", @@ -23349,6 +24008,14 @@ "Icon for forwarded ports that don't have a running process.", "Icon for forwarded ports that do have a running process." ], + "vs/workbench/browser/parts/editor/textCodeEditor": [ + "Text Editor" + ], + "vs/workbench/browser/parts/editor/binaryEditor": [ + "Binary Viewer", + "The file is not displayed in the editor because it is either binary or uses an unsupported text encoding.", + "Open Anyway" + ], "vs/workbench/contrib/remote/browser/tunnelView": [ "Whether the Ports view is enabled.", "Add Port", @@ -23413,6 +24080,11 @@ "vs/workbench/browser/parts/compositeBar": [ "Active View Switcher" ], + "vs/workbench/browser/parts/compositePart": [ + "{0} actions", + "Views and More Actions...", + "{0} ({1})" + ], "vs/workbench/browser/parts/activitybar/activitybarActions": [ "Manage Trusted Extensions", "Sign Out", @@ -23423,22 +24095,6 @@ "Next Primary Side Bar View", "Focus Activity Bar" ], - "vs/workbench/browser/parts/sidebar/sidebarActions": [ - "Focus into Primary Side Bar" - ], - "vs/workbench/browser/parts/compositePart": [ - "{0} actions", - "Views and More Actions...", - "{0} ({1})" - ], - "vs/workbench/browser/parts/editor/editorPanes": [ - "OK", - "Cancel", - "Unable to open '{0}'" - ], - "vs/base/browser/ui/toolbar/toolbar": [ - "More Actions..." - ], "vs/workbench/browser/parts/titlebar/menubarControl": [ "&&File", "&&Edit", @@ -23459,67 +24115,40 @@ "Installing Update...", "Restart to &&Update" ], - "vs/workbench/browser/parts/editor/tabsTitleControl": [ - "Tab actions" - ], - "vs/workbench/browser/parts/editor/binaryEditor": [ - "Binary Viewer", - "The file is not displayed in the editor because it is either binary or uses an unsupported text encoding.", - "Open Anyway" + "vs/workbench/browser/parts/sidebar/sidebarActions": [ + "Focus into Primary Side Bar" ], "vs/base/browser/ui/iconLabel/iconLabelHover": [ "Loading..." ], - "vs/base/browser/ui/inputbox/inputBox": [ - "Error: {0}", - "Warning: {0}", - "Info: {0}", - "for history" - ], - "vs/editor/common/model/editStack": [ - "Typing" - ], - "vs/workbench/services/preferences/browser/keybindingsEditorModel": [ - "Default", - "Extension", - "User", - "{0}: {1}", - "{0}: {1}", - "option", - "meta" + "vs/base/browser/ui/toolbar/toolbar": [ + "More Actions..." ], - "vs/base/parts/quickinput/browser/quickInput": [ - "Back", - "Press 'Enter' to confirm your input or 'Escape' to cancel", - "{0}/{1}", - "Type to narrow down results.", - "{0} (Press 'Enter' to confirm or 'Escape' to cancel)", - "Toggle all checkboxes", - "{0} Results", - "{0} Selected", - "OK", - "Custom", - "Back ({0})", - "Back" + "vs/workbench/browser/parts/editor/tabsTitleControl": [ + "Tab actions" ], - "vs/workbench/contrib/preferences/browser/preferencesRenderers": [ - "Edit", - "Replace in Settings", - "Copy to Settings", - "Unknown Configuration Setting", - "This setting cannot be applied because it is configured in the system policy.", - "This setting cannot be applied in this window. It will be applied when you open a local window.", - "This setting cannot be applied in this workspace. It will be applied when you open the containing workspace folder directly.", - "This setting can be applied only in application user settings", - "This setting can only be applied in user settings in local window or in remote settings in remote window.", - "This setting can only be applied in a trusted workspace.", - "Manage Workspace Trust", - "Manage Workspace Trust", - "Unsupported Property" + "vs/workbench/browser/parts/editor/editorPanes": [ + "OK", + "Cancel", + "Unable to open '{0}'" ], - "vs/workbench/contrib/preferences/browser/tocTree": [ - "Settings Table of Contents", - "{0}, group" + "vs/editor/common/model/editStack": [ + "Typing" + ], + "vs/workbench/services/preferences/browser/keybindingsEditorModel": [ + "Default", + "Extension", + "User", + "{0}: {1}", + "{0}: {1}", + "option", + "meta" + ], + "vs/base/browser/ui/inputbox/inputBox": [ + "Error: {0}", + "Warning: {0}", + "Info: {0}", + "for history" ], "vs/workbench/services/preferences/common/preferencesValidation": [ "Incorrect type. Expected \"boolean\".", @@ -23551,78 +24180,6 @@ "Incorrect type. Expected an object.", "Property {0} is not allowed.\n" ], - "vs/workbench/contrib/preferences/browser/settingsTreeModels": [ - "Workspace", - "Remote", - "User" - ], - "vs/workbench/contrib/preferences/browser/settingsLayout": [ - "Commonly Used", - "Text Editor", - "Cursor", - "Find", - "Font", - "Formatting", - "Diff Editor", - "Minimap", - "Suggestions", - "Files", - "Workbench", - "Appearance", - "Breadcrumbs", - "Editor Management", - "Settings Editor", - "Zen Mode", - "Screencast Mode", - "Window", - "New Window", - "Features", - "Explorer", - "Search", - "Debug", - "Testing", - "Source Control", - "Extensions", - "Terminal", - "Task", - "Problems", - "Output", - "Comments", - "Remote", - "Timeline", - "Notebook", - "Audio Cues", - "Application", - "Proxy", - "Keyboard", - "Update", - "Telemetry", - "Settings Sync", - "Security", - "Workspace" - ], - "vs/workbench/contrib/preferences/common/settingsEditorColorRegistry": [ - "The foreground color for a section header or active title.", - "The color of the modified setting indicator.", - "The color of the header container border.", - "The color of the Settings editor splitview sash border.", - "Settings editor dropdown background.", - "Settings editor dropdown foreground.", - "Settings editor dropdown border.", - "Settings editor dropdown list border. This surrounds the options and separates the options from the description.", - "Settings editor checkbox background.", - "Settings editor checkbox foreground.", - "Settings editor checkbox border.", - "Settings editor text input box background.", - "Settings editor text input box foreground.", - "Settings editor text input box border.", - "Settings editor number input box background.", - "Settings editor number input box foreground.", - "Settings editor number input box border.", - "The background color of a settings row when focused.", - "The background color of a settings row when hovered.", - "The color of the row's top and bottom border when the row is focused." - ], "vs/workbench/contrib/preferences/browser/preferencesWidgets": [ "User", "Remote", @@ -23632,84 +24189,23 @@ "Workspace", "User" ], - "vs/workbench/contrib/preferences/browser/settingsSearchMenu": [ - "Modified", - "Add or remove modified settings filter", - "Extension ID...", - "Add extension ID filter", - "Feature...", - "Add feature filter", - "Tag...", - "Add tag filter", - "Language...", - "Add language ID filter", - "Online services", - "Show settings for online services", - "Policy services", - "Show settings for policy services" - ], - "vs/workbench/contrib/preferences/browser/settingsTree": [ - "Extensions", - "The setting has been configured in the current scope.", - "This setting is managed by your organization.", - "View policy settings", - "More Actions... ", - "Show matching extensions", - "Edit in settings.json", - "Edit settings for {0}", - "default", - "The setting has been configured in the current scope.", - "Manage Workspace Trust", - "This setting can only be applied in a trusted workspace", - "Reset Setting", - "Validation Error.", - "Validation Error.", - "Modified.", - "Settings", - "Copy Setting ID", - "Copy Setting as JSON", - "Sync This Setting" - ], - "vs/workbench/contrib/testing/common/constants": [ - "Errored", - "Failed", - "Passed", - "Queued", - "Running", - "Skipped", - "Not yet run", - "{0} ({1})", - "Debug", - "Run", - "Coverage" - ], - "vs/workbench/contrib/testing/browser/theme": [ - "Color for the 'failed' icon in the test explorer.", - "Color for the 'Errored' icon in the test explorer.", - "Color for the 'passed' icon in the test explorer.", - "Color for 'run' icons in the editor.", - "Color for the 'Queued' icon in the test explorer.", - "Color for the 'Unset' icon in the test explorer.", - "Color for the 'Skipped' icon in the test explorer.", - "Color of the peek view borders and arrow.", - "Color of the peek view borders and arrow.", - "Text color of test error messages shown inline in the editor.", - "Margin color beside error messages shown inline in the editor.", - "Text color of test info messages shown inline in the editor.", - "Margin color beside info messages shown inline in the editor." + "vs/workbench/contrib/notebook/browser/viewParts/notebookKernelActionViewItem": [ + "Select Kernel", + "Select Kernel" ], - "vs/workbench/contrib/testing/browser/testingExplorerFilter": [ - "Show Only Failed Tests", - "Show Only Executed Tests", - "Show in Active File Only", - "Show Hidden Tests", - "More Filters...", - "Filter text for tests in the explorer", - "Filter (e.g. text, !exclude, @tag)", - "Fuzzy Match", - "Show Hidden Tests", - "Unhide All Tests", - "Filter" + "vs/base/parts/quickinput/browser/quickInput": [ + "Back", + "Press 'Enter' to confirm your input or 'Escape' to cancel", + "{0}/{1}", + "Type to narrow down results.", + "{0} (Press 'Enter' to confirm or 'Escape' to cancel)", + "Toggle all checkboxes", + "{0} Results", + "{0} Selected", + "OK", + "Custom", + "Back ({0})", + "Back" ], "vs/workbench/contrib/notebook/browser/extensionPoint": [ "Contributes notebook document provider.", @@ -23724,22 +24220,33 @@ "Contributes notebook output renderer provider.", "Unique identifier of the notebook output renderer.", "Human readable name of the notebook output renderer.", - "Set of globs that the notebook is for.", - "File to load in the webview to render the extension.", "List of kernel dependencies the renderer requires. If any of the dependencies are present in the `NotebookKernel.preloads`, the renderer can be used.", "List of soft kernel dependencies the renderer can make use of. If any of the dependencies are present in the `NotebookKernel.preloads`, the renderer will be preferred over renderers that don't interact with the kernel.", "Messaging is required. The renderer will only be used when it's part of an extension that can be run in an extension host.", "The renderer is better with messaging available, but it's not requried.", "The renderer does not require messaging.", - "Defines how and if the renderer needs to communicate with an extension host, via `createRendererMessaging`. Renderers with stronger messaging requirements may not work in all environments." + "Defines how and if the renderer needs to communicate with an extension host, via `createRendererMessaging`. Renderers with stronger messaging requirements may not work in all environments.", + "Set of globs that the notebook is for.", + "File to load in the webview to render the extension.", + "File to load in the webview to render the extension.", + "Existing renderer that this one extends.", + "File to load in the webview to render the extension." ], - "vs/workbench/contrib/notebook/browser/viewParts/notebookKernelActionViewItem": [ - "Select Kernel", - "Select Kernel" + "vs/workbench/contrib/notebook/common/notebookEditorModel": [ + "The contents of the file has changed on disk. Would you like to open the updated version or overwrite the file with your changes?", + "Revert", + "Overwrite" ], - "vs/workbench/contrib/notebook/browser/view/renderers/backLayerWebView": [ - "Empty markdown cell, double click or press enter to edit.", - "No renderer found for '$0' a" + "vs/workbench/services/workingCopy/common/fileWorkingCopyManager": [ + "File Created", + "File Replaced", + "File Working Copy Decorations", + "Deleted, Read Only", + "Read Only", + "Deleted", + "'{0}' already exists. Do you want to replace it?", + "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.", + "&&Replace" ], "vs/workbench/contrib/notebook/browser/notebookEditorWidget": [ "Notebook", @@ -23764,23 +24271,12 @@ "Notebook scrollbar slider background color when hovering.", "Notebook scrollbar slider background color when clicked on.", "Background color of highlighted cell", - "Cell editor background color." - ], - "vs/workbench/contrib/notebook/common/notebookEditorModel": [ - "The contents of the file has changed on disk. Would you like to open the updated version or overwrite the file with your changes?", - "Revert", - "Overwrite" + "Cell editor background color.", + "Notebook background color." ], - "vs/workbench/services/workingCopy/common/fileWorkingCopyManager": [ - "File Created", - "File Replaced", - "File Working Copy Decorations", - "Deleted, Read Only", - "Read Only", - "Deleted", - "'{0}' already exists. Do you want to replace it?", - "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.", - "&&Replace" + "vs/workbench/contrib/notebook/browser/view/renderers/backLayerWebView": [ + "Empty markdown cell, double click or press enter to edit.", + "No renderer found for '$0' a" ], "vs/platform/quickinput/browser/commandsQuickAccess": [ "{0}, {1}", @@ -23794,27 +24290,62 @@ "Unknown File Type", "Explorer" ], - "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": [ - "Bulk Edit", - "Renaming {0} to {1}, also making text edits", - "Creating {0}, also making text edits", - "Deleting {0}, also making text edits", - "{0}, making text edits", - "Renaming {0} to {1}", - "Creating {0}", - "Deleting {0}", - "line {0}, replacing {1} with {2}", - "line {0}, removing {1}", - "line {0}, inserting {1}", - "{0} → {1}", - "(renaming)", - "(creating)", - "(deleting)", - "{0} - {1}" + "vs/workbench/contrib/testing/common/constants": [ + "Errored", + "Failed", + "Passed", + "Queued", + "Running", + "Skipped", + "Not yet run", + "{0} ({1})", + "Debug", + "Run", + "Coverage" + ], + "vs/workbench/contrib/testing/browser/testingExplorerFilter": [ + "Show Only Failed Tests", + "Show Only Executed Tests", + "Show in Active File Only", + "Show Hidden Tests", + "More Filters...", + "Filter text for tests in the explorer", + "Filter (e.g. text, !exclude, @tag)", + "Fuzzy Match", + "Show Hidden Tests", + "Unhide All Tests", + "Filter" + ], + "vs/workbench/contrib/testing/browser/theme": [ + "Color for the 'failed' icon in the test explorer.", + "Color for the 'Errored' icon in the test explorer.", + "Color for the 'passed' icon in the test explorer.", + "Color for 'run' icons in the editor.", + "Color for the 'Queued' icon in the test explorer.", + "Color for the 'Unset' icon in the test explorer.", + "Color for the 'Skipped' icon in the test explorer.", + "Color of the peek view borders and arrow.", + "Color of the peek view borders and arrow.", + "Text color of test error messages shown inline in the editor.", + "Margin color beside error messages shown inline in the editor.", + "Text color of test info messages shown inline in the editor.", + "Margin color beside info messages shown inline in the editor." ], - "vs/workbench/contrib/search/browser/replaceService": [ - "Search and Replace", - "{0} ↔ {1} (Replace Preview)" + "vs/workbench/contrib/files/browser/views/explorerViewer": [ + "Files Explorer", + "Type file name. Press Enter to confirm or Escape to cancel.", + "Are you sure you want to change the order of multiple root folders in your workspace?", + "Are you sure you want to move the following {0} files into '{1}'?", + "Are you sure you want to change the order of root folder '{0}' in your workspace?", + "Are you sure you want to move '{0}' into '{1}'?", + "Do not ask me again", + "&&Move", + "Copy {0}", + "Copying {0}", + "Move {0}", + "Moving {0}", + "{0} folders", + "{0} files" ], "vs/workbench/contrib/files/browser/fileImportExport": [ "Uploading", @@ -23852,39 +24383,9 @@ "This action is irreversible!", "&&Replace" ], - "vs/workbench/contrib/files/browser/views/explorerViewer": [ - "Files Explorer", - "Type file name. Press Enter to confirm or Escape to cancel.", - "Are you sure you want to change the order of multiple root folders in your workspace?", - "Are you sure you want to move the following {0} files into '{1}'?", - "Are you sure you want to change the order of root folder '{0}' in your workspace?", - "Are you sure you want to move '{0}' into '{1}'?", - "Do not ask me again", - "&&Move", - "Copy {0}", - "Copying {0}", - "Move {0}", - "Moving {0}", - "{0} folders", - "{0} files" - ], - "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindReplaceWidget": [ - "Find", - "Find", - "Previous Match", - "Next Match", - "Close", - "Toggle Replace", - "Replace", - "Replace", - "Replace", - "Replace All", - "Icon for Find Filter in find widget.", - "Find Filters", - "Markdown Source", - "Rendered Markdown", - "Code Cell Source", - "Cell Output" + "vs/workbench/contrib/search/browser/replaceService": [ + "Search and Replace", + "{0} ↔ {1} (Replace Preview)" ], "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": [ "All backslashes in Query string must be escaped (\\\\)", @@ -23933,13 +24434,6 @@ "vs/workbench/contrib/debug/browser/baseDebugView": [ "Click to expand" ], - "vs/workbench/contrib/debug/browser/debugConfigurationManager": [ - "Select Launch Configuration", - "Edit Debug Configuration in launch.json", - "Unable to create 'launch.json' file inside the '.vscode' folder ({0}).", - "workspace", - "user settings" - ], "vs/workbench/contrib/debug/browser/debugAdapterManager": [ "Debugger 'type' can not be omitted and must be of type 'string'.", "Name of configuration; appears in the launch configuration dropdown menu.", @@ -23954,44 +24448,30 @@ "Install extension...", "Select debugger" ], - "vs/workbench/contrib/debug/common/debugSource": [ - "Unknown Source" - ], - "vs/base/browser/ui/findinput/replaceInput": [ - "input", - "Preserve Case" - ], - "vs/base/browser/ui/findinput/findInput": [ - "input" - ], - "vs/workbench/contrib/debug/browser/debugTaskRunner": [ - "Errors exist after running preLaunchTask '{0}'.", - "Error exists after running preLaunchTask '{0}'.", - "The preLaunchTask '{0}' terminated with exit code {1}.", - "The preLaunchTask '{0}' terminated.", - "Debug Anyway", - "Show Errors", - "Abort", - "Remember my choice in user settings", - "Debug Anyway", - "Cancel", - "Remember my choice for this task", - "Task '{0}' can not be referenced from a launch configuration that is in a different workspace folder.", - "Could not find the task '{0}'.", - "Could not find the specified task.", - "The task '{0}' cannot be tracked. Make sure to have a problem matcher defined.", - "The task '{0}' cannot be tracked. Make sure to have a problem matcher defined." - ], - "vs/workbench/contrib/comments/browser/commentGlyphWidget": [ - "Editor gutter decoration color for commenting ranges." + "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindReplaceWidget": [ + "Find", + "Find", + "Previous Match", + "Next Match", + "Close", + "Toggle Replace", + "Replace", + "Replace", + "Replace", + "Replace All", + "Icon for Find Filter in find widget.", + "Find Filters", + "Markdown Source", + "Rendered Markdown", + "Code Cell Source", + "Cell Output" ], - "vs/workbench/contrib/comments/browser/commentColors": [ - "Color of borders and arrow for resolved comments.", - "Color of borders and arrow for unresolved comments.", - "Color of background for comment ranges.", - "Color of border for comment ranges.", - "Color of background for currently selected or hovered comment range.", - "Color of border for currently selected or hovered comment range." + "vs/workbench/contrib/debug/browser/debugConfigurationManager": [ + "Select Launch Configuration", + "Edit Debug Configuration in launch.json", + "Unable to create 'launch.json' file inside the '.vscode' folder ({0}).", + "workspace", + "user settings" ], "vs/workbench/contrib/debug/browser/debugSession": [ "No debugger available, can not send '{0}'", @@ -24034,10 +24514,174 @@ "Debugging started.", "Debugging stopped." ], + "vs/workbench/contrib/debug/common/debugSource": [ + "Unknown Source" + ], + "vs/workbench/contrib/debug/browser/debugTaskRunner": [ + "Errors exist after running preLaunchTask '{0}'.", + "Error exists after running preLaunchTask '{0}'.", + "The preLaunchTask '{0}' terminated with exit code {1}.", + "The preLaunchTask '{0}' terminated.", + "Debug Anyway", + "Show Errors", + "Abort", + "Remember my choice in user settings", + "Debug Anyway", + "Cancel", + "Remember my choice for this task", + "Task '{0}' can not be referenced from a launch configuration that is in a different workspace folder.", + "Could not find the task '{0}'.", + "Could not find the specified task.", + "The task '{0}' cannot be tracked. Make sure to have a problem matcher defined.", + "The task '{0}' cannot be tracked. Make sure to have a problem matcher defined." + ], + "vs/workbench/contrib/debug/common/loadedScriptsPicker": [ + "Search loaded scripts by name" + ], + "vs/workbench/contrib/preferences/browser/settingsTree": [ + "Extensions", + "The setting has been configured in the current scope.", + "This setting is managed by your organization.", + "View policy settings", + "More Actions... ", + "Show matching extensions", + "Edit in settings.json", + "Edit settings for {0}", + "default", + "The setting has been configured in the current scope.", + "Manage Workspace Trust", + "This setting can only be applied in a trusted workspace", + "Reset Setting", + "Validation Error.", + "Validation Error.", + "Modified.", + "Settings", + "Copy Setting ID", + "Copy Setting as JSON", + "Sync This Setting" + ], + "vs/workbench/contrib/preferences/browser/preferencesRenderers": [ + "Edit", + "Replace in Settings", + "Copy to Settings", + "Unknown Configuration Setting", + "This setting cannot be applied because it is configured in the system policy.", + "This setting cannot be applied while a non-default profile is active. It will be applied when the default profile is active.", + "This setting cannot be applied in this window. It will be applied when you open a local window.", + "This setting cannot be applied in this workspace. It will be applied when you open the containing workspace folder directly.", + "This setting has an application scope and can be set only in the user settings file.", + "This setting can only be applied in user settings in local window or in remote settings in remote window.", + "This setting can only be applied in a trusted workspace.", + "Manage Workspace Trust", + "Manage Workspace Trust", + "Unsupported Property" + ], + "vs/workbench/contrib/preferences/browser/tocTree": [ + "Settings Table of Contents", + "{0}, group" + ], + "vs/workbench/contrib/preferences/browser/settingsLayout": [ + "Commonly Used", + "Text Editor", + "Cursor", + "Find", + "Font", + "Formatting", + "Diff Editor", + "Minimap", + "Suggestions", + "Files", + "Workbench", + "Appearance", + "Breadcrumbs", + "Editor Management", + "Settings Editor", + "Zen Mode", + "Screencast Mode", + "Window", + "New Window", + "Features", + "Explorer", + "Search", + "Debug", + "Testing", + "Source Control", + "Extensions", + "Terminal", + "Task", + "Problems", + "Output", + "Comments", + "Remote", + "Timeline", + "Notebook", + "Audio Cues", + "Application", + "Proxy", + "Keyboard", + "Update", + "Telemetry", + "Settings Sync", + "Security", + "Workspace" + ], + "vs/workbench/contrib/preferences/browser/settingsSearchMenu": [ + "Modified", + "Add or remove modified settings filter", + "Extension ID...", + "Add extension ID filter", + "Feature...", + "Add feature filter", + "Tag...", + "Add tag filter", + "Language...", + "Add language ID filter", + "Online services", + "Show settings for online services", + "Policy services", + "Show settings for policy services" + ], + "vs/workbench/contrib/debug/browser/debugSessionPicker": [ + "Search debug sessions by name", + "Start a New Debug Session", + "Session {0} spawned from {1}" + ], "vs/workbench/contrib/markers/browser/markersViewActions": [ "Icon for the filter configuration in the markers view.", "Showing {0} of {1}" ], + "vs/workbench/contrib/preferences/common/settingsEditorColorRegistry": [ + "The foreground color for a section header or active title.", + "The color of the modified setting indicator.", + "The color of the header container border.", + "The color of the Settings editor splitview sash border.", + "Settings editor dropdown background.", + "Settings editor dropdown foreground.", + "Settings editor dropdown border.", + "Settings editor dropdown list border. This surrounds the options and separates the options from the description.", + "Settings editor checkbox background.", + "Settings editor checkbox foreground.", + "Settings editor checkbox border.", + "Settings editor text input box background.", + "Settings editor text input box foreground.", + "Settings editor text input box border.", + "Settings editor number input box background.", + "Settings editor number input box foreground.", + "Settings editor number input box border.", + "The background color of a settings row when focused.", + "The background color of a settings row when hovered.", + "The color of the row's top and bottom border when the row is focused." + ], + "vs/workbench/contrib/markers/browser/markersTable": [ + "Code", + "Message", + "File", + "Source" + ], + "vs/base/browser/ui/findinput/replaceInput": [ + "input", + "Preserve Case" + ], "vs/workbench/contrib/markers/browser/markersTreeViewer": [ "Problems View", "Icon indicating that multiple lines are shown in the markers view.", @@ -24045,32 +24689,76 @@ "Show message in single line", "Show message in multiple lines" ], - "vs/workbench/contrib/markers/browser/markersTable": [ - "Code", - "Message", - "File", - "Source" + "vs/workbench/contrib/comments/browser/commentGlyphWidget": [ + "Editor gutter decoration color for commenting ranges." ], - "vs/workbench/contrib/customEditor/common/contributedCustomEditors": [ - "Built-in" + "vs/workbench/contrib/comments/browser/commentColors": [ + "Color of borders and arrow for resolved comments.", + "Color of borders and arrow for unresolved comments.", + "Color of background for comment ranges.", + "Color of border for comment ranges.", + "Color of background for currently selected or hovered comment range.", + "Color of border for currently selected or hovered comment range." + ], + "vs/workbench/contrib/mergeEditor/common/mergeEditor": [ + "The editor is a merge editor", + "The layout mode of a merge editor", + "The uri of the baser of a merge editor", + "The uri of the result of a merge editor" + ], + "vs/workbench/contrib/mergeEditor/browser/view/colors": [ + "The background color for changes.", + "The background color for word changes.", + "The border color of unhandled unfocused conflicts.", + "The border color of unhandled focused conflicts.", + "The border color of handled unfocused conflicts.", + "The border color of handled focused conflicts.", + "The foreground color for changes in input 1.", + "The foreground color for changes in input 1." + ], + "vs/workbench/contrib/mergeEditor/browser/view/editors/inputCodeEditorView": [ + "Accept {0}", + "Accept {0}", + "Accept Both", + "Swap", + "Mark as Handled", + "Accept" + ], + "vs/workbench/contrib/mergeEditor/browser/view/editors/resultCodeEditorView": [ + "{0} Conflict Remaining", + "{0} Conflicts Remaining " + ], + "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": [ + "Bulk Edit", + "Renaming {0} to {1}, also making text edits", + "Creating {0}, also making text edits", + "Deleting {0}, also making text edits", + "{0}, making text edits", + "Renaming {0} to {1}", + "Creating {0}", + "Deleting {0}", + "line {0}, replacing {1} with {2}", + "line {0}, removing {1}", + "line {0}, inserting {1}", + "{0} → {1}", + "(renaming)", + "(creating)", + "(deleting)", + "{0} - {1}" ], "vs/platform/files/browser/htmlFileSystemProvider": [ "Rename is only supported for files.", "Insufficient permissions. Please retry and allow the operation." ], - "vs/workbench/contrib/extensions/browser/extensionsViewer": [ - "Error", - "Unknown Extension:", - "{0}, {1}, {2}, {3}", - "Extensions" - ], "vs/workbench/contrib/extensions/browser/extensionsWidgets": [ "Average rating: {0} out of 5", + "Sponsor", "Extension in {0}", "This extension is ignored during sync.", "Activation time", "Startup", "Pre-Release", + "Sponsor", "This publisher has verified ownership of {0}", "Activation time", "Startup", @@ -24081,16 +24769,30 @@ "Show Dependencies", "Pre-Release version", "This extension has a {0} available", + "You have chosen not to receive recommendations for this extension.", "The icon color for extension ratings.", "The icon color for extension verified publisher.", - "The icon color for pre-release extension." + "The icon color for pre-release extension.", + "The icon color for extension sponsor." ], - "vs/workbench/contrib/extensions/browser/workspaceRecommendations": [ - "This extension is recommended by users of the current workspace." + "vs/workbench/contrib/extensions/browser/extensionsViewer": [ + "Error", + "Unknown Extension:", + "{0}, {1}, {2}, {3}", + "Extensions" ], "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": [ "This extension is recommended because you have {0} installed." ], + "vs/workbench/contrib/extensions/browser/workspaceRecommendations": [ + "This extension is recommended by users of the current workspace." + ], + "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": [ + "This extension may interest you because it's popular among users of the {0} repository." + ], + "vs/workbench/contrib/extensions/browser/webRecommendations": [ + "This extension is recommended for {0} for the Web" + ], "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": [ "Search Marketplace", "This extension is recommended based on the files you recently opened.", @@ -24098,19 +24800,11 @@ "The Marketplace has extensions that can help with '.{0}' files", "Don't Show Again for '.{0}' files" ], - "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": [ - "This extension may interest you because it's popular among users of the {0} repository." - ], - "vs/workbench/contrib/remote/browser/explorerViewItems": [ - "Switch Remote", - "Switch Remote" - ], - "vs/workbench/contrib/extensions/browser/webRecommendations": [ - "This extension is recommended for {0} for the Web" + "vs/workbench/contrib/extensions/browser/configBasedRecommendations": [ + "This extension is recommended because of the current workspace configuration" ], - "vs/workbench/contrib/terminal/browser/terminalConfigHelper": [ - "The '{0}' extension is recommended for opening a terminal in WSL.", - "Install" + "vs/workbench/contrib/customEditor/common/contributedCustomEditors": [ + "Built-in" ], "vs/workbench/contrib/terminal/browser/terminalProfileQuickpick": [ "Select the terminal profile to create", @@ -24122,8 +24816,9 @@ "detected", "Configure Terminal Profile" ], - "vs/workbench/contrib/extensions/browser/configBasedRecommendations": [ - "This extension is recommended because of the current workspace configuration" + "vs/workbench/contrib/terminal/browser/terminalConfigHelper": [ + "The '{0}' extension is recommended for opening a terminal in WSL.", + "Install" ], "vs/workbench/contrib/terminal/browser/terminalInstance": [ "Terminal input", @@ -24132,7 +24827,14 @@ "Local", "Bell", "Remove from Command History", + "Select a command to run (hold Option-key to edit the command)", + "Select a command to run (hold Alt-key to edit the command)", "View Command Output", + "{0} history", + "Select a directory to go to (hold Option-key to edit the command)", + "Select a directory to go to (hold Alt-key to edit the command)", + "Use Contiguous Search", + "Use Fuzzy Search", "Some keybindings don't go to the terminal by default and are handled by {0} instead.", "Configure Terminal Settings", "The terminal has no selection to copy", @@ -24143,6 +24845,9 @@ "Lost connection to process", "Cannot launch a terminal process in an untrusted workspace", "Cannot launch a terminal process in an untrusted workspace with cwd {0} and userHome {1}", + "Disabling shell integration in user settings might help.", + "Learn more about shell integration", + "Open user settings", "Creating a terminal process requires executing code", "Terminal {0}, {1}", "Terminal {0}", @@ -24151,14 +24856,16 @@ "Set Fixed Dimensions: Row", "Terminal {0} environment is stale, run the 'Show Environment Information' command for more information", "Enter terminal name", - "The terminal process \"{0}\" failed to launch (exit code: {1}). Disabling shell integration with `terminal.integrated.shellIntegration.enabled` might help.", - "The terminal process failed to launch (exit code: {0}). Disabling shell integration with `terminal.integrated.shellIntegration.enabled` might help.", "The terminal process \"{0}\" failed to launch (exit code: {1}).", "The terminal process failed to launch (exit code: {0}).", "The terminal process \"{0}\" terminated with exit code: {1}.", "The terminal process terminated with exit code: {0}.", "The terminal process failed to launch: {0}." ], + "vs/workbench/contrib/remote/browser/explorerViewItems": [ + "Switch Remote", + "Switch Remote" + ], "vs/workbench/contrib/terminal/browser/terminalTabsList": [ "Type terminal name. Press Enter to confirm or Escape to cancel.", "Terminal tabs", @@ -24208,16 +24915,43 @@ "The problem matcher(s) to use. Can either be a string or a problem matcher definition or an array of strings and problem matchers.", "The task configurations. Usually these are enrichments of task already defined in the external task runner." ], + "vs/workbench/contrib/snippets/browser/commands/abstractSnippetsActions": [ + "Snippets" + ], + "vs/workbench/contrib/snippets/browser/snippetPicker": [ + "User Snippets", + "Workspace Snippets", + "Hide from IntelliSense", + "(hidden from IntelliSense)", + "Show in IntelliSense", + "Select a snippet", + "No snippet available" + ], + "vs/workbench/contrib/snippets/browser/snippetsFile": [ + "Workspace Snippet", + "Global User Snippet", + "User Snippet" + ], "vs/workbench/services/configurationResolver/common/configurationResolverUtils": [ "'env.', 'config.' and 'command.' are deprecated, use 'env:', 'config:' and 'command:' instead." ], - "vs/editor/contrib/editorState/browser/keybindingCancellation": [ - "Whether the editor runs a cancellable operation, e.g. like 'Peek References'" + "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": [ + "{0} ({1})", + "{0}, {1}", + "{0}, {1}" ], "vs/workbench/contrib/update/browser/releaseNotesEditor": [ "Release Notes: {0}", "unassigned" ], + "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedColors": [ + "Background color for the Welcome page.", + "Background color for the tiles on the Get Started page.", + "Hover background color for the tiles on the Get Started.", + "Shadow color for the Welcome page walkthrough category buttons.", + "Foreground color for the Welcome page progress bars.", + "Background color for the Welcome page progress bars." + ], "vs/workbench/services/configurationResolver/common/configurationResolverSchema": [ "The input's id is used to associate an input with a variable of the form ${input:id}.", "The type of user input prompt to use.", @@ -24236,54 +24970,6 @@ "Optional arguments passed to the command.", "Optional arguments passed to the command." ], - "vs/editor/contrib/snippet/browser/snippetVariables": [ - "Sunday", - "Monday", - "Tuesday", - "Wednesday", - "Thursday", - "Friday", - "Saturday", - "Sun", - "Mon", - "Tue", - "Wed", - "Thu", - "Fri", - "Sat", - "January", - "February", - "March", - "April", - "May", - "June", - "July", - "August", - "September", - "October", - "November", - "December", - "Jan", - "Feb", - "Mar", - "Apr", - "May", - "Jun", - "Jul", - "Aug", - "Sep", - "Oct", - "Nov", - "Dec" - ], - "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedColors": [ - "Background color for the Welcome page.", - "Background color for the tiles on the Get Started page.", - "Hover background color for the tiles on the Get Started.", - "Shadow color for the Welcome page walkthrough category buttons.", - "Foreground color for the Welcome page progress bars.", - "Background color for the Welcome page progress bars." - ], "vs/workbench/contrib/welcomeGettingStarted/common/gettingStartedContent": [ "Icon used for the setup category of welcome page", "Icon used for the beginner category of welcome page", @@ -24413,49 +25099,14 @@ "Get notebooks to feel just the way you prefer" ], "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": [ - "Call Hierarchy", - "calls from {0}", - "callers of {0}" - ], - "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyTree": [ - "Type Hierarchy", - "supertypes of {0}", - "subtypes of {0}" - ], - "vs/editor/contrib/symbolIcons/browser/symbolIcons": [ - "The foreground color for array symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for boolean symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for class symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for color symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for constant symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for constructor symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for enumerator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for enumerator member symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for event symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for field symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for file symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for folder symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for function symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for interface symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for key symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for keyword symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for method symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for module symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for namespace symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for null symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for number symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for object symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for operator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for package symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for property symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for reference symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for snippet symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for string symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for struct symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for text symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for type parameter symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for unit symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", - "The foreground color for variable symbols. These symbols appear in the outline, breadcrumb, and suggest widget." + "Call Hierarchy", + "calls from {0}", + "callers of {0}" + ], + "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyTree": [ + "Type Hierarchy", + "supertypes of {0}", + "subtypes of {0}" ], "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedExtensionPoint": [ "Title", @@ -24495,30 +25146,6 @@ "Mark step done when the specified command is executed.", "Context key expression to control the visibility of this step." ], - "vs/workbench/services/textfile/common/textFileSaveParticipant": [ - "Saving '{0}'" - ], - "vs/workbench/contrib/feedback/browser/feedback": [ - "Tweet us your feedback.", - "Close", - "Your installation is corrupt.", - "Please specify this if you submit a bug.", - "How was your experience?", - "Happy Feedback Sentiment", - "Happy Feedback Sentiment", - "Sad Feedback Sentiment", - "Sad Feedback Sentiment", - "Other ways to contact us", - "Submit a bug", - "Request a missing feature", - "Tell us why?", - "Tell us your feedback", - "Show Feedback Icon in Status Bar", - "Tweet", - "Tweet Feedback", - "character left", - "characters left" - ], "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": [ "Merges", "Synced Machines", @@ -24550,11 +25177,70 @@ "Last Synced Remotes", "Current" ], + "vs/workbench/contrib/feedback/browser/feedback": [ + "Tweet us your feedback.", + "Close", + "Your installation is corrupt.", + "Please specify this if you submit a bug.", + "How was your experience?", + "Happy Feedback Sentiment", + "Happy Feedback Sentiment", + "Sad Feedback Sentiment", + "Sad Feedback Sentiment", + "Other ways to contact us", + "Submit a bug", + "Request a missing feature", + "Tell us why?", + "Tell us your feedback", + "Show Feedback Icon in Status Bar", + "Tweet", + "Tweet Feedback", + "character left", + "characters left" + ], + "vs/editor/contrib/symbolIcons/browser/symbolIcons": [ + "The foreground color for array symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for boolean symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for class symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for color symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for constant symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for constructor symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for enumerator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for enumerator member symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for event symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for field symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for file symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for folder symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for function symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for interface symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for key symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for keyword symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for method symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for module symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for namespace symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for null symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for number symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for object symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for operator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for package symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for property symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for reference symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for snippet symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for string symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for struct symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for text symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for type parameter symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for unit symbols. These symbols appear in the outline, breadcrumb, and suggest widget.", + "The foreground color for variable symbols. These symbols appear in the outline, breadcrumb, and suggest widget." + ], "vs/workbench/browser/parts/notifications/notificationsList": [ "{0}, notification", "{0}, source: {1}, notification", "Notifications List" ], + "vs/workbench/services/textfile/common/textFileSaveParticipant": [ + "Saving '{0}'" + ], "vs/workbench/browser/parts/notifications/notificationsActions": [ "Icon for the clear action in notifications.", "Icon for the clear all action in notifications.", @@ -24562,21 +25248,18 @@ "Icon for the expand action in notifications.", "Icon for the collapse action in notifications.", "Icon for the configure action in notifications.", + "Icon for the mute all action in notifications.", "Clear Notification", "Clear All Notifications", + "Toggle Do Not Disturb Mode", "Hide Notifications", "Expand Notification", "Collapse Notification", "Configure Notification", "Copy Text" ], - "vs/workbench/browser/parts/titlebar/windowTitle": [ - "[Unsupported]", - "[Administrator]", - "[Superuser]", - "[Extension Development Host]" - ], "vs/workbench/browser/parts/titlebar/commandCenterControl": [ + "Search", "{0} {1}", "{0} {1}", "Search {0} ({1}) — {2}", @@ -24588,8 +25271,18 @@ "Active background color of the command center", "Border color of the command center" ], - "vs/workbench/contrib/webview/browser/webviewElement": [ - "Error loading webview: {0}" + "vs/workbench/browser/parts/titlebar/windowTitle": [ + "[Administrator]", + "[Superuser]", + "[Extension Development Host]" + ], + "vs/workbench/services/extensions/common/extensionsUtil": [ + "Overwriting extension {0} with {1}.", + "Overwriting extension {0} with {1}.", + "Loading development extension at {0}" + ], + "vs/workbench/services/extensions/common/extensionHostManager": [ + "Measure Extension Host Latency" ], "vs/workbench/services/workingCopy/common/storedFileWorkingCopy": [ "Failed to save '{0}': The content of the file is newer. Do you want to overwrite the file with your changes?", @@ -24610,30 +25303,61 @@ "Failed to save '{0}': Insufficient permissions. Select 'Retry as Sudo' to retry as superuser.", "Failed to save '{0}': {1}" ], - "vs/editor/browser/controller/textAreaHandler": [ - "editor", - "The editor is not accessible at this time. Press {0} for options." + "vs/workbench/contrib/webview/browser/webviewElement": [ + "Error loading webview: {0}" + ], + "vs/workbench/api/common/extHostDiagnostics": [ + "Not showing {0} further errors and warnings." + ], + "vs/workbench/api/common/extHostProgress": [ + "{0} (Extension)" + ], + "vs/workbench/api/common/extHostStatusBar": [ + "{0} (Extension)", + "Extension Status" + ], + "vs/workbench/api/common/extHostTreeViews": [ + "No tree view with id '{0}' registered.", + "No tree view with id '{0}' registered.", + "No tree view with id '{0}' registered.", + "No tree view with id '{0}' registered.", + "No tree view with id '{0}' registered.", + "No tree view with id '{0}' registered.", + "No tree view with id '{0}' registered.", + "No tree view with id '{0}' registered.", + "Element with id {0} is already registered" ], "vs/base/browser/ui/findinput/findInputToggles": [ "Match Case", "Match Whole Word", "Use Regular Expression" ], + "vs/editor/browser/controller/textAreaHandler": [ + "editor", + "The editor is not accessible at this time. Press {0} for options." + ], "vs/editor/contrib/colorPicker/browser/colorPickerWidget": [ "Click to toggle color options (rgb/hsl/hex)" ], + "vs/editor/contrib/codeAction/browser/codeActionMenu": [ + "Whether the code action list widget is visible", + "{0} to Refactor, {1} to Preview" + ], + "vs/editor/contrib/editorState/browser/keybindingCancellation": [ + "Whether the editor runs a cancellable operation, e.g. like 'Peek References'" + ], "vs/editor/contrib/gotoSymbol/browser/peek/referencesWidget": [ "no preview available", "No results", "References" ], + "vs/editor/contrib/suggest/browser/suggestWidgetStatus": [ + "{0} ({1})" + ], "vs/editor/contrib/suggest/browser/suggestWidgetDetails": [ "Close", "Loading..." ], - "vs/editor/contrib/suggest/browser/suggestWidgetStatus": [ - "{0} ({1})" - ], "vs/editor/contrib/suggest/browser/suggestWidgetRenderer": [ "Icon for more information in the suggest widget.", "Read More" @@ -24649,15 +25373,45 @@ "Editor actions", "{0} (+{1})" ], - "vs/workbench/browser/parts/editor/breadcrumbsControl": [ - "Icon for the separator in the breadcrumbs.", - "Whether the editor can show breadcrumbs", - "Whether breadcrumbs are currently visible", - "Whether breadcrumbs have focus", - "no elements", - "Toggle Breadcrumbs", - "Show &&Breadcrumbs", - "Focus Breadcrumbs" + "vs/editor/contrib/snippet/browser/snippetVariables": [ + "Sunday", + "Monday", + "Tuesday", + "Wednesday", + "Thursday", + "Friday", + "Saturday", + "Sun", + "Mon", + "Tue", + "Wed", + "Thu", + "Fri", + "Sat", + "January", + "February", + "March", + "April", + "May", + "June", + "July", + "August", + "September", + "October", + "November", + "December", + "Jan", + "Feb", + "Mar", + "Apr", + "May", + "Jun", + "Jul", + "Aug", + "Sep", + "Oct", + "Nov", + "Dec" ], "vs/workbench/browser/parts/editor/editorPlaceholder": [ "Workspace Trust Required", @@ -24670,68 +25424,24 @@ "The editor could not be opened due to an unexpected error.", "Try Again" ], - "vs/base/parts/quickinput/browser/quickInputList": [ - "Quick Input" - ], - "vs/workbench/contrib/preferences/browser/settingsEditorSettingIndicators": [ - "Sync: Ignored", - "Settings sync does not sync this setting", - "Also modified in", - "Modified in", - "Default setting value overridden by {0}", - "$(replace) {0}", - "Default setting value overridden by {0}", - "$(replace) {0}", - "Also modified in", - "Modified in", - "Settings sync does not sync this setting", - "Default setting value overridden by {0}", - "Default setting value overridden by {0}" - ], - "vs/workbench/contrib/preferences/browser/settingsWidgets": [ - "OK", - "Cancel", - "List item `{0}`", - "List item `{0}` with sibling `${1}`", - "Remove Item", - "Edit Item", - "Add Item", - "Item...", - "Sibling...", - "Exclude files matching `{0}`", - "Exclude files matching `{0}`, only when a file matching `{1}` is present", - "Remove Exclude Item", - "Edit Exclude Item", - "Add Pattern", - "Exclude Pattern...", - "When Pattern Is Present...", - "OK", - "Cancel", - "Key", - "Value", - "The property `{0}` is set to `{1}`.", - "Remove Item", - "Reset Item", - "Edit Item", - "Add Item", - "Item", - "Value", - "The property `{0}` is set to `{1}`.", - "Remove Item", - "Reset Item", - "Edit Item", - "Add Item", - "Item", - "Value" + "vs/workbench/browser/parts/editor/breadcrumbsControl": [ + "Icon for the separator in the breadcrumbs.", + "Whether the editor can show breadcrumbs", + "Whether breadcrumbs are currently visible", + "Whether breadcrumbs have focus", + "no elements", + "Toggle Breadcrumbs", + "&&Breadcrumbs", + "Focus Breadcrumbs" ], - "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": [ - "Execution Order" + "vs/base/parts/quickinput/browser/quickInputList": [ + "Quick Input" ], "vs/workbench/services/workingCopy/common/storedFileWorkingCopyManager": [ "Saving working copies" ], - "vs/base/browser/ui/selectBox/selectBoxCustom": [ - "Select Box" + "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": [ + "Execution Order" ], "vs/workbench/contrib/debug/browser/rawDebugSession": [ "No debug adapter, can not start debug session.", @@ -24741,6 +25451,19 @@ "No debugger available found. Can not send '{0}'.", "More Info" ], + "vs/workbench/contrib/debug/common/debugger": [ + "Cannot find debug adapter for type '{0}'.", + "Use IntelliSense to learn about possible attributes.", + "Hover to view descriptions of existing attributes.", + "For more information, visit: {0}", + "Type of configuration.", + "The debug type is not recognized. Make sure that you have a corresponding debug extension installed and that it is enabled.", + "\"node2\" is no longer supported, use \"node\" instead and set the \"protocol\" attribute to \"inspector\".", + "Request type of configuration. Can be \"launch\" or \"attach\".", + "Windows specific launch configuration attributes.", + "OS X specific launch configuration attributes.", + "Linux specific launch configuration attributes." + ], "vs/workbench/contrib/debug/common/debugSchemas": [ "Contributes debug adapters.", "Unique identifier for this debug adapter.", @@ -24755,6 +25478,7 @@ "Snippets for adding new configurations in 'launch.json'.", "JSON schema configurations for validating 'launch.json'.", "Condition which must be true to enable this type of debugger. Consider using 'shellExecutionSupported', 'virtualWorkspace', 'resourceScheme' or an extension-defined context key as appropriate for this.", + "Optional message to mark this debug type as being deprecated.", "Windows specific settings.", "Runtime used for Windows.", "macOS specific settings.", @@ -24780,18 +25504,96 @@ "Controls whether manually terminating one session will stop all of the compound sessions.", "Task to run before any of the compound configurations start." ], - "vs/workbench/contrib/debug/common/debugger": [ - "Cannot find debug adapter for type '{0}'.", - "Use IntelliSense to learn about possible attributes.", - "Hover to view descriptions of existing attributes.", - "For more information, visit: {0}", - "Type of configuration.", - "The debug type is not recognized. Make sure that you have a corresponding debug extension installed and that it is enabled.", - "\"node2\" is no longer supported, use \"node\" instead and set the \"protocol\" attribute to \"inspector\".", - "Request type of configuration. Can be \"launch\" or \"attach\".", - "Windows specific launch configuration attributes.", - "OS X specific launch configuration attributes.", - "Linux specific launch configuration attributes." + "vs/base/browser/ui/selectBox/selectBoxCustom": [ + "Select Box" + ], + "vs/workbench/contrib/preferences/browser/settingsEditorSettingIndicators": [ + "Not synced", + "This setting is ignored during sync", + "Default value changed", + "User", + "Workspace", + "Remote", + "Applies to all profiles", + "The setting is not specific to the current profile, and will retain its value when switching profiles.", + "Also modified in", + "Modified in", + "Also modified elsewhere", + "Modified elsewhere", + "The setting has also been modified in the following scopes:", + "The setting has been modified in the following scopes:", + "The following languages have default overrides:", + "Default setting value overridden by {0}", + "User", + "Workspace", + "Remote", + "The {0} scope for {1}", + "User", + "Workspace", + "Remote", + "the {0} scope for {1}", + "Setting value retained when switching profiles", + "Also modified in", + "Modified in", + "Setting ignored during sync", + "{0} overrides the default value", + "Language-specific default values exist for {0}" + ], + "vs/workbench/contrib/preferences/browser/settingsWidgets": [ + "OK", + "Cancel", + "List item `{0}`", + "List item `{0}` with sibling `${1}`", + "Remove Item", + "Edit Item", + "Add Item", + "Item...", + "Sibling...", + "Exclude files matching `{0}`", + "Exclude files matching `{0}`, only when a file matching `{1}` is present", + "Remove Exclude Item", + "Edit Exclude Item", + "Add Pattern", + "Exclude Pattern...", + "When Pattern Is Present...", + "OK", + "Cancel", + "Key", + "Value", + "The property `{0}` is set to `{1}`.", + "Remove Item", + "Reset Item", + "Edit Item", + "Add Item", + "Item", + "Value", + "The property `{0}` is set to `{1}`.", + "Remove Item", + "Reset Item", + "Edit Item", + "Add Item", + "Item", + "Value" + ], + "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": [ + "Find", + "Find (⇅ for history)", + "Previous Match", + "Next Match", + "Close", + "Enter search input", + "{0} found", + "{0} found for '{1}'", + "{0} found for '{1}'" + ], + "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": [ + "option + click", + "alt + click", + "cmd + click", + "ctrl + click", + "Follow link", + "Follow link using forwarded port", + "Link" ], "vs/workbench/contrib/customEditor/common/extensionPoint": [ "Contributed custom editors.", @@ -24803,33 +25605,15 @@ "The editor is automatically used when the user opens a resource, provided that no other default custom editors are registered for that resource.", "The editor is not automatically used when the user opens a resource, but a user can switch to the editor using the `Reopen With` command." ], - "vs/workbench/contrib/terminal/browser/terminalDecorationsProvider": [ - "Terminal" - ], "vs/workbench/contrib/terminal/browser/terminalProcessManager": [ "Restarting the terminal because the connection to the shell process was lost..." ], - "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": [ - "Find", - "Find (⇅ for history)", - "Previous Match", - "Next Match", - "Close" - ], "vs/workbench/contrib/terminal/browser/links/terminalLinkQuickpick": [ "Select the link to open", "Url", "Local File", - "Workspace Search" - ], - "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": [ - "option + click", - "alt + click", - "cmd + click", - "ctrl + click", - "Follow link", - "Follow link using forwarded port", - "Link" + "Workspace Search", + "Show more links" ], "vs/workbench/contrib/terminal/browser/xterm/xtermTerminal": [ "Yes", @@ -24837,6 +25621,9 @@ "Don't Show Again", "Terminal GPU acceleration appears to be slow on your computer. Would you like to switch to disable it which may improve performance? [Read more about terminal settings](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered)." ], + "vs/workbench/contrib/terminal/browser/terminalDecorationsProvider": [ + "Terminal" + ], "vs/workbench/contrib/welcomeGettingStarted/common/media/theme_picker": [ "Light", "Dark", @@ -24849,6 +25636,16 @@ "Jupyter", "Colab" ], + "vs/platform/languagePacks/common/localizedStrings": [ + "open", + "close", + "find" + ], + "vs/workbench/browser/parts/notifications/notificationsViewer": [ + "Click to execute command '{0}'", + "Notification Actions", + "Source: {0}" + ], "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": [ "Please go through each entry and merge to enable sync.", "Turn on Settings Sync", @@ -24874,16 +25671,6 @@ "Accept Local", "Accept Merges" ], - "vs/platform/languagePacks/common/localizedStrings": [ - "open", - "close", - "find" - ], - "vs/workbench/browser/parts/notifications/notificationsViewer": [ - "Click to execute command '{0}'", - "Notification Actions", - "Source: {0}" - ], "vs/editor/contrib/codeAction/browser/lightBulbWidget": [ "Show Code Actions. Preferred Quick Fix Available ({0})", "Show Code Actions ({0})", @@ -24894,29 +25681,6 @@ "{0} reference", "References" ], - "vs/workbench/browser/parts/editor/breadcrumbsPicker": [ - "Breadcrumbs" - ], - "vs/workbench/contrib/notebook/browser/diff/diffElementOutputs": [ - "Choose a different output mimetype, available mimetypes: {0}", - "Cell has no output", - "No renderer could be found for output. It has the following mimetypes: {0}", - "Currently Active", - "Select mimetype to render for current output. Rich mimetypes are available only when the notebook is trusted", - "Select mimetype to render for current output", - "built-in" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/cellEditorOptions": [ - "Controls the display of line numbers in the cell editor.", - "Toggle Notebook Line Numbers", - "Show Notebook Line Numbers", - "Show Cell Line Numbers" - ], - "vs/workbench/contrib/notebook/browser/view/cellParts/collapsedCellOutput": [ - "Outputs are collapsed", - "Double click to expand cell output ({0})", - "Expand Cell Output (${0})" - ], "vs/workbench/browser/parts/editor/breadcrumbs": [ "Breadcrumb Navigation", "Enable/disable navigation breadcrumbs.", @@ -24960,12 +25724,26 @@ "When enabled breadcrumbs show `operator`-symbols.", "When enabled breadcrumbs show `typeParameter`-symbols." ], + "vs/workbench/browser/parts/editor/breadcrumbsPicker": [ + "Breadcrumbs" + ], + "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellRunToolbar": [ + "More..." + ], "vs/workbench/contrib/notebook/browser/view/cellParts/codeCell": [ "Double click to expand cell input ({0})", "Expand Cell Input ({0})" ], - "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellRunToolbar": [ - "More..." + "vs/workbench/contrib/notebook/browser/view/cellParts/cellEditorOptions": [ + "Controls the display of line numbers in the cell editor.", + "Toggle Notebook Line Numbers", + "Show Notebook Line Numbers", + "Show Cell Line Numbers" + ], + "vs/workbench/contrib/notebook/browser/view/cellParts/collapsedCellOutput": [ + "Outputs are collapsed", + "Double click to expand cell output ({0})", + "Expand Cell Output (${0})" ], "vs/workbench/contrib/notebook/browser/view/cellParts/foldedCellHint": [ "1 cell hidden", @@ -24975,20 +25753,23 @@ "Double click to expand cell input ({0})", "Expand Cell Input ({0})" ], - "vs/workbench/contrib/comments/browser/commentThreadHeader": [ - "Icon to collapse a review comment.", - "Collapse", - "Start discussion" - ], "vs/workbench/contrib/comments/browser/commentThreadBody": [ "Comment thread with {0} comments on lines {1} through {2}. {3}.", "Comment thread with {0} comments. {1}." ], - "vs/workbench/contrib/terminal/browser/environmentVariableInfo": [ - "Extensions want to make the following changes to the terminal's environment:", - "Extensions want to remove these existing changes from the terminal's environment:", - "Relaunch terminal", - "Extensions have made changes to this terminal's environment" + "vs/workbench/contrib/notebook/browser/diff/diffElementOutputs": [ + "Choose a different output mimetype, available mimetypes: {0}", + "Cell has no output", + "No renderer could be found for output. It has the following mimetypes: {0}", + "Currently Active", + "Select mimetype to render for current output. Rich mimetypes are available only when the notebook is trusted", + "Select mimetype to render for current output", + "built-in" + ], + "vs/workbench/contrib/comments/browser/commentThreadHeader": [ + "Icon to collapse a review comment.", + "Collapse", + "Start discussion" ], "vs/workbench/contrib/terminal/browser/links/terminalLinkDetectorAdapter": [ "Search workspace", @@ -24997,15 +25778,30 @@ "Open folder in new window", "Follow link" ], + "vs/workbench/contrib/terminal/browser/environmentVariableInfo": [ + "Extensions want to make the following changes to the terminal's environment:", + "Extensions want to remove these existing changes from the terminal's environment:", + "Relaunch terminal", + "Extensions have made changes to this terminal's environment" + ], "vs/workbench/contrib/terminal/browser/xterm/decorationAddon": [ "Show Command Actions", "Command executed {0} and failed", "Command executed {0} and failed (Exit Code {1})", "Command executed {0}", + "Rerun Command", + "Copy Command", "Copy Output", "Copy Output as HTML", - "Rerun Command", - "How does this work?" + "Configure Command Decorations", + "Learn About Shell Integration", + "Change default icon", + "Change success icon", + "Change error icon", + "Toggle visibility", + "Toggle visibility", + "Gutter command decorations", + "Overview ruler command decorations" ], "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellExecutionIcon": [ "Success", @@ -25013,10 +25809,14 @@ "Pending", "Executing" ], - "vs/workbench/contrib/terminal/browser/links/terminalLink": [ - "Open file in editor", - "Focus folder in explorer", - "Open folder in new window" + "vs/workbench/contrib/comments/browser/commentNode": [ + "Toggle Reaction", + "Toggling the comment reaction failed: {0}.", + "Toggling the comment reaction failed", + "Deleting the comment reaction failed: {0}.", + "Deleting the comment reaction failed", + "Deleting the comment reaction failed: {0}.", + "Deleting the comment reaction failed" ], "vs/workbench/contrib/notebook/browser/view/cellParts/cellOutput": [ "Cell has no output", @@ -25028,14 +25828,10 @@ "Select mimetype to render for current output", "renderer not available" ], - "vs/workbench/contrib/comments/browser/commentNode": [ - "Toggle Reaction", - "Toggling the comment reaction failed: {0}.", - "Toggling the comment reaction failed", - "Deleting the comment reaction failed: {0}.", - "Deleting the comment reaction failed", - "Deleting the comment reaction failed: {0}.", - "Deleting the comment reaction failed" + "vs/workbench/contrib/terminal/browser/links/terminalLink": [ + "Open file in editor", + "Focus folder in explorer", + "Open folder in new window" ], "vs/workbench/contrib/comments/browser/reactionsAction": [ "Pick Reactions..." @@ -25044,6 +25840,7 @@ "bundles": { "vs/workbench/workbench.desktop.main": [ "vs/base/browser/ui/actionbar/actionViewItems", + "vs/base/browser/ui/button/button", "vs/base/browser/ui/dialog/dialog", "vs/base/browser/ui/findinput/findInput", "vs/base/browser/ui/findinput/findInputToggles", @@ -25062,6 +25859,7 @@ "vs/base/common/errorMessage", "vs/base/common/jsonErrorMessages", "vs/base/common/keybindingLabels", + "vs/base/common/platform", "vs/base/parts/quickinput/browser/quickInput", "vs/base/parts/quickinput/browser/quickInputList", "vs/editor/browser/controller/textAreaHandler", @@ -25084,6 +25882,8 @@ "vs/editor/contrib/caretOperations/browser/transpose", "vs/editor/contrib/clipboard/browser/clipboard", "vs/editor/contrib/codeAction/browser/codeActionCommands", + "vs/editor/contrib/codeAction/browser/codeActionMenu", + "vs/editor/contrib/codeAction/browser/codeActionWidgetContribution", "vs/editor/contrib/codeAction/browser/lightBulbWidget", "vs/editor/contrib/codelens/browser/codelensController", "vs/editor/contrib/colorPicker/browser/colorPickerWidget", @@ -25091,6 +25891,7 @@ "vs/editor/contrib/contextmenu/browser/contextmenu", "vs/editor/contrib/copyPaste/browser/copyPasteContribution", "vs/editor/contrib/cursorUndo/browser/cursorUndo", + "vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution", "vs/editor/contrib/editorState/browser/keybindingCancellation", "vs/editor/contrib/find/browser/findController", "vs/editor/contrib/find/browser/findWidget", @@ -25127,6 +25928,7 @@ "vs/editor/contrib/peekView/browser/peekView", "vs/editor/contrib/quickAccess/browser/gotoLineQuickAccess", "vs/editor/contrib/quickAccess/browser/gotoSymbolQuickAccess", + "vs/editor/contrib/readOnlyMessage/browser/contribution", "vs/editor/contrib/rename/browser/rename", "vs/editor/contrib/rename/browser/renameInputField", "vs/editor/contrib/smartSelect/browser/smartSelect", @@ -25146,6 +25948,8 @@ "vs/editor/contrib/wordHighlighter/browser/wordHighlighter", "vs/editor/contrib/wordOperations/browser/wordOperations", "vs/platform/actions/browser/menuEntryActionViewItem", + "vs/platform/actions/common/menuResetAction", + "vs/platform/actions/common/menuService", "vs/platform/configuration/common/configurationRegistry", "vs/platform/contextkey/browser/contextKeyService", "vs/platform/contextkey/common/contextkeys", @@ -25176,6 +25980,7 @@ "vs/platform/theme/common/tokenClassificationRegistry", "vs/platform/undoRedo/common/undoRedoService", "vs/platform/update/common/update.config.contribution", + "vs/platform/userDataProfile/common/userDataProfile", "vs/platform/userDataSync/common/abstractSynchronizer", "vs/platform/userDataSync/common/keybindingsSync", "vs/platform/userDataSync/common/settingsSync", @@ -25237,9 +26042,9 @@ "vs/workbench/browser/parts/editor/editorStatus", "vs/workbench/browser/parts/editor/sideBySideEditor", "vs/workbench/browser/parts/editor/tabsTitleControl", + "vs/workbench/browser/parts/editor/textCodeEditor", "vs/workbench/browser/parts/editor/textDiffEditor", "vs/workbench/browser/parts/editor/textEditor", - "vs/workbench/browser/parts/editor/textResourceEditor", "vs/workbench/browser/parts/editor/titleControl", "vs/workbench/browser/parts/notifications/notificationsActions", "vs/workbench/browser/parts/notifications/notificationsAlerts", @@ -25337,6 +26142,7 @@ "vs/workbench/contrib/debug/browser/debugColors", "vs/workbench/contrib/debug/browser/debugCommands", "vs/workbench/contrib/debug/browser/debugConfigurationManager", + "vs/workbench/contrib/debug/browser/debugConsoleQuickAccess", "vs/workbench/contrib/debug/browser/debugEditorActions", "vs/workbench/contrib/debug/browser/debugEditorContribution", "vs/workbench/contrib/debug/browser/debugHover", @@ -25344,6 +26150,7 @@ "vs/workbench/contrib/debug/browser/debugQuickAccess", "vs/workbench/contrib/debug/browser/debugService", "vs/workbench/contrib/debug/browser/debugSession", + "vs/workbench/contrib/debug/browser/debugSessionPicker", "vs/workbench/contrib/debug/browser/debugStatus", "vs/workbench/contrib/debug/browser/debugTaskRunner", "vs/workbench/contrib/debug/browser/debugToolBar", @@ -25369,7 +26176,13 @@ "vs/workbench/contrib/debug/common/debugSource", "vs/workbench/contrib/debug/common/debugger", "vs/workbench/contrib/debug/common/disassemblyViewInput", + "vs/workbench/contrib/debug/common/loadedScriptsPicker", "vs/workbench/contrib/debug/common/replModel", + "vs/workbench/contrib/deprecatedExtensionMigrator/browser/deprecatedExtensionMigrator.contribution", + "vs/workbench/contrib/editSessions/browser/editSessions.contribution", + "vs/workbench/contrib/editSessions/browser/editSessionsViews", + "vs/workbench/contrib/editSessions/browser/editSessionsWorkbenchService", + "vs/workbench/contrib/editSessions/common/editSessions", "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation", "vs/workbench/contrib/experiments/browser/experiments.contribution", "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor", @@ -25448,6 +26261,7 @@ "vs/workbench/contrib/localHistory/browser/localHistoryTimeline", "vs/workbench/contrib/localHistory/electron-sandbox/localHistoryCommands", "vs/workbench/contrib/localization/browser/localizationsActions", + "vs/workbench/contrib/localization/electron-sandbox/localeService", "vs/workbench/contrib/localization/electron-sandbox/localization.contribution", "vs/workbench/contrib/localization/electron-sandbox/minimalTranslations", "vs/workbench/contrib/logs/common/logs.contribution", @@ -25461,9 +26275,15 @@ "vs/workbench/contrib/markers/browser/markersView", "vs/workbench/contrib/markers/browser/markersViewActions", "vs/workbench/contrib/markers/browser/messages", - "vs/workbench/contrib/mergeEditor/browser/mergeEditor", + "vs/workbench/contrib/mergeEditor/browser/commands/commands", + "vs/workbench/contrib/mergeEditor/browser/commands/devCommands", "vs/workbench/contrib/mergeEditor/browser/mergeEditor.contribution", "vs/workbench/contrib/mergeEditor/browser/mergeEditorInput", + "vs/workbench/contrib/mergeEditor/browser/view/colors", + "vs/workbench/contrib/mergeEditor/browser/view/editors/inputCodeEditorView", + "vs/workbench/contrib/mergeEditor/browser/view/editors/resultCodeEditorView", + "vs/workbench/contrib/mergeEditor/browser/view/mergeEditor", + "vs/workbench/contrib/mergeEditor/common/mergeEditor", "vs/workbench/contrib/notebook/browser/contrib/cellCommands/cellCommands", "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/executionStatusBarItemController", "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/statusBarProviders", @@ -25478,6 +26298,7 @@ "vs/workbench/contrib/notebook/browser/contrib/navigation/arrow", "vs/workbench/contrib/notebook/browser/contrib/outline/notebookOutline", "vs/workbench/contrib/notebook/browser/contrib/profile/notebookProfile", + "vs/workbench/contrib/notebook/browser/contrib/troubleshoot/layout", "vs/workbench/contrib/notebook/browser/controller/coreActions", "vs/workbench/contrib/notebook/browser/controller/editActions", "vs/workbench/contrib/notebook/browser/controller/executeActions", @@ -25527,12 +26348,10 @@ "vs/workbench/contrib/preferences/browser/settingsLayout", "vs/workbench/contrib/preferences/browser/settingsSearchMenu", "vs/workbench/contrib/preferences/browser/settingsTree", - "vs/workbench/contrib/preferences/browser/settingsTreeModels", "vs/workbench/contrib/preferences/browser/settingsWidgets", "vs/workbench/contrib/preferences/browser/tocTree", "vs/workbench/contrib/preferences/common/preferencesContribution", "vs/workbench/contrib/preferences/common/settingsEditorColorRegistry", - "vs/workbench/contrib/profiles/common/profilesActions", "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess", "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution", "vs/workbench/contrib/quickaccess/browser/viewQuickAccess", @@ -25568,14 +26387,17 @@ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution", "vs/workbench/contrib/searchEditor/browser/searchEditorInput", "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization", - "vs/workbench/contrib/snippets/browser/configureSnippets", - "vs/workbench/contrib/snippets/browser/insertSnippet", + "vs/workbench/contrib/snippets/browser/commands/abstractSnippetsActions", + "vs/workbench/contrib/snippets/browser/commands/configureSnippets", + "vs/workbench/contrib/snippets/browser/commands/fileTemplateSnippets", + "vs/workbench/contrib/snippets/browser/commands/insertSnippet", + "vs/workbench/contrib/snippets/browser/commands/surroundWithSnippet", + "vs/workbench/contrib/snippets/browser/snippetCodeActionProvider", "vs/workbench/contrib/snippets/browser/snippetCompletionProvider", "vs/workbench/contrib/snippets/browser/snippetPicker", "vs/workbench/contrib/snippets/browser/snippets.contribution", "vs/workbench/contrib/snippets/browser/snippetsFile", "vs/workbench/contrib/snippets/browser/snippetsService", - "vs/workbench/contrib/snippets/browser/surroundWithSnippet", "vs/workbench/contrib/surveys/browser/ces.contribution", "vs/workbench/contrib/surveys/browser/languageSurveys.contribution", "vs/workbench/contrib/surveys/browser/nps.contribution", @@ -25609,6 +26431,7 @@ "vs/workbench/contrib/terminal/browser/terminalEditorInput", "vs/workbench/contrib/terminal/browser/terminalIcons", "vs/workbench/contrib/terminal/browser/terminalInstance", + "vs/workbench/contrib/terminal/browser/terminalMainContribution", "vs/workbench/contrib/terminal/browser/terminalMenus", "vs/workbench/contrib/terminal/browser/terminalProcessManager", "vs/workbench/contrib/terminal/browser/terminalProfileQuickpick", @@ -25656,6 +26479,8 @@ "vs/workbench/contrib/url/browser/trustedDomains", "vs/workbench/contrib/url/browser/trustedDomainsValidator", "vs/workbench/contrib/url/browser/url.contribution", + "vs/workbench/contrib/userDataProfile/browser/userDataProfile", + "vs/workbench/contrib/userDataProfile/common/userDataProfileActions", "vs/workbench/contrib/userDataSync/browser/userDataSync", "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution", "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView", @@ -25711,7 +26536,6 @@ "vs/workbench/services/editor/common/editorResolverService", "vs/workbench/services/extensionManagement/browser/extensionBisect", "vs/workbench/services/extensionManagement/browser/extensionEnablementService", - "vs/workbench/services/extensionManagement/browser/webExtensionsScannerService", "vs/workbench/services/extensionManagement/common/extensionManagementService", "vs/workbench/services/extensionManagement/electron-sandbox/extensionManagementServerService", "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService", @@ -25739,8 +26563,6 @@ "vs/workbench/services/preferences/common/preferencesEditorInput", "vs/workbench/services/preferences/common/preferencesModels", "vs/workbench/services/preferences/common/preferencesValidation", - "vs/workbench/services/profiles/common/profile", - "vs/workbench/services/profiles/common/profileService", "vs/workbench/services/progress/browser/progressService", "vs/workbench/services/remote/common/remoteExplorerService", "vs/workbench/services/remote/electron-sandbox/remoteAgentService", @@ -25764,6 +26586,9 @@ "vs/workbench/services/themes/common/themeConfiguration", "vs/workbench/services/themes/common/themeExtensionPoints", "vs/workbench/services/themes/common/tokenClassificationExtensionPoint", + "vs/workbench/services/userDataProfile/browser/userDataProfileManagement", + "vs/workbench/services/userDataProfile/common/userDataProfile", + "vs/workbench/services/userDataProfile/common/userDataProfileImportExportService", "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService", "vs/workbench/services/userDataSync/common/userDataSync", "vs/workbench/services/views/browser/viewDescriptorService", @@ -25781,6 +26606,12 @@ "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput", "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService" ], + "vs/editor/common/services/editorSimpleWorker": [ + "vs/base/common/platform" + ], + "vs/base/common/worker/simpleWorker": [ + "vs/base/common/platform" + ], "vs/workbench/api/worker/extensionHostWorker": [ "vs/base/common/date", "vs/base/common/errorMessage", @@ -25811,22 +26642,29 @@ "vs/base/common/errorMessage" ], "vs/workbench/contrib/debug/node/telemetryApp": [ + "vs/base/common/platform", "vs/base/node/processes" ], "vs/platform/files/node/watcher/watcherMain": [ "vs/base/common/errorMessage", + "vs/base/common/platform", "vs/base/node/processes", "vs/platform/files/common/files" ], "vs/platform/terminal/node/ptyHostMain": [ + "vs/base/common/date", "vs/base/common/errorMessage", + "vs/base/common/platform", "vs/base/node/processes", + "vs/platform/environment/node/argv", + "vs/platform/files/common/files", "vs/platform/terminal/node/ptyService", "vs/platform/terminal/node/terminalProcess" ], "vs/workbench/api/node/extensionHostProcess": [ "vs/base/common/date", "vs/base/common/errorMessage", + "vs/base/common/platform", "vs/base/node/processes", "vs/editor/common/config/editorOptions", "vs/platform/configuration/common/configurationRegistry", @@ -25858,6 +26696,7 @@ "vs/code/electron-main/main": [ "vs/base/common/date", "vs/base/common/errorMessage", + "vs/base/common/platform", "vs/base/node/processes", "vs/code/electron-main/app", "vs/code/electron-main/main", @@ -25865,6 +26704,7 @@ "vs/platform/dialogs/electron-main/dialogMainService", "vs/platform/environment/node/argv", "vs/platform/environment/node/argvHelper", + "vs/platform/extensionManagement/common/extensionManagement", "vs/platform/externalTerminal/node/externalTerminalService", "vs/platform/files/common/fileService", "vs/platform/files/common/files", @@ -25878,6 +26718,7 @@ "vs/platform/shell/node/shellEnv", "vs/platform/telemetry/common/telemetryService", "vs/platform/update/common/update.config.contribution", + "vs/platform/userDataProfile/common/userDataProfile", "vs/platform/windows/electron-main/window", "vs/platform/windows/electron-main/windowsMainService", "vs/platform/workspace/common/workspace", @@ -25885,6 +26726,7 @@ "vs/platform/workspaces/electron-main/workspacesManagementMainService" ], "vs/code/node/cli": [ + "vs/base/common/platform", "vs/platform/environment/node/argv", "vs/platform/environment/node/argvHelper", "vs/platform/files/common/files" @@ -25909,10 +26751,14 @@ "vs/platform/languagePacks/common/languagePacks", "vs/platform/request/common/request", "vs/platform/shell/node/shellEnv", - "vs/platform/telemetry/common/telemetryService" + "vs/platform/telemetry/common/telemetryService", + "vs/platform/userDataProfile/common/userDataProfile", + "vs/platform/workspace/common/workspace" ], "vs/code/electron-sandbox/issue/issueReporterMain": [ + "vs/base/browser/ui/button/button", "vs/base/common/actions", + "vs/base/common/platform", "vs/code/electron-sandbox/issue/issueReporterMain", "vs/code/electron-sandbox/issue/issueReporterPage" ], @@ -25920,6 +26766,7 @@ "vs/base/common/date", "vs/base/common/errorMessage", "vs/base/common/jsonErrorMessages", + "vs/base/common/platform", "vs/base/node/processes", "vs/base/node/zip", "vs/platform/configuration/common/configurationRegistry", @@ -25942,15 +26789,25 @@ "vs/platform/telemetry/common/telemetryService", "vs/platform/terminal/common/terminalPlatformConfiguration", "vs/platform/terminal/common/terminalProfiles", + "vs/platform/userDataProfile/common/userDataProfile", "vs/platform/userDataSync/common/abstractSynchronizer", "vs/platform/userDataSync/common/keybindingsSync", "vs/platform/userDataSync/common/settingsSync", "vs/platform/userDataSync/common/userDataAutoSyncService", "vs/platform/userDataSync/common/userDataSync", - "vs/platform/userDataSync/common/userDataSyncMachines" + "vs/platform/userDataSync/common/userDataSyncMachines", + "vs/platform/workspace/common/workspace" ], "vs/code/electron-sandbox/processExplorer/processExplorerMain": [ + "vs/base/browser/ui/actionbar/actionViewItems", + "vs/base/browser/ui/findinput/findInput", + "vs/base/browser/ui/findinput/findInputToggles", + "vs/base/browser/ui/iconLabel/iconLabelHover", + "vs/base/browser/ui/inputbox/inputBox", + "vs/base/browser/ui/selectBox/selectBoxCustom", "vs/base/browser/ui/tree/abstractTree", + "vs/base/common/actions", + "vs/base/common/platform", "vs/code/electron-sandbox/processExplorer/processExplorerMain", "vs/platform/files/common/files", "vs/platform/theme/common/iconRegistry" diff --git a/packages/editor/src/browser/editor-generated-preference-schema.ts b/packages/editor/src/browser/editor-generated-preference-schema.ts index ee29f45a882b0..1749a43d107bd 100644 --- a/packages/editor/src/browser/editor-generated-preference-schema.ts +++ b/packages/editor/src/browser/editor-generated-preference-schema.ts @@ -185,7 +185,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "diffEditor.renderMarginRevertIcon": { "type": "boolean", "default": true, - "description": nls.localize("theia/editor/diffEditor.renderMarginRevertIcon", "When enabled, the diff editor shows arrows in its glyph margin to revert changes."), + "description": nls.localizeByDefault("When enabled, the diff editor shows arrows in its glyph margin to revert changes."), "scope": "language-overridable", "restricted": false }, @@ -241,7 +241,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "restricted": false }, "editor.acceptSuggestionOnCommitCharacter": { - "markdownDescription": nls.localizeByDefault("Controls whether suggestions should be accepted on commit characters. For example, in JavaScript, the semi-colon (`;`) can be a commit character that accepts a suggestion and types that character."), + "markdownDescription": nls.localizeByDefault('Controls whether suggestions should be accepted on commit characters. For example, in JavaScript, the semi-colon (`; `) can be a commit character that accepts a suggestion and types that character.'), "type": "boolean", "default": true, "scope": "language-overridable", @@ -405,7 +405,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "editor.bracketPairColorization.enabled": { "type": "boolean", "default": true, - "markdownDescription": nls.localizeByDefault("Controls whether bracket pair colorization is enabled or not. Use `#workbench.colorCustomizations#` to override the bracket highlight colors."), + "markdownDescription": nls.localizeByDefault('Controls whether bracket pair colorization is enabled or not. Use {0} to override the bracket highlight colors.', '`#workbench.colorCustomizations#`'), "scope": "language-overridable", "restricted": false }, @@ -1154,7 +1154,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "editor.minimap.autohide": { "type": "boolean", "default": false, - "description": nls.localize("theia/editor/editor.minimap.autohide", "Controls whether the minimap is hidden automatically."), + "description": nls.localizeByDefault("Controls whether the minimap is hidden automatically."), "scope": "language-overridable", "restricted": false }, @@ -1251,7 +1251,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] nls.localizeByDefault("Maps to `Control` on Windows and Linux and to `Command` on macOS."), nls.localizeByDefault("Maps to `Alt` on Windows and Linux and to `Option` on macOS.") ], - "markdownDescription": nls.localize("theia/editor/editor.multiCursorModifier", "The modifier to be used to add multiple cursors with the mouse. The Go to Definition and Open Link mouse gestures will adapt such that they do not conflict with the [multicursor modifier](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)."), + "markdownDescription": nls.localizeByDefault("The modifier to be used to add multiple cursors with the mouse. The Go to Definition and Open Link mouse gestures will adapt such that they do not conflict with the [multicursor modifier](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)."), "type": "string", "enum": [ "ctrlCmd", @@ -1635,7 +1635,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "editor.showFoldingControls": { "enumDescriptions": [ nls.localizeByDefault("Always show the folding controls."), - nls.localize("theia/editor/editor.showFoldingControls1", "Never show the folding controls and reduce the gutter size."), + nls.localizeByDefault("Never show the folding controls and reduce the gutter size."), nls.localizeByDefault("Only show the folding controls when the mouse is over the gutter.") ], "description": nls.localizeByDefault("Controls when the folding controls on the gutter are shown."), @@ -1692,7 +1692,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "editor.stickyScroll.enabled": { "type": "boolean", "default": false, - "description": nls.localize("theia/editor/editor.stickyScroll.enabled", "Shows the nested current scopes during the scroll at the top of the editor."), + "description": nls.localizeByDefault("Shows the nested current scopes during the scroll at the top of the editor."), "scope": "language-overridable", "restricted": false }, @@ -2008,7 +2008,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "restricted": false }, "editor.suggestFontSize": { - "markdownDescription": nls.localizeByDefault("Font size for the suggest widget. When set to `0`, the value of `#editor.fontSize#` is used."), + "markdownDescription": nls.localizeByDefault('Font size for the suggest widget. When set to {0}, the value of {1} is used.', '`0`', '`#editor.fontSize#`'), "type": "integer", "default": 0, "minimum": 0, @@ -2017,7 +2017,7 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "restricted": false }, "editor.suggestLineHeight": { - "markdownDescription": nls.localizeByDefault("Line height for the suggest widget. When set to `0`, the value of `#editor.lineHeight#` is used. The minimum value is 8."), + "markdownDescription": nls.localizeByDefault('Line height for the suggest widget. When set to {0}, the value of {1} is used. The minimum value is 8.', '`0`', '`#editor.lineHeight#`'), "type": "integer", "default": 0, "minimum": 0, @@ -2270,14 +2270,14 @@ export const editorGeneratedPreferenceProperties: PreferenceSchema['properties'] "editor.inlayHints.fontSize": { "type": "number", "default": 0, - "markdownDescription": nls.localizeByDefault("Controls font size of inlay hints in the editor. As default the `#editor.fontSize#` is used when the configured value is less than `5` or greater than the editor font size."), + "markdownDescription": nls.localizeByDefault('Controls font size of inlay hints in the editor. As default the {0} is used when the configured value is less than {1} or greater than the editor font size.', '`#editor.fontSize#`'), "scope": "language-overridable", "restricted": false }, "editor.inlayHints.fontFamily": { "type": "string", "default": "", - "markdownDescription": nls.localizeByDefault("Controls font family of inlay hints in the editor. When set to empty, the `#editor.fontFamily#` is used."), + "markdownDescription": nls.localizeByDefault('Controls font family of inlay hints in the editor. When set to empty, the {0} is used.', '`#editor.fontFamily#`'), "scope": "language-overridable", "restricted": false }, diff --git a/packages/filesystem/src/browser/filesystem-preferences.ts b/packages/filesystem/src/browser/filesystem-preferences.ts index 3cbedae235a68..36e0d87a66913 100644 --- a/packages/filesystem/src/browser/filesystem-preferences.ts +++ b/packages/filesystem/src/browser/filesystem-preferences.ts @@ -73,7 +73,7 @@ export const filesystemPreferenceSchema: PreferenceSchema = { type: 'boolean', default: false, // eslint-disable-next-line max-len - description: nls.localizeByDefault('When enabled, the editor will attempt to guess the character set encoding when opening files. This setting can also be configured per language. Note, this setting is not respected by text search. Only `#files.encoding#` is respected.'), + description: nls.localizeByDefault('When enabled, the editor will attempt to guess the character set encoding when opening files. This setting can also be configured per language. Note, this setting is not respected by text search. Only {0} is respected.', '`#files.encoding#`'), scope: 'language-overridable', included: Object.keys(SUPPORTED_ENCODINGS).length > 1 }, diff --git a/packages/search-in-workspace/src/browser/search-in-workspace-preferences.ts b/packages/search-in-workspace/src/browser/search-in-workspace-preferences.ts index ab0ce0662e869..25e5eaa498a5b 100644 --- a/packages/search-in-workspace/src/browser/search-in-workspace-preferences.ts +++ b/packages/search-in-workspace/src/browser/search-in-workspace-preferences.ts @@ -39,7 +39,7 @@ export const searchInWorkspacePreferencesSchema: PreferenceSchema = { }, 'search.searchOnTypeDebouncePeriod': { // eslint-disable-next-line max-len - markdownDescription: nls.localizeByDefault('When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled.'), + markdownDescription: nls.localizeByDefault('When {0} is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when {0} is disabled.', '`#search.searchOnType#`'), default: 300, type: 'number', }, diff --git a/packages/terminal/src/browser/terminal-preferences.ts b/packages/terminal/src/browser/terminal-preferences.ts index 6cde8331c1ee8..bfd218348a63e 100644 --- a/packages/terminal/src/browser/terminal-preferences.ts +++ b/packages/terminal/src/browser/terminal-preferences.ts @@ -83,7 +83,7 @@ export const TerminalConfigSchema: PreferenceSchema = { }, 'terminal.integrated.fontFamily': { type: 'string', - markdownDescription: nls.localizeByDefault("Controls the font family of the terminal, this defaults to `#editor.fontFamily#`'s value."), + markdownDescription: nls.localizeByDefault("Controls the font family of the terminal, this defaults to {0}'s value.", '`#editor.fontFamily#`'), default: editorGeneratedPreferenceProperties['editor.fontFamily'].default, }, 'terminal.integrated.fontSize': { @@ -152,7 +152,7 @@ export const TerminalConfigSchema: PreferenceSchema = { default: 'block' }, 'terminal.integrated.cursorWidth': { - markdownDescription: nls.localizeByDefault('Controls the width of the cursor when `#terminal.integrated.cursorStyle#` is set to `line`.'), + markdownDescription: nls.localizeByDefault('Controls the width of the cursor when {0} is set to {1}.', '`#terminal.integrated.cursorStyle#`', '`line`'), type: 'number', default: 1 }, @@ -208,7 +208,7 @@ export const TerminalConfigSchema: PreferenceSchema = { }, 'terminal.integrated.enablePersistentSessions': { type: 'boolean', - description: nls.localizeByDefault('Persist terminal sessions for the workspace across window reloads.'), + description: nls.localizeByDefault('Persist terminal sessions/history for the workspace across window reloads.'), default: true }, 'terminal.integrated.defaultProfile.windows': {